Commit Hash
stringlengths 40
40
| Author
stringclasses 38
values | Date
stringlengths 19
19
| Description
stringlengths 8
113
| Body
stringlengths 10
22.2k
| Footers
stringclasses 56
values | Commit Message
stringlengths 28
22.3k
| Git Diff
stringlengths 140
3.61M
⌀ |
|---|---|---|---|---|---|---|---|
8bcc7522d06e023cb92e63cd831a408b270c6be3
|
Paul Dix
|
2024-08-09 08:46:35
|
Add last cache create/delete to WAL (#25233)
|
* feat: Add last cache create/delete to WAL
This moves the LastCacheDefinition into the WAL so that it can be serialized there. This ended up being a pretty large refactor to get the last cache creation to work through the WAL.
I think I also stumbled on a bug where the last cache wasn't getting initialized from the catalog on reboot so that it wouldn't actually end up caching values. The refactored last cache persistence test in write_buffer/mod.rs surfaced this.
Finally, I also had to update the WAL so that it would persist if there were only catalog updates and no writes.
Fixes #25203
* fix: typos
| null |
feat: Add last cache create/delete to WAL (#25233)
* feat: Add last cache create/delete to WAL
This moves the LastCacheDefinition into the WAL so that it can be serialized there. This ended up being a pretty large refactor to get the last cache creation to work through the WAL.
I think I also stumbled on a bug where the last cache wasn't getting initialized from the catalog on reboot so that it wouldn't actually end up caching values. The refactored last cache persistence test in write_buffer/mod.rs surfaced this.
Finally, I also had to update the WAL so that it would persist if there were only catalog updates and no writes.
Fixes #25203
* fix: typos
|
diff --git a/influxdb3_catalog/src/catalog.rs b/influxdb3_catalog/src/catalog.rs
index c6b999b3fc..46ba356c4b 100644
--- a/influxdb3_catalog/src/catalog.rs
+++ b/influxdb3_catalog/src/catalog.rs
@@ -1,6 +1,6 @@
//! Implementation of the Catalog that sits entirely in memory.
-use influxdb3_wal::{CatalogBatch, CatalogOp};
+use influxdb3_wal::{CatalogBatch, CatalogOp, LastCacheDefinition};
use influxdb_line_protocol::FieldValue;
use observability_deps::tracing::info;
use parking_lot::RwLock;
@@ -32,9 +32,6 @@ pub enum Error {
Catalog::NUM_DBS_LIMIT
)]
TooManyDbs,
-
- #[error("last cache size must be from 1 to 10")]
- InvalidLastCacheSize,
}
pub type Result<T, E = Error> = std::result::Result<T, E>;
@@ -337,6 +334,25 @@ impl DatabaseSchema {
CatalogOp::CreateDatabase(_) => {
// Do nothing
}
+ CatalogOp::CreateLastCache(definition) => {
+ let table_name: Arc<str> = definition.table.as_str().into();
+ let table = tables.get_mut(table_name.as_ref());
+ match table {
+ Some(table) => {
+ table
+ .last_caches
+ .insert(definition.name.clone(), definition.clone());
+ }
+ None => panic!("table must exist before last cache creation"),
+ }
+ }
+ CatalogOp::DeleteLastCache(definition) => {
+ let table_name: Arc<str> = definition.table.as_str().into();
+ let table = tables.get_mut(table_name.as_ref());
+ if let Some(table) = table {
+ table.last_caches.remove(&definition.name);
+ }
+ }
}
}
@@ -503,129 +519,6 @@ impl TableDefinition {
}
}
-/// Defines a last cache in a given table and database
-#[derive(Debug, Serialize, Deserialize, Eq, PartialEq, Clone)]
-pub struct LastCacheDefinition {
- /// The table name the cache is associated with
- pub table: String,
- /// Given name of the cache
- pub name: String,
- /// Columns intended to be used as predicates in the cache
- pub key_columns: Vec<String>,
- /// Columns that store values in the cache
- pub value_columns: LastCacheValueColumnsDef,
- /// The number of last values to hold in the cache
- pub count: LastCacheSize,
- /// The time-to-live (TTL) in seconds for entries in the cache
- pub ttl: u64,
-}
-
-impl LastCacheDefinition {
- /// Create a new [`LastCacheDefinition`] with explicit value columns
- pub fn new_with_explicit_value_columns(
- table: impl Into<String>,
- name: impl Into<String>,
- key_columns: impl IntoIterator<Item: Into<String>>,
- value_columns: impl IntoIterator<Item: Into<String>>,
- count: usize,
- ttl: u64,
- ) -> Result<Self, Error> {
- Ok(Self {
- table: table.into(),
- name: name.into(),
- key_columns: key_columns.into_iter().map(Into::into).collect(),
- value_columns: LastCacheValueColumnsDef::Explicit {
- columns: value_columns.into_iter().map(Into::into).collect(),
- },
- count: count.try_into()?,
- ttl,
- })
- }
-
- /// Create a new [`LastCacheDefinition`] with explicit value columns
- pub fn new_all_non_key_value_columns(
- table: impl Into<String>,
- name: impl Into<String>,
- key_columns: impl IntoIterator<Item: Into<String>>,
- count: usize,
- ttl: u64,
- ) -> Result<Self, Error> {
- Ok(Self {
- table: table.into(),
- name: name.into(),
- key_columns: key_columns.into_iter().map(Into::into).collect(),
- value_columns: LastCacheValueColumnsDef::AllNonKeyColumns,
- count: count.try_into()?,
- ttl,
- })
- }
-}
-
-/// A last cache will either store values for an explicit set of columns, or will accept all
-/// non-key columns
-#[derive(Debug, Serialize, Deserialize, Eq, PartialEq, Clone)]
-#[serde(tag = "type", rename_all = "snake_case")]
-pub enum LastCacheValueColumnsDef {
- /// Explicit list of column names
- Explicit { columns: Vec<String> },
- /// Stores all non-key columns
- AllNonKeyColumns,
-}
-
-/// The maximum allowed size for a last cache
-pub const LAST_CACHE_MAX_SIZE: usize = 10;
-
-/// The size of the last cache
-///
-/// Must be between 1 and [`LAST_CACHE_MAX_SIZE`]
-#[derive(Debug, Serialize, Deserialize, Eq, PartialEq, Clone, Copy)]
-pub struct LastCacheSize(usize);
-
-impl LastCacheSize {
- pub fn new(size: usize) -> Result<Self, Error> {
- if size == 0 || size > LAST_CACHE_MAX_SIZE {
- Err(Error::InvalidLastCacheSize)
- } else {
- Ok(Self(size))
- }
- }
-}
-
-impl TryFrom<usize> for LastCacheSize {
- type Error = Error;
-
- fn try_from(value: usize) -> Result<Self, Self::Error> {
- Self::new(value)
- }
-}
-
-impl From<LastCacheSize> for usize {
- fn from(value: LastCacheSize) -> Self {
- value.0
- }
-}
-
-impl From<LastCacheSize> for u64 {
- fn from(value: LastCacheSize) -> Self {
- value
- .0
- .try_into()
- .expect("usize fits into a 64 bit unsigned integer")
- }
-}
-
-impl PartialEq<usize> for LastCacheSize {
- fn eq(&self, other: &usize) -> bool {
- self.0.eq(other)
- }
-}
-
-impl PartialEq<LastCacheSize> for usize {
- fn eq(&self, other: &LastCacheSize) -> bool {
- self.eq(&other.0)
- }
-}
-
pub fn influx_column_type_from_field_value(fv: &FieldValue<'_>) -> InfluxColumnType {
match fv {
FieldValue::I64(_) => InfluxColumnType::Field(InfluxFieldType::Integer),
diff --git a/influxdb3_catalog/src/serialize.rs b/influxdb3_catalog/src/serialize.rs
index 2e1848703e..635762e4a7 100644
--- a/influxdb3_catalog/src/serialize.rs
+++ b/influxdb3_catalog/src/serialize.rs
@@ -1,10 +1,10 @@
+use crate::catalog::TableDefinition;
use arrow::datatypes::DataType as ArrowDataType;
+use influxdb3_wal::{LastCacheDefinition, LastCacheValueColumnsDef};
use schema::{InfluxColumnType, SchemaBuilder};
use serde::{Deserialize, Serialize};
use std::collections::BTreeMap;
-use crate::catalog::{LastCacheDefinition, LastCacheValueColumnsDef, TableDefinition};
-
impl Serialize for TableDefinition {
fn serialize<S>(&self, serializer: S) -> Result<S::Ok, S::Error>
where
diff --git a/influxdb3_server/src/http.rs b/influxdb3_server/src/http.rs
index 7524c41059..5b4f45e2f0 100644
--- a/influxdb3_server/src/http.rs
+++ b/influxdb3_server/src/http.rs
@@ -20,8 +20,9 @@ use hyper::header::CONTENT_TYPE;
use hyper::http::HeaderValue;
use hyper::HeaderMap;
use hyper::{Body, Method, Request, Response, StatusCode};
-use influxdb3_catalog::catalog::{Error as CatalogError, LastCacheDefinition};
+use influxdb3_catalog::catalog::Error as CatalogError;
use influxdb3_process::{INFLUXDB3_GIT_HASH_SHORT, INFLUXDB3_VERSION};
+use influxdb3_wal::LastCacheDefinition;
use influxdb3_write::last_cache;
use influxdb3_write::persister::TrackedMemoryArrowWriter;
use influxdb3_write::write_buffer::Error as WriteBufferError;
diff --git a/influxdb3_server/src/system_tables/last_caches.rs b/influxdb3_server/src/system_tables/last_caches.rs
index 627e4a0607..170dbc6aa1 100644
--- a/influxdb3_server/src/system_tables/last_caches.rs
+++ b/influxdb3_server/src/system_tables/last_caches.rs
@@ -4,7 +4,7 @@ use arrow::array::{GenericListBuilder, StringBuilder};
use arrow_array::{ArrayRef, RecordBatch, StringArray, UInt64Array};
use arrow_schema::{DataType, Field, Schema, SchemaRef};
use datafusion::{error::DataFusionError, logical_expr::Expr};
-use influxdb3_catalog::catalog::{LastCacheDefinition, LastCacheValueColumnsDef};
+use influxdb3_wal::{LastCacheDefinition, LastCacheValueColumnsDef};
use influxdb3_write::last_cache::LastCacheProvider;
use iox_system_tables::IoxSystemTable;
diff --git a/influxdb3_wal/src/lib.rs b/influxdb3_wal/src/lib.rs
index 58627e6c00..2d20474c3d 100644
--- a/influxdb3_wal/src/lib.rs
+++ b/influxdb3_wal/src/lib.rs
@@ -44,6 +44,9 @@ pub enum Error {
#[error("invalid level 0 duration {0}. Must be one of 1m, 5m, 10m")]
InvalidLevel0Duration(String),
+
+ #[error("last cache size must be from 1 to 10")]
+ InvalidLastCacheSize,
}
pub type Result<T, E = Error> = std::result::Result<T, E>;
@@ -203,6 +206,7 @@ pub enum WalOp {
#[derive(Debug, Clone, Eq, PartialEq, Serialize, Deserialize)]
pub struct CatalogBatch {
pub database_name: Arc<str>,
+ pub time_ns: i64,
pub ops: Vec<CatalogOp>,
}
@@ -211,6 +215,8 @@ pub enum CatalogOp {
CreateDatabase(DatabaseDefinition),
CreateTable(TableDefinition),
AddFields(FieldAdditions),
+ CreateLastCache(LastCacheDefinition),
+ DeleteLastCache(LastCacheDelete),
}
#[derive(Debug, Clone, Eq, PartialEq, Serialize, Deserialize)]
@@ -281,6 +287,135 @@ impl From<FieldDataType> for InfluxColumnType {
}
}
+/// Defines a last cache in a given table and database
+#[derive(Debug, Serialize, Deserialize, Eq, PartialEq, Clone)]
+pub struct LastCacheDefinition {
+ /// The table name the cache is associated with
+ pub table: String,
+ /// Given name of the cache
+ pub name: String,
+ /// Columns intended to be used as predicates in the cache
+ pub key_columns: Vec<String>,
+ /// Columns that store values in the cache
+ pub value_columns: LastCacheValueColumnsDef,
+ /// The number of last values to hold in the cache
+ pub count: LastCacheSize,
+ /// The time-to-live (TTL) in seconds for entries in the cache
+ pub ttl: u64,
+}
+
+impl LastCacheDefinition {
+ /// Create a new [`LastCacheDefinition`] with explicit value columns
+ pub fn new_with_explicit_value_columns(
+ table: impl Into<String>,
+ name: impl Into<String>,
+ key_columns: impl IntoIterator<Item: Into<String>>,
+ value_columns: impl IntoIterator<Item: Into<String>>,
+ count: usize,
+ ttl: u64,
+ ) -> Result<Self, Error> {
+ Ok(Self {
+ table: table.into(),
+ name: name.into(),
+ key_columns: key_columns.into_iter().map(Into::into).collect(),
+ value_columns: LastCacheValueColumnsDef::Explicit {
+ columns: value_columns.into_iter().map(Into::into).collect(),
+ },
+ count: count.try_into()?,
+ ttl,
+ })
+ }
+
+ /// Create a new [`LastCacheDefinition`] with explicit value columns
+ pub fn new_all_non_key_value_columns(
+ table: impl Into<String>,
+ name: impl Into<String>,
+ key_columns: impl IntoIterator<Item: Into<String>>,
+ count: usize,
+ ttl: u64,
+ ) -> Result<Self, Error> {
+ Ok(Self {
+ table: table.into(),
+ name: name.into(),
+ key_columns: key_columns.into_iter().map(Into::into).collect(),
+ value_columns: LastCacheValueColumnsDef::AllNonKeyColumns,
+ count: count.try_into()?,
+ ttl,
+ })
+ }
+}
+
+/// A last cache will either store values for an explicit set of columns, or will accept all
+/// non-key columns
+#[derive(Debug, Serialize, Deserialize, Eq, PartialEq, Clone)]
+#[serde(tag = "type", rename_all = "snake_case")]
+pub enum LastCacheValueColumnsDef {
+ /// Explicit list of column names
+ Explicit { columns: Vec<String> },
+ /// Stores all non-key columns
+ AllNonKeyColumns,
+}
+
+/// The maximum allowed size for a last cache
+pub const LAST_CACHE_MAX_SIZE: usize = 10;
+
+/// The size of the last cache
+///
+/// Must be between 1 and [`LAST_CACHE_MAX_SIZE`]
+#[derive(Debug, Serialize, Deserialize, Eq, PartialEq, Clone, Copy)]
+pub struct LastCacheSize(usize);
+
+impl LastCacheSize {
+ pub fn new(size: usize) -> Result<Self, Error> {
+ if size == 0 || size > LAST_CACHE_MAX_SIZE {
+ Err(Error::InvalidLastCacheSize)
+ } else {
+ Ok(Self(size))
+ }
+ }
+}
+
+impl TryFrom<usize> for LastCacheSize {
+ type Error = Error;
+
+ fn try_from(value: usize) -> Result<Self, Self::Error> {
+ Self::new(value)
+ }
+}
+
+impl From<LastCacheSize> for usize {
+ fn from(value: LastCacheSize) -> Self {
+ value.0
+ }
+}
+
+impl From<LastCacheSize> for u64 {
+ fn from(value: LastCacheSize) -> Self {
+ value
+ .0
+ .try_into()
+ .expect("usize fits into a 64 bit unsigned integer")
+ }
+}
+
+impl PartialEq<usize> for LastCacheSize {
+ fn eq(&self, other: &usize) -> bool {
+ self.0.eq(other)
+ }
+}
+
+impl PartialEq<LastCacheSize> for usize {
+ fn eq(&self, other: &LastCacheSize) -> bool {
+ self.eq(&other.0)
+ }
+}
+
+#[derive(Debug, Clone, Eq, PartialEq, Serialize, Deserialize)]
+pub struct LastCacheDelete {
+ pub table: String,
+ pub name: String,
+}
+
#[derive(Debug, Clone, Eq, PartialEq, Serialize, Deserialize)]
pub struct WriteBatch {
pub database_name: Arc<str>,
diff --git a/influxdb3_wal/src/object_store.rs b/influxdb3_wal/src/object_store.rs
index 4b1805202d..b30c5b010d 100644
--- a/influxdb3_wal/src/object_store.rs
+++ b/influxdb3_wal/src/object_store.rs
@@ -467,7 +467,7 @@ struct WalBuffer {
impl WalBuffer {
fn is_empty(&self) -> bool {
- self.database_to_write_batch.is_empty()
+ self.database_to_write_batch.is_empty() && self.catalog_batches.is_empty()
}
}
@@ -537,6 +537,11 @@ impl WalBuffer {
max_timestamp_ns = max_timestamp_ns.max(write_batch.max_time_ns);
}
+ for catalog_batch in &self.catalog_batches {
+ min_timestamp_ns = min_timestamp_ns.min(catalog_batch.time_ns);
+ max_timestamp_ns = max_timestamp_ns.max(catalog_batch.time_ns);
+ }
+
// have the catalog ops come before any writes in ordering
let mut ops =
Vec::with_capacity(self.database_to_write_batch.len() + self.catalog_batches.len());
diff --git a/influxdb3_write/src/last_cache/mod.rs b/influxdb3_write/src/last_cache/mod.rs
index 95928efc99..776809c4de 100644
--- a/influxdb3_write/src/last_cache/mod.rs
+++ b/influxdb3_write/src/last_cache/mod.rs
@@ -4,6 +4,7 @@ use std::{
time::{Duration, Instant},
};
+use arrow::datatypes::SchemaRef;
use arrow::{
array::{
new_null_array, ArrayRef, BooleanBuilder, Float64Builder, GenericByteDictionaryBuilder,
@@ -22,8 +23,11 @@ use datafusion::{
};
use hashbrown::{HashMap, HashSet};
use indexmap::{IndexMap, IndexSet};
-use influxdb3_catalog::catalog::{LastCacheDefinition, LastCacheSize, LastCacheValueColumnsDef};
-use influxdb3_wal::{Field, FieldData, Row, WalContents, WalOp};
+use influxdb3_catalog::catalog::InnerCatalog;
+use influxdb3_wal::{
+ Field, FieldData, LastCacheDefinition, LastCacheSize, LastCacheValueColumnsDef, Row,
+ WalContents, WalOp,
+};
use iox_time::Time;
use parking_lot::RwLock;
use schema::{InfluxColumnType, InfluxFieldType, Schema, TIME_COLUMN_NAME};
@@ -113,10 +117,7 @@ impl LastCacheProvider {
}
/// Initialize a [`LastCacheProvider`] from a [`InnerCatalog`]
- #[cfg(test)]
- pub(crate) fn new_from_catalog(
- catalog: &influxdb3_catalog::catalog::InnerCatalog,
- ) -> Result<Self, Error> {
+ pub(crate) fn new_from_catalog(catalog: &InnerCatalog) -> Result<Self, Error> {
let provider = LastCacheProvider::new();
for db_schema in catalog.databases() {
for tbl_def in db_schema.tables() {
@@ -244,59 +245,15 @@ impl LastCacheProvider {
format!("{tbl_name}_{keys}_last_cache", keys = key_columns.join("_"))
});
- let (value_columns, accept_new_fields) = if let Some(mut vals) = value_columns {
- // if value columns are specified, check that they are present in the table schema
- for name in vals.iter() {
- if schema.field_by_name(name).is_none() {
- return Err(Error::ValueColumnDoesNotExist {
- column_name: name.into(),
- });
- }
- }
- // double-check that time column is included
- let time_col = TIME_COLUMN_NAME.to_string();
- if !vals.contains(&time_col) {
- vals.push(time_col);
- }
- (vals, false)
- } else {
- // default to all non-key columns
- (
- schema
- .iter()
- .filter_map(|(_, f)| {
- if key_columns.contains(f.name()) {
- None
- } else {
- Some(f.name().to_string())
- }
- })
- .collect::<Vec<String>>(),
- true,
- )
+ let accept_new_fields = value_columns.is_none();
+ let last_cache_value_columns_def = match &value_columns {
+ None => LastCacheValueColumnsDef::AllNonKeyColumns,
+ Some(cols) => LastCacheValueColumnsDef::Explicit {
+ columns: cols.clone(),
+ },
};
- let mut schema_builder = ArrowSchemaBuilder::new();
- // Add key columns first:
- for (t, field) in schema
- .iter()
- .filter(|&(_, f)| key_columns.contains(f.name()))
- {
- if let InfluxColumnType::Tag = t {
- // override tags with string type in the schema, because the KeyValue type stores
- // them as strings, and produces them as StringArray when creating RecordBatches:
- schema_builder.push(ArrowField::new(field.name(), DataType::Utf8, false))
- } else {
- schema_builder.push(field.clone());
- };
- }
- // Add value columns second:
- for (_, field) in schema
- .iter()
- .filter(|&(_, f)| value_columns.contains(f.name()))
- {
- schema_builder.push(field.clone());
- }
+ let cache_schema = self.last_cache_schema_from_schema(&schema, &key_columns, value_columns);
let series_key = schema
.series_key()
@@ -312,7 +269,7 @@ impl LastCacheProvider {
count,
ttl,
key_columns.clone(),
- Arc::new(schema_builder.finish()),
+ cache_schema,
series_key,
accept_new_fields,
);
@@ -341,18 +298,91 @@ impl LastCacheProvider {
table: tbl_name,
name: cache_name,
key_columns,
- value_columns: if accept_new_fields {
- LastCacheValueColumnsDef::AllNonKeyColumns
- } else {
- LastCacheValueColumnsDef::Explicit {
- columns: value_columns,
- }
- },
+ value_columns: last_cache_value_columns_def,
count,
ttl: ttl.as_secs(),
}))
}
+ fn last_cache_schema_from_schema(
+ &self,
+ schema: &Schema,
+ key_columns: &[String],
+ value_columns: Option<Vec<String>>,
+ ) -> SchemaRef {
+ let mut schema_builder = ArrowSchemaBuilder::new();
+ // Add key columns first:
+ for (t, field) in schema
+ .iter()
+ .filter(|&(_, f)| key_columns.contains(f.name()))
+ {
+ if let InfluxColumnType::Tag = t {
+ // override tags with string type in the schema, because the KeyValue type stores
+ // them as strings, and produces them as StringArray when creating RecordBatches:
+ schema_builder.push(ArrowField::new(field.name(), DataType::Utf8, false))
+ } else {
+ schema_builder.push(field.clone());
+ };
+ }
+ // Add value columns second:
+ match value_columns {
+ Some(cols) => {
+ for (_, field) in schema
+ .iter()
+ .filter(|&(_, f)| cols.contains(f.name()) || f.name() == TIME_COLUMN_NAME)
+ {
+ schema_builder.push(field.clone());
+ }
+ }
+ None => {
+ for (_, field) in schema
+ .iter()
+ .filter(|&(_, f)| !key_columns.contains(f.name()))
+ {
+ schema_builder.push(field.clone());
+ }
+ }
+ }
+
+ Arc::new(schema_builder.finish())
+ }
+
+ pub fn create_cache_from_definition(
+ &self,
+ db_name: &str,
+ schema: &Schema,
+ definition: &LastCacheDefinition,
+ ) {
+ let value_columns = match &definition.value_columns {
+ LastCacheValueColumnsDef::AllNonKeyColumns => None,
+ LastCacheValueColumnsDef::Explicit { columns } => Some(columns.clone()),
+ };
+ let accept_new_fields = value_columns.is_none();
+ let series_key = schema
+ .series_key()
+ .map(|keys| keys.into_iter().map(|s| s.to_string()).collect());
+
+ let schema =
+ self.last_cache_schema_from_schema(schema, &definition.key_columns, value_columns);
+
+ let last_cache = LastCache::new(
+ definition.count,
+ Duration::from_secs(definition.ttl),
+ definition.key_columns.clone(),
+ schema,
+ series_key,
+ accept_new_fields,
+ );
+
+ let mut lock = self.cache_map.write();
+
+ lock.entry(db_name.to_string())
+ .or_default()
+ .entry_ref(&definition.table)
+ .or_default()
+ .insert(definition.name.clone(), last_cache);
+ }
+
/// Delete a cache from the provider
///
/// This will also clean up empty levels in the provider hierarchy, so if there are no more
@@ -1545,10 +1575,8 @@ mod tests {
use ::object_store::{memory::InMemory, ObjectStore};
use arrow_util::{assert_batches_eq, assert_batches_sorted_eq};
use data_types::NamespaceName;
- use influxdb3_catalog::catalog::{
- Catalog, DatabaseSchema, LastCacheDefinition, TableDefinition,
- };
- use influxdb3_wal::WalConfig;
+ use influxdb3_catalog::catalog::{Catalog, DatabaseSchema, TableDefinition};
+ use influxdb3_wal::{LastCacheDefinition, WalConfig};
use insta::assert_json_snapshot;
use iox_time::{MockProvider, Time};
diff --git a/influxdb3_write/src/lib.rs b/influxdb3_write/src/lib.rs
index dc11d75acb..af2a51f4a1 100644
--- a/influxdb3_write/src/lib.rs
+++ b/influxdb3_write/src/lib.rs
@@ -21,8 +21,7 @@ use datafusion::execution::context::SessionState;
use datafusion::physical_plan::SendableRecordBatchStream;
use datafusion::prelude::Expr;
use influxdb3_catalog::catalog;
-use influxdb3_catalog::catalog::LastCacheDefinition;
-use influxdb3_wal::WalFileSequenceNumber;
+use influxdb3_wal::{LastCacheDefinition, WalFileSequenceNumber};
use iox_query::QueryChunk;
use iox_time::Time;
use last_cache::LastCacheProvider;
@@ -364,7 +363,7 @@ mod test_helpers {
lp: &str,
) -> WriteBatch {
let db_name = NamespaceName::new(db_name).unwrap();
- let result = WriteValidator::initialize(db_name.clone(), catalog)
+ let result = WriteValidator::initialize(db_name.clone(), catalog, 0)
.unwrap()
.v1_parse_lines_and_update_schema(lp, false)
.unwrap()
diff --git a/influxdb3_write/src/write_buffer/mod.rs b/influxdb3_write/src/write_buffer/mod.rs
index 8a2ef47619..df19481a52 100644
--- a/influxdb3_write/src/write_buffer/mod.rs
+++ b/influxdb3_write/src/write_buffer/mod.rs
@@ -23,9 +23,13 @@ use datafusion::datasource::object_store::ObjectStoreUrl;
use datafusion::execution::context::SessionState;
use datafusion::logical_expr::Expr;
use datafusion::physical_plan::SendableRecordBatchStream;
-use influxdb3_catalog::catalog::{Catalog, LastCacheDefinition};
+use influxdb3_catalog::catalog::Catalog;
use influxdb3_wal::object_store::WalObjectStore;
-use influxdb3_wal::{Wal, WalConfig, WalFileNotifier, WalOp};
+use influxdb3_wal::CatalogOp::CreateLastCache;
+use influxdb3_wal::{
+ CatalogBatch, CatalogOp, LastCacheDefinition, LastCacheDelete, Wal, WalConfig, WalFileNotifier,
+ WalOp,
+};
use iox_query::chunk_statistics::{create_chunk_statistics, NoColumnRanges};
use iox_query::QueryChunk;
use iox_time::{Time, TimeProvider};
@@ -114,8 +118,6 @@ impl<T: TimeProvider> WriteBufferImpl<T> {
executor: Arc<iox_query::exec::Executor>,
wal_config: WalConfig,
) -> Result<Self> {
- let last_cache = Arc::new(LastCacheProvider::new());
-
// load up the catalog, the snapshots, and replay the wal into the in memory buffer
let catalog = persister.load_catalog().await?;
let catalog = Arc::new(
@@ -123,6 +125,9 @@ impl<T: TimeProvider> WriteBufferImpl<T> {
.map(|c| Catalog::from_inner(c.catalog))
.unwrap_or_else(Catalog::new),
);
+
+ let last_cache = Arc::new(LastCacheProvider::new_from_catalog(&catalog.clone_inner())?);
+
let persisted_snapshots = persister.load_snapshots(1000).await?;
let last_snapshot_wal_sequence = persisted_snapshots
.first()
@@ -182,9 +187,13 @@ impl<T: TimeProvider> WriteBufferImpl<T> {
// validated lines will update the in-memory catalog, ensuring that all write operations
// past this point will be infallible
- let result = WriteValidator::initialize(db_name.clone(), self.catalog())?
- .v1_parse_lines_and_update_schema(lp, accept_partial)?
- .convert_lines_to_buffer(ingest_time, self.wal_config.level_0_duration, precision);
+ let result = WriteValidator::initialize(
+ db_name.clone(),
+ self.catalog(),
+ ingest_time.timestamp_nanos(),
+ )?
+ .v1_parse_lines_and_update_schema(lp, accept_partial)?
+ .convert_lines_to_buffer(ingest_time, self.wal_config.level_0_duration, precision);
// if there were catalog updates, ensure they get persisted to the wal, so they're
// replayed on restart
@@ -220,9 +229,13 @@ impl<T: TimeProvider> WriteBufferImpl<T> {
) -> Result<BufferedWriteRequest> {
// validated lines will update the in-memory catalog, ensuring that all write operations
// past this point will be infallible
- let result = WriteValidator::initialize(db_name.clone(), self.catalog())?
- .v3_parse_lines_and_update_schema(lp, accept_partial)?
- .convert_lines_to_buffer(ingest_time, self.wal_config.level_0_duration, precision);
+ let result = WriteValidator::initialize(
+ db_name.clone(),
+ self.catalog(),
+ ingest_time.timestamp_nanos(),
+ )?
+ .v3_parse_lines_and_update_schema(lp, accept_partial)?
+ .convert_lines_to_buffer(ingest_time, self.wal_config.level_0_duration, precision);
// if there were catalog updates, ensure they get persisted to the wal, so they're
// replayed on restart
@@ -510,6 +523,7 @@ impl<T: TimeProvider> LastCacheManager for WriteBufferImpl<T> {
.ok_or(Error::TableDoesNotExist)?
.schema()
.clone();
+
if let Some(info) = self.last_cache.create_cache(CreateCacheArguments {
db_name: db_name.to_string(),
tbl_name: tbl_name.to_string(),
@@ -520,14 +534,14 @@ impl<T: TimeProvider> LastCacheManager for WriteBufferImpl<T> {
key_columns,
value_columns,
})? {
- let last_wal_file_number = self.wal.last_sequence_number().await;
self.catalog.add_last_cache(db_name, tbl_name, info.clone());
+ let add_cache_catalog_batch = WalOp::Catalog(CatalogBatch {
+ time_ns: self.time_provider.now().timestamp_nanos(),
+ database_name: Arc::clone(&db_schema.name),
+ ops: vec![CreateLastCache(info.clone())],
+ });
+ self.wal.write_ops(vec![add_cache_catalog_batch]).await?;
- let inner_catalog = catalog.clone_inner();
- // Force persistence to the catalog, since we aren't going through the WAL:
- self.persister
- .persist_catalog(last_wal_file_number, Catalog::from_inner(inner_catalog))
- .await?;
Ok(Some(info))
} else {
Ok(None)
@@ -545,14 +559,19 @@ impl<T: TimeProvider> LastCacheManager for WriteBufferImpl<T> {
.delete_cache(db_name, tbl_name, cache_name)?;
catalog.delete_last_cache(db_name, tbl_name, cache_name);
- let last_wal_file_number = self.wal.last_sequence_number().await;
// NOTE: if this fails then the cache will be gone from the running server, but will be
// resurrected on server restart.
- let inner_catalog = catalog.clone_inner();
- // Force persistence to the catalog, since we aren't going through the WAL:
- self.persister
- .persist_catalog(last_wal_file_number, Catalog::from_inner(inner_catalog))
+ self.wal
+ .write_ops(vec![WalOp::Catalog(CatalogBatch {
+ time_ns: self.time_provider.now().timestamp_nanos(),
+ database_name: db_name.into(),
+ ops: vec![CatalogOp::DeleteLastCache(LastCacheDelete {
+ table: tbl_name.into(),
+ name: cache_name.into(),
+ })],
+ })])
.await?;
+
Ok(())
}
}
@@ -562,13 +581,11 @@ impl<T: TimeProvider> WriteBuffer for WriteBufferImpl<T> {}
#[cfg(test)]
mod tests {
use super::*;
- use crate::paths::CatalogFilePath;
use crate::persister::PersisterImpl;
use arrow::record_batch::RecordBatch;
use arrow_util::assert_batches_eq;
use datafusion::assert_batches_sorted_eq;
use datafusion_util::config::register_iox_object_store;
- use futures_util::StreamExt;
use influxdb3_wal::Level0Duration;
use iox_query::exec::IOxSessionContext;
use iox_time::{MockProvider, Time};
@@ -580,7 +597,7 @@ mod tests {
let catalog = Arc::new(Catalog::new());
let db_name = NamespaceName::new("foo").unwrap();
let lp = "cpu,region=west user=23.2 100\nfoo f1=1i";
- WriteValidator::initialize(db_name, Arc::clone(&catalog))
+ WriteValidator::initialize(db_name, Arc::clone(&catalog), 0)
.unwrap()
.v1_parse_lines_and_update_schema(lp, false)
.unwrap()
@@ -690,7 +707,7 @@ mod tests {
}
#[tokio::test]
- async fn persists_catalog_on_last_cache_create_and_delete() {
+ async fn last_cache_create_and_delete_is_durable() {
let (wbuf, _ctx) = setup(
Time::from_timestamp_nanos(0),
WalConfig {
@@ -708,7 +725,7 @@ mod tests {
wbuf.write_lp(
NamespaceName::new(db_name).unwrap(),
format!("{tbl_name},t1=a f1=true").as_str(),
- Time::from_timestamp(30, 0).unwrap(),
+ Time::from_timestamp(20, 0).unwrap(),
false,
Precision::Nanosecond,
)
@@ -718,19 +735,30 @@ mod tests {
wbuf.create_last_cache(db_name, tbl_name, Some(cache_name), None, None, None, None)
.await
.unwrap();
- // Check that the catalog was persisted, without advancing time:
- let object_store = wbuf.persister.object_store();
- let catalog_json = fetch_catalog_as_json(
- Arc::clone(&object_store),
- wbuf.persister.host_identifier_prefix(),
+
+ // load a new write buffer to ensure its durable
+ let wbuf = WriteBufferImpl::new(
+ Arc::clone(&wbuf.persister),
+ Arc::clone(&wbuf.time_provider),
+ Arc::clone(&wbuf.buffer.executor),
+ WalConfig {
+ level_0_duration: Level0Duration::new_1m(),
+ max_write_buffer_size: 100,
+ flush_interval: Duration::from_millis(10),
+ snapshot_size: 1,
+ },
)
- .await;
+ .await
+ .unwrap();
+
+ let catalog_json = catalog_to_json(&wbuf.catalog);
insta::assert_json_snapshot!("catalog-immediately-after-last-cache-create", catalog_json);
+
// Do another write that will update the state of the catalog, specifically, the table
// that the last cache was created for, and add a new field to the table/cache `f2`:
wbuf.write_lp(
NamespaceName::new(db_name).unwrap(),
- format!("{tbl_name},t1=a f1=true,f2=42i").as_str(),
+ format!("{tbl_name},t1=a f1=false,f2=42i").as_str(),
Time::from_timestamp(30, 0).unwrap(),
false,
Precision::Nanosecond,
@@ -738,39 +766,44 @@ mod tests {
.await
.unwrap();
- // do another write, which will force a snapshot of the WAL and thus the persistence of
- // the catalog
+ // and do another replay and verification
+ let wbuf = WriteBufferImpl::new(
+ Arc::clone(&wbuf.persister),
+ Arc::clone(&wbuf.time_provider),
+ Arc::clone(&wbuf.buffer.executor),
+ WalConfig {
+ level_0_duration: Level0Duration::new_1m(),
+ max_write_buffer_size: 100,
+ flush_interval: Duration::from_millis(10),
+ snapshot_size: 1,
+ },
+ )
+ .await
+ .unwrap();
+
+ let catalog_json = catalog_to_json(&wbuf.catalog);
+ insta::assert_json_snapshot!(
+ "catalog-after-last-cache-create-and-new-field",
+ catalog_json
+ );
+
+ // write a new data point to fill the cache
wbuf.write_lp(
NamespaceName::new(db_name).unwrap(),
- format!("{tbl_name},t1=b f1=false").as_str(),
+ format!("{tbl_name},t1=a f1=true,f2=53i").as_str(),
Time::from_timestamp(40, 0).unwrap(),
false,
Precision::Nanosecond,
)
.await
.unwrap();
- // Check the catalog again, to make sure it still has the last cache with the correct
- // configuration:
- let catalog_json = fetch_catalog_as_json(
- Arc::clone(&object_store),
- wbuf.persister.host_identifier_prefix(),
- )
- .await;
- // NOTE: the asserted snapshot is correct in-so-far as the catalog contains the last cache
- // configuration; however, it is not correct w.r.t. the fields. The second write adds a new
- // field `f2` to the last cache (which you can see in the query below), but the persisted
- // catalog does not have `f2` in the value columns. This will need to be fixed, see
- // https://github.com/influxdata/influxdb/issues/25171
- insta::assert_json_snapshot!(
- "catalog-after-allowing-time-to-persist-segments-after-create",
- catalog_json
- );
+
// Fetch record batches from the last cache directly:
let expected = [
"+----+------+----------------------+----+",
"| t1 | f1 | time | f2 |",
"+----+------+----------------------+----+",
- "| a | true | 1970-01-01T00:00:30Z | 42 |",
+ "| a | true | 1970-01-01T00:00:40Z | 53 |",
"+----+------+----------------------+----+",
];
let actual = wbuf
@@ -783,47 +816,23 @@ mod tests {
wbuf.delete_last_cache(db_name, tbl_name, cache_name)
.await
.unwrap();
- // Catalog should be persisted, and no longer have the last cache, without advancing time:
- let catalog_json = fetch_catalog_as_json(
- Arc::clone(&object_store),
- wbuf.persister.host_identifier_prefix(),
- )
- .await;
- insta::assert_json_snapshot!("catalog-immediately-after-last-cache-delete", catalog_json);
- // Do another write so there is data to be persisted in the buffer:
- wbuf.write_lp(
- NamespaceName::new(db_name).unwrap(),
- format!("{tbl_name},t1=b f1=false,f2=1337i").as_str(),
- Time::from_timestamp(830, 0).unwrap(),
- false,
- Precision::Nanosecond,
+
+ // do another reload and verify it's gone
+ let wbuf = WriteBufferImpl::new(
+ Arc::clone(&wbuf.persister),
+ Arc::clone(&wbuf.time_provider),
+ Arc::clone(&wbuf.buffer.executor),
+ WalConfig {
+ level_0_duration: Level0Duration::new_1m(),
+ max_write_buffer_size: 100,
+ flush_interval: Duration::from_millis(10),
+ snapshot_size: 1,
+ },
)
.await
.unwrap();
- // Advance time to allow for persistence of segment data:
- wbuf.time_provider
- .set(Time::from_timestamp(1600, 0).unwrap());
- let mut count = 0;
- loop {
- count += 1;
- tokio::time::sleep(Duration::from_millis(10)).await;
- let files = wbuf.persisted_files.get_files(db_name, tbl_name);
- if !files.is_empty() {
- break;
- } else if count > 9 {
- panic!("not persisting");
- }
- }
- // Check the catalog again, to ensure the last cache is still gone:
- let catalog_json = fetch_catalog_as_json(
- Arc::clone(&object_store),
- wbuf.persister.host_identifier_prefix(),
- )
- .await;
- insta::assert_json_snapshot!(
- "catalog-after-allowing-time-to-persist-segments-after-delete",
- catalog_json
- );
+ let catalog_json = catalog_to_json(&wbuf.catalog);
+ insta::assert_json_snapshot!("catalog-immediately-after-last-cache-delete", catalog_json);
}
#[tokio::test(flavor = "multi_thread", worker_threads = 2)]
@@ -1016,23 +1025,9 @@ mod tests {
assert_batches_sorted_eq!(&expected, &actual);
}
- async fn fetch_catalog_as_json(
- object_store: Arc<dyn ObjectStore>,
- host_identifier_prefix: &str,
- ) -> serde_json::Value {
- let mut list = object_store.list(Some(&CatalogFilePath::dir(host_identifier_prefix)));
- let Some(item) = list.next().await else {
- panic!("there should have been a catalog file persisted");
- };
- let item = item.expect("item from object store");
- let obj = object_store.get(&item.location).await.expect("get catalog");
- serde_json::from_slice::<serde_json::Value>(
- obj.bytes()
- .await
- .expect("get bytes from GetResult")
- .as_ref(),
- )
- .expect("parse bytes as JSON")
+ fn catalog_to_json(catalog: &Catalog) -> serde_json::Value {
+ let bytes = serde_json::to_vec_pretty(catalog).unwrap();
+ serde_json::from_slice::<serde_json::Value>(&bytes).expect("parse bytes as JSON")
}
async fn setup(
diff --git a/influxdb3_write/src/write_buffer/queryable_buffer.rs b/influxdb3_write/src/write_buffer/queryable_buffer.rs
index 87b960a1e9..bf4dd5e666 100644
--- a/influxdb3_write/src/write_buffer/queryable_buffer.rs
+++ b/influxdb3_write/src/write_buffer/queryable_buffer.rs
@@ -16,7 +16,7 @@ use datafusion::logical_expr::Expr;
use datafusion_util::stream_from_batches;
use hashbrown::HashMap;
use influxdb3_catalog::catalog::{Catalog, DatabaseSchema};
-use influxdb3_wal::{SnapshotDetails, WalContents, WalFileNotifier, WalOp, WriteBatch};
+use influxdb3_wal::{CatalogOp, SnapshotDetails, WalContents, WalFileNotifier, WalOp, WriteBatch};
use iox_query::chunk_statistics::{create_chunk_statistics, NoColumnRanges};
use iox_query::exec::Executor;
use iox_query::frontend::reorg::ReorgPlanner;
@@ -131,16 +131,7 @@ impl QueryableBuffer {
let mut buffer = self.buffer.write();
self.last_cache_provider.evict_expired_cache_entries();
self.last_cache_provider.write_wal_contents_to_cache(&write);
-
- for op in write.ops {
- match op {
- WalOp::Write(write_batch) => buffer.add_write_batch(write_batch),
- WalOp::Catalog(catalog_batch) => buffer
- .catalog
- .apply_catalog_batch(&catalog_batch)
- .expect("catalog batch should apply"),
- }
- }
+ buffer.buffer_ops(write.ops, &self.last_cache_provider);
}
/// Called when the wal has written a new file and is attempting to snapshot. Kicks off persistence of
@@ -186,15 +177,7 @@ impl QueryableBuffer {
// we must buffer the ops after the snapshotting as this data should not be persisted
// with this set of wal files
- for op in write.ops {
- match op {
- WalOp::Write(write_batch) => buffer.add_write_batch(write_batch),
- WalOp::Catalog(catalog_batch) => buffer
- .catalog
- .apply_catalog_batch(&catalog_batch)
- .expect("catalog batch should apply"),
- }
- }
+ buffer.buffer_ops(write.ops, &self.last_cache_provider);
persisting_chunks
};
@@ -328,6 +311,50 @@ impl BufferState {
}
}
+ fn buffer_ops(&mut self, ops: Vec<WalOp>, last_cache_provider: &LastCacheProvider) {
+ for op in ops {
+ match op {
+ WalOp::Write(write_batch) => self.add_write_batch(write_batch),
+ WalOp::Catalog(catalog_batch) => {
+ self.catalog
+ .apply_catalog_batch(&catalog_batch)
+ .expect("catalog batch should apply");
+
+ let db_schema = self
+ .catalog
+ .db_schema(&catalog_batch.database_name)
+ .expect("database should exist");
+
+ for op in catalog_batch.ops {
+ match op {
+ CatalogOp::CreateLastCache(definition) => {
+ let table_schema = db_schema
+ .get_table_schema(&definition.table)
+ .expect("table should exist");
+ last_cache_provider.create_cache_from_definition(
+ db_schema.name.as_ref(),
+ table_schema,
+ &definition,
+ );
+ }
+ CatalogOp::DeleteLastCache(cache) => {
+ // we can ignore it if this doesn't exist for any reason
+ let _ = last_cache_provider.delete_cache(
+ db_schema.name.as_ref(),
+ &cache.table,
+ &cache.name,
+ );
+ }
+ CatalogOp::AddFields(_) => (),
+ CatalogOp::CreateTable(_) => (),
+ CatalogOp::CreateDatabase(_) => (),
+ }
+ }
+ }
+ }
+ }
+ }
+
fn add_write_batch(&mut self, write_batch: WriteBatch) {
let db_schema = self
.catalog
diff --git a/influxdb3_write/src/write_buffer/snapshots/influxdb3_write__write_buffer__tests__catalog-after-allowing-time-to-persist-segments-after-delete.snap b/influxdb3_write/src/write_buffer/snapshots/influxdb3_write__write_buffer__tests__catalog-after-allowing-time-to-persist-segments-after-delete.snap
deleted file mode 100644
index 5c2ecd0544..0000000000
--- a/influxdb3_write/src/write_buffer/snapshots/influxdb3_write__write_buffer__tests__catalog-after-allowing-time-to-persist-segments-after-delete.snap
+++ /dev/null
@@ -1,49 +0,0 @@
----
-source: influxdb3_write/src/write_buffer/mod.rs
-expression: catalog_json
----
-{
- "databases": {
- "db": {
- "name": "db",
- "tables": {
- "table": {
- "cols": {
- "f1": {
- "influx_type": "field",
- "nullable": true,
- "type": "bool"
- },
- "f2": {
- "influx_type": "field",
- "nullable": true,
- "type": "i64"
- },
- "t1": {
- "influx_type": "tag",
- "nullable": true,
- "type": {
- "dict": [
- "i32",
- "str"
- ]
- }
- },
- "time": {
- "influx_type": "time",
- "nullable": false,
- "type": {
- "time": [
- "ns",
- null
- ]
- }
- }
- },
- "name": "table"
- }
- }
- }
- },
- "sequence": 7
-}
diff --git a/influxdb3_write/src/write_buffer/snapshots/influxdb3_write__write_buffer__tests__catalog-after-allowing-time-to-persist-segments-after-create.snap b/influxdb3_write/src/write_buffer/snapshots/influxdb3_write__write_buffer__tests__catalog-after-last-cache-create-and-new-field.snap
similarity index 97%
rename from influxdb3_write/src/write_buffer/snapshots/influxdb3_write__write_buffer__tests__catalog-after-allowing-time-to-persist-segments-after-create.snap
rename to influxdb3_write/src/write_buffer/snapshots/influxdb3_write__write_buffer__tests__catalog-after-last-cache-create-and-new-field.snap
index 072943b888..1306dfe17e 100644
--- a/influxdb3_write/src/write_buffer/snapshots/influxdb3_write__write_buffer__tests__catalog-after-allowing-time-to-persist-segments-after-create.snap
+++ b/influxdb3_write/src/write_buffer/snapshots/influxdb3_write__write_buffer__tests__catalog-after-last-cache-create-and-new-field.snap
@@ -1,5 +1,6 @@
---
source: influxdb3_write/src/write_buffer/mod.rs
+assertion_line: 774
expression: catalog_json
---
{
@@ -57,5 +58,5 @@ expression: catalog_json
}
}
},
- "sequence": 6
+ "sequence": 7
}
diff --git a/influxdb3_write/src/write_buffer/snapshots/influxdb3_write__write_buffer__tests__catalog-immediately-after-last-cache-create.snap b/influxdb3_write/src/write_buffer/snapshots/influxdb3_write__write_buffer__tests__catalog-immediately-after-last-cache-create.snap
index c0f5f47c0c..da4b9204c9 100644
--- a/influxdb3_write/src/write_buffer/snapshots/influxdb3_write__write_buffer__tests__catalog-immediately-after-last-cache-create.snap
+++ b/influxdb3_write/src/write_buffer/snapshots/influxdb3_write__write_buffer__tests__catalog-immediately-after-last-cache-create.snap
@@ -52,5 +52,5 @@ expression: catalog_json
}
}
},
- "sequence": 4
+ "sequence": 2
}
diff --git a/influxdb3_write/src/write_buffer/snapshots/influxdb3_write__write_buffer__tests__catalog-immediately-after-last-cache-delete.snap b/influxdb3_write/src/write_buffer/snapshots/influxdb3_write__write_buffer__tests__catalog-immediately-after-last-cache-delete.snap
index 5c2ecd0544..f44aec3b72 100644
--- a/influxdb3_write/src/write_buffer/snapshots/influxdb3_write__write_buffer__tests__catalog-immediately-after-last-cache-delete.snap
+++ b/influxdb3_write/src/write_buffer/snapshots/influxdb3_write__write_buffer__tests__catalog-immediately-after-last-cache-delete.snap
@@ -45,5 +45,5 @@ expression: catalog_json
}
}
},
- "sequence": 7
+ "sequence": 8
}
diff --git a/influxdb3_write/src/write_buffer/validator.rs b/influxdb3_write/src/write_buffer/validator.rs
index e036978cb8..1a504948cf 100644
--- a/influxdb3_write/src/write_buffer/validator.rs
+++ b/influxdb3_write/src/write_buffer/validator.rs
@@ -22,6 +22,7 @@ use super::Error;
pub(crate) struct WithCatalog {
catalog: Arc<Catalog>,
db_schema: Arc<DatabaseSchema>,
+ time_now_ns: i64,
}
/// Type state for the [`WriteValidator`] after it has parsed v1 or v3
@@ -45,10 +46,15 @@ impl WriteValidator<WithCatalog> {
pub(crate) fn initialize(
db_name: NamespaceName<'static>,
catalog: Arc<Catalog>,
+ time_now_ns: i64,
) -> Result<WriteValidator<WithCatalog>> {
let db_schema = catalog.db_or_create(db_name.as_str())?;
Ok(WriteValidator {
- state: WithCatalog { catalog, db_schema },
+ state: WithCatalog {
+ catalog,
+ db_schema,
+ time_now_ns,
+ },
})
}
@@ -105,6 +111,7 @@ impl WriteValidator<WithCatalog> {
} else {
let catalog_batch = CatalogBatch {
database_name: Arc::clone(&self.state.db_schema.name),
+ time_ns: self.state.time_now_ns,
ops: catalog_updates,
};
self.state.catalog.apply_catalog_batch(&catalog_batch)?;
@@ -178,6 +185,7 @@ impl WriteValidator<WithCatalog> {
None
} else {
let catalog_batch = CatalogBatch {
+ time_ns: self.state.time_now_ns,
database_name: Arc::clone(&self.state.db_schema.name),
ops: catalog_updates,
};
@@ -775,7 +783,7 @@ mod tests {
fn write_validator_v1() -> Result<(), Error> {
let namespace = NamespaceName::new("test").unwrap();
let catalog = Arc::new(Catalog::new());
- let result = WriteValidator::initialize(namespace.clone(), catalog)?
+ let result = WriteValidator::initialize(namespace.clone(), catalog, 0)?
.v1_parse_lines_and_update_schema("cpu,tag1=foo val1=\"bar\" 1234", false)?
.convert_lines_to_buffer(
Time::from_timestamp_nanos(0),
|
30b292f3df54ed596ad970ea73bd706a5648d5a9
|
Fraser Savage
|
2023-03-30 15:33:33
|
Update namespace service protection limits
|
This commit adds a client method to invoke the
UpdateNamespaceServiceProtectionLimits RPC API, providing a user
friendly way to do this through the IOx command line.
| null |
feat(cli): Update namespace service protection limits
This commit adds a client method to invoke the
UpdateNamespaceServiceProtectionLimits RPC API, providing a user
friendly way to do this through the IOx command line.
|
diff --git a/influxdb_iox/src/commands/namespace/mod.rs b/influxdb_iox/src/commands/namespace/mod.rs
index c823847d7f..9edb414fbb 100644
--- a/influxdb_iox/src/commands/namespace/mod.rs
+++ b/influxdb_iox/src/commands/namespace/mod.rs
@@ -6,6 +6,7 @@ use thiserror::Error;
mod create;
mod delete;
mod retention;
+mod update_limit;
#[allow(clippy::enum_variant_names)]
#[derive(Debug, Error)]
@@ -15,8 +16,13 @@ pub enum Error {
#[error("Client error: {0}")]
ClientError(#[from] influxdb_iox_client::error::Error),
+
+ #[error("No valid limit was provided")]
+ InvalidLimit,
}
+pub type Result<T, E = Error> = std::result::Result<T, E>;
+
/// Various commands for namespace inspection
#[derive(Debug, clap::Parser)]
pub struct Config {
@@ -36,11 +42,14 @@ enum Command {
/// Update retention of an existing namespace
Retention(retention::Config),
+ /// Update one of the service protection limits for an existing namespace
+ UpdateLimit(update_limit::Config),
+
/// Delete a namespace
Delete(delete::Config),
}
-pub async fn command(connection: Connection, config: Config) -> Result<(), Error> {
+pub async fn command(connection: Connection, config: Config) -> Result<()> {
match config.command {
Command::Create(config) => {
create::command(connection, config).await?;
@@ -53,6 +62,9 @@ pub async fn command(connection: Connection, config: Config) -> Result<(), Error
Command::Retention(config) => {
retention::command(connection, config).await?;
}
+ Command::UpdateLimit(config) => {
+ update_limit::command(connection, config).await?;
+ }
Command::Delete(config) => {
delete::command(connection, config).await?;
} // Deliberately not adding _ => so the compiler will direct people here to impl new
diff --git a/influxdb_iox/src/commands/namespace/update_limit.rs b/influxdb_iox/src/commands/namespace/update_limit.rs
new file mode 100644
index 0000000000..2aefa70305
--- /dev/null
+++ b/influxdb_iox/src/commands/namespace/update_limit.rs
@@ -0,0 +1,67 @@
+use influxdb_iox_client::connection::Connection;
+use influxdb_iox_client::namespace::generated_types::LimitUpdate;
+
+use crate::commands::namespace::{Error, Result};
+
+#[derive(Debug, clap::Parser)]
+pub struct Config {
+ /// The namespace to update a service protection limit for
+ #[clap(action)]
+ namespace: String,
+
+ #[command(flatten)]
+ args: Args,
+}
+
+#[derive(Debug, clap::Args)]
+#[clap(group(
+ clap::ArgGroup::new("limit")
+ .required(true)
+ .args(&["max_tables", "max_columns_per_table"])
+ ))]
+struct Args {
+ /// The maximum number of tables to allow for this namespace
+ #[clap(action, long = "max-tables", short = 't', group = "limit")]
+ max_tables: Option<i32>,
+
+ /// The maximum number of columns to allow per table for this namespace
+ #[clap(action, long = "max-columns-per-table", short = 'c', group = "limit")]
+ max_columns_per_table: Option<i32>,
+}
+
+impl TryFrom<Args> for LimitUpdate {
+ type Error = Error;
+ fn try_from(args: Args) -> Result<Self> {
+ let Args {
+ max_tables,
+ max_columns_per_table,
+ } = args;
+
+ if let Some(n) = max_tables {
+ return Ok(Self::MaxTables(n));
+ }
+ if let Some(n) = max_columns_per_table {
+ return Ok(Self::MaxColumnsPerTable(n));
+ }
+
+ Err(Error::InvalidLimit)
+ }
+}
+
+pub async fn command(connection: Connection, config: Config) -> Result<()> {
+ let mut client = influxdb_iox_client::namespace::Client::new(connection);
+
+ let namespace = client
+ .update_namespace_service_protection_limit(
+ &config.namespace,
+ LimitUpdate::try_from(config.args)?,
+ )
+ .await?;
+ println!("{}", serde_json::to_string_pretty(&namespace)?);
+
+ println!(
+ r"
+NOTE: This change will NOT take effect until all router instances have been restarted!"
+ );
+ Ok(())
+}
diff --git a/influxdb_iox/tests/end_to_end_cases/cli.rs b/influxdb_iox/tests/end_to_end_cases/cli.rs
index d9996dae03..71173d109a 100644
--- a/influxdb_iox/tests/end_to_end_cases/cli.rs
+++ b/influxdb_iox/tests/end_to_end_cases/cli.rs
@@ -1040,3 +1040,113 @@ async fn query_ingester() {
.run()
.await
}
+
+/// Test the namespace update service limit command
+#[tokio::test]
+async fn namespace_update_service_limit() {
+ test_helpers::maybe_start_logging();
+ let database_url = maybe_skip_integration!();
+ let mut cluster = MiniCluster::create_shared2(database_url).await;
+
+ StepTest::new(
+ &mut cluster,
+ vec![
+ Step::Custom(Box::new(|state: &mut StepTestState| {
+ async {
+ let namespace = "service_limiter_namespace";
+ let addr = state.cluster().router().router_grpc_base().to_string();
+
+ // {
+ // "id": <foo>,
+ // "name": "service_limiter_namespace",
+ // "serviceProtectionLimits": {
+ // "maxTables": 500,
+ // "maxColumnsPerTable": 200
+ // }
+ // }
+ Command::cargo_bin("influxdb_iox")
+ .unwrap()
+ .arg("-h")
+ .arg(&addr)
+ .arg("namespace")
+ .arg("create")
+ .arg(namespace)
+ .assert()
+ .success()
+ .stdout(
+ predicate::str::contains(namespace)
+ .and(predicate::str::contains(r#""maxTables": 500"#))
+ .and(predicate::str::contains(r#""maxColumnsPerTable": 200"#)),
+ );
+ }
+ .boxed()
+ })),
+ Step::Custom(Box::new(|state: &mut StepTestState| {
+ async {
+ let namespace = "service_limiter_namespace";
+ let addr = state.cluster().router().router_grpc_base().to_string();
+
+ // {
+ // "id": <foo>,
+ // "name": "service_limiter_namespace",
+ // "serviceProtectionLimits": {
+ // "maxTables": 1337,
+ // "maxColumnsPerTable": 200
+ // }
+ // }
+ Command::cargo_bin("influxdb_iox")
+ .unwrap()
+ .arg("-h")
+ .arg(&addr)
+ .arg("namespace")
+ .arg("update-limit")
+ .arg("--max-tables")
+ .arg("1337")
+ .arg(namespace)
+ .assert()
+ .success()
+ .stdout(
+ predicate::str::contains(namespace)
+ .and(predicate::str::contains(r#""maxTables": 1337"#))
+ .and(predicate::str::contains(r#""maxColumnsPerTable": 200"#)),
+ );
+ }
+ .boxed()
+ })),
+ Step::Custom(Box::new(|state: &mut StepTestState| {
+ async {
+ let namespace = "service_limiter_namespace";
+ let addr = state.cluster().router().router_grpc_base().to_string();
+
+ // {
+ // "id": <foo>,
+ // "name": "service_limiter_namespace",
+ // "serviceProtectionLimits": {
+ // "maxTables": 1337,
+ // "maxColumnsPerTable": 42
+ // }
+ // }
+ Command::cargo_bin("influxdb_iox")
+ .unwrap()
+ .arg("-h")
+ .arg(&addr)
+ .arg("namespace")
+ .arg("update-limit")
+ .arg("--max-columns-per-table")
+ .arg("42")
+ .arg(namespace)
+ .assert()
+ .success()
+ .stdout(
+ predicate::str::contains(namespace)
+ .and(predicate::str::contains(r#""maxTables": 1337"#))
+ .and(predicate::str::contains(r#""maxColumnsPerTable": 42"#)),
+ );
+ }
+ .boxed()
+ })),
+ ],
+ )
+ .run()
+ .await
+}
diff --git a/influxdb_iox_client/src/client/namespace.rs b/influxdb_iox_client/src/client/namespace.rs
index c94ea8389c..fb88dca097 100644
--- a/influxdb_iox_client/src/client/namespace.rs
+++ b/influxdb_iox_client/src/client/namespace.rs
@@ -7,7 +7,9 @@ use ::generated_types::google::OptionalField;
/// Re-export generated_types
pub mod generated_types {
- pub use generated_types::influxdata::iox::namespace::v1::*;
+ pub use generated_types::influxdata::iox::namespace::v1::{
+ update_namespace_service_protection_limit_request::LimitUpdate, *,
+ };
}
/// A basic client for working with Namespaces.
@@ -77,6 +79,30 @@ impl Client {
Ok(response.into_inner().namespace.unwrap_field("namespace")?)
}
+ /// Update one of the service protection limits for a namespace
+ ///
+ /// `limit_update` is the new service limit protection limit to set
+ /// on the namespace.
+ ///
+ /// Zero-valued limits are rejected, returning an error.
+ pub async fn update_namespace_service_protection_limit(
+ &mut self,
+ namespace: &str,
+ limit_update: LimitUpdate,
+ ) -> Result<Namespace, Error> {
+ let response = self
+ .inner
+ .update_namespace_service_protection_limit(
+ UpdateNamespaceServiceProtectionLimitRequest {
+ name: namespace.to_string(),
+ limit_update: Some(limit_update),
+ },
+ )
+ .await?;
+
+ Ok(response.into_inner().namespace.unwrap_field("namespace")?)
+ }
+
/// Delete a namespace
pub async fn delete_namespace(&mut self, namespace: &str) -> Result<(), Error> {
self.inner
|
6c17ee29a5f31570f416b2075a0630f7ef35cc29
|
Andrew Lamb
|
2022-11-10 06:59:54
|
make logging clearer when parquet files upload is retried (#6056)
|
* feat: log success when parquet files are retried
* fix: Update parquet_file/src/storage.rs
Co-authored-by: Carol (Nichols || Goulding) <[email protected]>
* fix: fmt
|
Co-authored-by: Carol (Nichols || Goulding) <[email protected]>
Co-authored-by: kodiakhq[bot] <49736102+kodiakhq[bot]@users.noreply.github.com>
|
feat: make logging clearer when parquet files upload is retried (#6056)
* feat: log success when parquet files are retried
* fix: Update parquet_file/src/storage.rs
Co-authored-by: Carol (Nichols || Goulding) <[email protected]>
* fix: fmt
Co-authored-by: Carol (Nichols || Goulding) <[email protected]>
Co-authored-by: kodiakhq[bot] <49736102+kodiakhq[bot]@users.noreply.github.com>
|
diff --git a/parquet_file/src/storage.rs b/parquet_file/src/storage.rs
index c4702fc246..963bab4618 100644
--- a/parquet_file/src/storage.rs
+++ b/parquet_file/src/storage.rs
@@ -242,9 +242,18 @@ impl ParquetStorage {
// This is abort-able by the user by dropping the upload() future.
//
// Cloning `data` is a ref count inc, rather than a data copy.
+ let mut retried = false;
while let Err(e) = self.object_store.put(&path, data.clone()).await {
- error!(error=%e, ?meta, "failed to upload parquet file to object storage");
+ warn!(error=%e, ?meta, "failed to upload parquet file to object storage, retrying");
tokio::time::sleep(Duration::from_secs(1)).await;
+ retried = true;
+ }
+
+ if retried {
+ info!(
+ ?meta,
+ "Succeeded uploading files to object storage on retry"
+ );
}
Ok((parquet_meta, file_size))
|
3e26567e058aa9febea3172e6b5256b537f14662
|
Marco Neumann
|
2023-06-15 10:01:55
|
cache slices instead of vecs (#7989)
|
Immutable `Box<Vec<T>>`/`Arc<Vec<T>>` are better stored as
`Box<[T]>`/`Arc<[T]>` because:
- allocation always exact (no need for `shrink_to_fit`)
- smaller (the fat pointer is just the memory address and the length, no
capacity required)
- less allocation (`Box`/`Arc` -> slice instead of `Box`/`Arc` -> `Vec`
-> buffer); in fact the vector itself was offen missing in the
accounting code
Found while I was working on #7987.
|
Co-authored-by: kodiakhq[bot] <49736102+kodiakhq[bot]@users.noreply.github.com>
|
refactor: cache slices instead of vecs (#7989)
Immutable `Box<Vec<T>>`/`Arc<Vec<T>>` are better stored as
`Box<[T]>`/`Arc<[T]>` because:
- allocation always exact (no need for `shrink_to_fit`)
- smaller (the fat pointer is just the memory address and the length, no
capacity required)
- less allocation (`Box`/`Arc` -> slice instead of `Box`/`Arc` -> `Vec`
-> buffer); in fact the vector itself was offen missing in the
accounting code
Found while I was working on #7987.
Co-authored-by: kodiakhq[bot] <49736102+kodiakhq[bot]@users.noreply.github.com>
|
diff --git a/querier/src/cache/namespace.rs b/querier/src/cache/namespace.rs
index 521aa9419e..9c57ccb167 100644
--- a/querier/src/cache/namespace.rs
+++ b/querier/src/cache/namespace.rs
@@ -215,7 +215,7 @@ pub struct CachedTable {
pub schema: Schema,
pub column_id_map: HashMap<ColumnId, Arc<str>>,
pub column_id_map_rev: HashMap<Arc<str>, ColumnId>,
- pub primary_key_column_ids: Vec<ColumnId>,
+ pub primary_key_column_ids: Box<[ColumnId]>,
}
impl CachedTable {
@@ -234,7 +234,7 @@ impl CachedTable {
.keys()
.map(|name| name.len())
.sum::<usize>()
- + (self.primary_key_column_ids.capacity() * size_of::<ColumnId>())
+ + (self.primary_key_column_ids.len() * size_of::<ColumnId>())
}
}
@@ -259,7 +259,7 @@ impl From<TableSchema> for CachedTable {
.collect();
column_id_map_rev.shrink_to_fit();
- let mut primary_key_column_ids: Vec<ColumnId> = schema
+ let primary_key_column_ids = schema
.primary_key()
.into_iter()
.map(|name| {
@@ -268,7 +268,6 @@ impl From<TableSchema> for CachedTable {
.unwrap_or_else(|| panic!("primary key not known?!: {name}"))
})
.collect();
- primary_key_column_ids.shrink_to_fit();
Self {
id,
@@ -394,7 +393,7 @@ mod tests {
(Arc::from(col112.column.name.clone()), col112.column.id),
(Arc::from(col113.column.name.clone()), col113.column.id),
]),
- primary_key_column_ids: vec![col112.column.id, col113.column.id],
+ primary_key_column_ids: [col112.column.id, col113.column.id].into(),
}),
),
(
@@ -415,7 +414,7 @@ mod tests {
(Arc::from(col121.column.name.clone()), col121.column.id),
(Arc::from(col122.column.name.clone()), col122.column.id),
]),
- primary_key_column_ids: vec![col122.column.id],
+ primary_key_column_ids: [col122.column.id].into(),
}),
),
]),
@@ -447,7 +446,7 @@ mod tests {
Arc::from(col211.column.name.clone()),
col211.column.id,
)]),
- primary_key_column_ids: vec![col211.column.id],
+ primary_key_column_ids: [col211.column.id].into(),
}),
)]),
};
diff --git a/querier/src/cache/parquet_file.rs b/querier/src/cache/parquet_file.rs
index 0a96882aae..633a837571 100644
--- a/querier/src/cache/parquet_file.rs
+++ b/querier/src/cache/parquet_file.rs
@@ -38,13 +38,13 @@ pub enum Error {
},
}
-type IngesterCounts = Option<Arc<Vec<(Uuid, u64)>>>;
+type IngesterCounts = Option<Arc<[(Uuid, u64)]>>;
/// Holds catalog information about a parquet file
#[derive(Debug)]
pub struct CachedParquetFiles {
/// Parquet catalog information
- pub files: Arc<Vec<Arc<ParquetFile>>>,
+ pub files: Arc<[Arc<ParquetFile>]>,
/// Number of persisted Parquet files per table ID per ingester UUID that ingesters have told
/// us about. When a call to `get` includes a number of persisted Parquet files for this table
@@ -60,10 +60,10 @@ impl CachedParquetFiles {
parquet_files: Vec<ParquetFile>,
persisted_file_counts_from_ingesters: IngesterCounts,
) -> Self {
- let files: Vec<_> = parquet_files.into_iter().map(Arc::new).collect();
+ let files = parquet_files.into_iter().map(Arc::new).collect();
Self {
- files: Arc::new(files),
+ files,
persisted_file_counts_from_ingesters,
}
}
@@ -71,13 +71,13 @@ impl CachedParquetFiles {
/// return the underlying files as a new Vec
#[cfg(test)]
fn vec(&self) -> Vec<Arc<ParquetFile>> {
- self.files.as_ref().clone()
+ self.files.as_ref().to_vec()
}
/// Estimate the memory consumption of this object and its contents
fn size(&self) -> usize {
// simplify accounting by ensuring len and capacity of vector are the same
- assert_eq!(self.files.len(), self.files.capacity());
+ assert_eq!(self.files.len(), self.files.len());
// Note size_of_val is the size of the Arc
// https://play.rust-lang.org/?version=stable&mode=debug&edition=2021&gist=ae8fee8b4f7f5f013dc01ea1fda165da
@@ -93,7 +93,7 @@ impl CachedParquetFiles {
.as_ref()
.map(|map| {
std::mem::size_of_val(map.as_ref()) +
- map.capacity() * mem::size_of::<(Uuid, u64)>()
+ map.len() * mem::size_of::<(Uuid, u64)>()
}).unwrap_or_default()
}
}
@@ -227,8 +227,7 @@ impl ParquetFileCache {
persisted_file_counts_by_ingester_uuid.map(|map| {
let mut entries = map.into_iter().collect::<Vec<_>>();
entries.sort();
- entries.shrink_to_fit();
- Arc::new(entries)
+ entries.into()
});
let persisted_file_counts_by_ingester_uuid_captured =
persisted_file_counts_by_ingester_uuid.clone();
@@ -246,7 +245,7 @@ impl ParquetFileCache {
cached_file
.persisted_file_counts_from_ingesters
.as_ref()
- .map(|x| x.as_ref().as_ref()),
+ .map(|x| x.as_ref()),
ingester_counts,
)
} else {
@@ -361,7 +360,7 @@ mod tests {
let table_id = table.table.id;
let single_file_size = 200;
- let two_file_size = 360;
+ let two_file_size = 368;
assert!(single_file_size < two_file_size);
let cache = make_cache(&catalog);
diff --git a/querier/src/cache/partition.rs b/querier/src/cache/partition.rs
index a3de22d0ff..1ef5de87cf 100644
--- a/querier/src/cache/partition.rs
+++ b/querier/src/cache/partition.rs
@@ -166,14 +166,14 @@ impl CachedPartition {
pub struct PartitionSortKey {
pub sort_key: Arc<SortKey>,
pub column_set: HashSet<ColumnId>,
- pub column_order: Vec<ColumnId>,
+ pub column_order: Box<[ColumnId]>,
}
impl PartitionSortKey {
fn new(sort_key: SortKey, column_id_map_rev: &HashMap<Arc<str>, ColumnId>) -> Self {
let sort_key = Arc::new(sort_key);
- let mut column_order: Vec<ColumnId> = sort_key
+ let column_order: Box<[ColumnId]> = sort_key
.iter()
.map(|(name, _opts)| {
*column_id_map_rev
@@ -181,7 +181,6 @@ impl PartitionSortKey {
.unwrap_or_else(|| panic!("column_id_map_rev misses data: {name}"))
})
.collect();
- column_order.shrink_to_fit();
let mut column_set: HashSet<ColumnId> = column_order.iter().copied().collect();
column_set.shrink_to_fit();
@@ -198,7 +197,7 @@ impl PartitionSortKey {
size_of_val(self)
+ self.sort_key.as_ref().size()
+ (self.column_set.capacity() * size_of::<ColumnId>())
- + (self.column_order.capacity() * size_of::<ColumnId>())
+ + (self.column_order.len() * size_of::<ColumnId>())
}
}
@@ -239,7 +238,7 @@ mod tests {
(Arc::from(c1.column.name.clone()), c1.column.id),
(Arc::from(c2.column.name.clone()), c2.column.id),
]),
- primary_key_column_ids: vec![c1.column.id, c2.column.id],
+ primary_key_column_ids: [c1.column.id, c2.column.id].into(),
});
let cache = PartitionCache::new(
@@ -259,7 +258,7 @@ mod tests {
&PartitionSortKey {
sort_key: Arc::new(p1.sort_key().unwrap()),
column_set: HashSet::from([c1.column.id, c2.column.id]),
- column_order: vec![c1.column.id, c2.column.id],
+ column_order: [c1.column.id, c2.column.id].into(),
}
);
assert_histogram_metric_count(&catalog.metric_registry, "partition_get_by_id", 1);
@@ -320,7 +319,7 @@ mod tests {
(Arc::from(c1.column.name.clone()), c1.column.id),
(Arc::from(c2.column.name.clone()), c2.column.id),
]),
- primary_key_column_ids: vec![c1.column.id, c2.column.id],
+ primary_key_column_ids: [c1.column.id, c2.column.id].into(),
});
let cache = PartitionCache::new(
@@ -370,7 +369,7 @@ mod tests {
(Arc::from(c1.column.name.clone()), c1.column.id),
(Arc::from(c2.column.name.clone()), c2.column.id),
]),
- primary_key_column_ids: vec![c1.column.id, c2.column.id],
+ primary_key_column_ids: [c1.column.id, c2.column.id].into(),
});
let cache = PartitionCache::new(
@@ -421,7 +420,7 @@ mod tests {
&PartitionSortKey {
sort_key: Arc::new(p_sort_key.clone().unwrap()),
column_set: HashSet::from([c1.column.id, c2.column.id]),
- column_order: vec![c1.column.id, c2.column.id],
+ column_order: [c1.column.id, c2.column.id].into(),
}
);
assert_histogram_metric_count(&catalog.metric_registry, "partition_get_by_id", 4);
diff --git a/querier/src/cache/projected_schema.rs b/querier/src/cache/projected_schema.rs
index 4213324293..57d42e0f19 100644
--- a/querier/src/cache/projected_schema.rs
+++ b/querier/src/cache/projected_schema.rs
@@ -29,7 +29,7 @@ const CACHE_ID: &str = "projected_schema";
#[derive(Debug, Clone, Hash, PartialEq, Eq, PartialOrd, Ord)]
struct CacheKey {
table_id: TableId,
- projection: Vec<ColumnId>,
+ projection: Box<[ColumnId]>,
}
impl CacheKey {
@@ -40,18 +40,15 @@ impl CacheKey {
// normalize column order
projection.sort();
- // ensure that cache key is as small as possible
- projection.shrink_to_fit();
-
Self {
table_id,
- projection,
+ projection: projection.into(),
}
}
/// Size in of key including `Self`.
fn size(&self) -> usize {
- size_of_val(self) + self.projection.capacity() * size_of::<ColumnId>()
+ size_of_val(self) + self.projection.len() * size_of::<ColumnId>()
}
}
@@ -207,37 +204,40 @@ mod tests {
schema: table_schema_a.clone(),
column_id_map: column_id_map_a.clone(),
column_id_map_rev: reverse_map(&column_id_map_a),
- primary_key_column_ids: vec![
+ primary_key_column_ids: [
ColumnId::new(1),
ColumnId::new(2),
ColumnId::new(3),
ColumnId::new(4),
- ],
+ ]
+ .into(),
});
let table_1b = Arc::new(CachedTable {
id: table_id_1,
schema: table_schema_b.clone(),
column_id_map: column_id_map_b.clone(),
column_id_map_rev: reverse_map(&column_id_map_b),
- primary_key_column_ids: vec![
+ primary_key_column_ids: [
ColumnId::new(1),
ColumnId::new(2),
ColumnId::new(3),
ColumnId::new(4),
- ],
+ ]
+ .into(),
});
let table_2a = Arc::new(CachedTable {
id: table_id_2,
schema: table_schema_a.clone(),
column_id_map: column_id_map_a.clone(),
column_id_map_rev: reverse_map(&column_id_map_a),
- primary_key_column_ids: vec![
+ primary_key_column_ids: [
ColumnId::new(1),
ColumnId::new(2),
ColumnId::new(3),
ColumnId::new(4),
ColumnId::new(5),
- ],
+ ]
+ .into(),
});
// initial request
diff --git a/querier/src/parquet/creation.rs b/querier/src/parquet/creation.rs
index 9112176f38..65a65b574c 100644
--- a/querier/src/parquet/creation.rs
+++ b/querier/src/parquet/creation.rs
@@ -62,7 +62,7 @@ impl ChunkAdapter {
pub(crate) async fn new_chunks(
&self,
cached_table: Arc<CachedTable>,
- files: Arc<Vec<Arc<ParquetFile>>>,
+ files: Arc<[Arc<ParquetFile>]>,
predicate: &Predicate,
early_pruning_observer: MetricPruningObserver,
span: Option<Span>,
diff --git a/querier/src/parquet/mod.rs b/querier/src/parquet/mod.rs
index 8900f3da10..6663f3dd41 100644
--- a/querier/src/parquet/mod.rs
+++ b/querier/src/parquet/mod.rs
@@ -240,7 +240,7 @@ pub mod tests {
self.adapter
.new_chunks(
Arc::clone(cached_table),
- Arc::new(vec![Arc::clone(&self.parquet_file)]),
+ vec![Arc::clone(&self.parquet_file)].into(),
&Predicate::new(),
MetricPruningObserver::new_unregistered(),
None,
|
bfa476c08fedbd604dc843bd25c86e57b0406422
|
Dom Dwyer
|
2023-02-21 14:30:33
|
PartitionStream construction helper
|
Mocking out query responses requires constructing a PartitionResponse
containing the set of PartitionStream, itself a stream of RecordBatch.
This nested stream of structures is required to enable a pull-based /
streaming query response, but makes testing difficult because the types
are hard to initialise.
This commit adds a helper macro make_partition_stream! which when
combined with make_batch! to initialise the inner RecordBatch instances,
reduces the developer burden when writing test code that interacts with
query responses:
let stream = make_partition_stream!(
PartitionId::new(1) => [
make_batch!(
Int64Array("a" => vec![1, 2, 3, 4, 5]),
Float32Array("b" => vec![4.1, 4.2, 4.3, 4.4, 5.0]),
),
make_batch!(
Int64Array("c" => vec![1, 2, 3, 4, 5]),
),
],
PartitionId::new(2) => [
make_batch!(
Float32Array("d" => vec![1.1, 2.2, 3.3, 4.4, 5.5]),
),
],
);
The above yields a PartitionStream containing two partitions, with their
respective RecordBatch instances.
| null |
test: PartitionStream construction helper
Mocking out query responses requires constructing a PartitionResponse
containing the set of PartitionStream, itself a stream of RecordBatch.
This nested stream of structures is required to enable a pull-based /
streaming query response, but makes testing difficult because the types
are hard to initialise.
This commit adds a helper macro make_partition_stream! which when
combined with make_batch! to initialise the inner RecordBatch instances,
reduces the developer burden when writing test code that interacts with
query responses:
let stream = make_partition_stream!(
PartitionId::new(1) => [
make_batch!(
Int64Array("a" => vec![1, 2, 3, 4, 5]),
Float32Array("b" => vec![4.1, 4.2, 4.3, 4.4, 5.0]),
),
make_batch!(
Int64Array("c" => vec![1, 2, 3, 4, 5]),
),
],
PartitionId::new(2) => [
make_batch!(
Float32Array("d" => vec![1.1, 2.2, 3.3, 4.4, 5.5]),
),
],
);
The above yields a PartitionStream containing two partitions, with their
respective RecordBatch instances.
|
diff --git a/ingester2/src/test_util.rs b/ingester2/src/test_util.rs
index 2e932fd571..c2a15253e5 100644
--- a/ingester2/src/test_util.rs
+++ b/ingester2/src/test_util.rs
@@ -52,6 +52,65 @@ macro_rules! make_batch {(
}}
}
+/// Construct a [`PartitionStream`] from the given partitions & batches.
+///
+/// This example constructs a [`PartitionStream`] yielding two partitions
+/// (with IDs 1 & 2), the former containing two [`RecordBatch`] and the
+/// latter containing one.
+///
+/// See [`make_batch`] for a handy way to construct the [`RecordBatch`].
+///
+/// ```
+/// let stream = make_partition_stream!(
+/// PartitionId::new(1) => [
+/// make_batch!(
+/// Int64Array("a" => vec![1, 2, 3, 4, 5]),
+/// Float32Array("b" => vec![4.1, 4.2, 4.3, 4.4, 5.0]),
+/// ),
+/// make_batch!(
+/// Int64Array("c" => vec![1, 2, 3, 4, 5]),
+/// ),
+/// ],
+/// PartitionId::new(2) => [
+/// make_batch!(
+/// Float32Array("d" => vec![1.1, 2.2, 3.3, 4.4, 5.5]),
+/// ),
+/// ],
+/// );
+/// ```
+#[macro_export]
+macro_rules! make_partition_stream {
+ (
+ $(
+ $id:expr => [$($batch:expr,)+],
+ )+
+ ) => {{
+ use arrow::datatypes::Schema;
+ use datafusion::physical_plan::memory::MemoryStream;
+ use $crate::query::{response::PartitionStream, partition_response::PartitionResponse};
+ use futures::stream;
+
+ PartitionStream::new(stream::iter([
+ $({
+ let mut batches = vec![];
+ let mut schema = Schema::empty();
+ $(
+ let (batch, this_schema) = $batch;
+ batches.push(batch);
+ schema = Schema::try_merge([schema, (*this_schema).clone()]).expect("incompatible batch schemas");
+ )+
+
+ let batch = MemoryStream::try_new(batches, Arc::new(schema), None).unwrap();
+ PartitionResponse::new(
+ Some(Box::pin(batch)),
+ $id,
+ 42,
+ )
+ },)+
+ ]))
+ }};
+ }
+
/// Construct a [`DmlWrite`] with the specified parameters, for LP that contains
/// a single table identified by `table_id`.
///
|
6e13ff8cb8ae5644d65add024b10785ec2dfa1b4
|
Andrew Lamb
|
2023-08-02 09:58:16
|
Update DataFusion pin (#8390)
|
* chore: Update DataFusion pin
* chore: Update for API
* fix: update plans
---------
|
Co-authored-by: kodiakhq[bot] <49736102+kodiakhq[bot]@users.noreply.github.com>
|
chore: Update DataFusion pin (#8390)
* chore: Update DataFusion pin
* chore: Update for API
* fix: update plans
---------
Co-authored-by: kodiakhq[bot] <49736102+kodiakhq[bot]@users.noreply.github.com>
|
diff --git a/Cargo.lock b/Cargo.lock
index d3397de382..1bcac8c3d8 100644
--- a/Cargo.lock
+++ b/Cargo.lock
@@ -699,7 +699,7 @@ source = "registry+https://github.com/rust-lang/crates.io-index"
checksum = "6798148dccfbff0fae41c7574d2fa8f1ef3492fba0face179de5d8d447d67b05"
dependencies = [
"memchr",
- "regex-automata 0.3.4",
+ "regex-automata 0.3.3",
"serde",
]
@@ -778,12 +778,11 @@ checksum = "37b2a672a2cb129a2e41c10b1224bb368f9f37a2b16b612598138befd7b37eb5"
[[package]]
name = "cc"
-version = "1.0.80"
+version = "1.0.79"
source = "registry+https://github.com/rust-lang/crates.io-index"
-checksum = "51f1226cd9da55587234753d1245dd5b132343ea240f26b6a9003d68706141ba"
+checksum = "50d30906286121d95be3d479533b458f87493b30a4b5f79a607db8f5d11aa91f"
dependencies = [
"jobserver",
- "libc",
]
[[package]]
@@ -1376,7 +1375,7 @@ dependencies = [
[[package]]
name = "datafusion"
version = "28.0.0"
-source = "git+https://github.com/apache/arrow-datafusion.git?rev=2cf5f5b5bb824598de185d64c541c52c930728cf#2cf5f5b5bb824598de185d64c541c52c930728cf"
+source = "git+https://github.com/apache/arrow-datafusion.git?rev=5faa10b2911ecca4c2199f78ae675363c7d8230e#5faa10b2911ecca4c2199f78ae675363c7d8230e"
dependencies = [
"ahash",
"arrow",
@@ -1424,7 +1423,7 @@ dependencies = [
[[package]]
name = "datafusion-common"
version = "28.0.0"
-source = "git+https://github.com/apache/arrow-datafusion.git?rev=2cf5f5b5bb824598de185d64c541c52c930728cf#2cf5f5b5bb824598de185d64c541c52c930728cf"
+source = "git+https://github.com/apache/arrow-datafusion.git?rev=5faa10b2911ecca4c2199f78ae675363c7d8230e#5faa10b2911ecca4c2199f78ae675363c7d8230e"
dependencies = [
"arrow",
"arrow-array",
@@ -1438,7 +1437,7 @@ dependencies = [
[[package]]
name = "datafusion-execution"
version = "28.0.0"
-source = "git+https://github.com/apache/arrow-datafusion.git?rev=2cf5f5b5bb824598de185d64c541c52c930728cf#2cf5f5b5bb824598de185d64c541c52c930728cf"
+source = "git+https://github.com/apache/arrow-datafusion.git?rev=5faa10b2911ecca4c2199f78ae675363c7d8230e#5faa10b2911ecca4c2199f78ae675363c7d8230e"
dependencies = [
"dashmap",
"datafusion-common",
@@ -1455,7 +1454,7 @@ dependencies = [
[[package]]
name = "datafusion-expr"
version = "28.0.0"
-source = "git+https://github.com/apache/arrow-datafusion.git?rev=2cf5f5b5bb824598de185d64c541c52c930728cf#2cf5f5b5bb824598de185d64c541c52c930728cf"
+source = "git+https://github.com/apache/arrow-datafusion.git?rev=5faa10b2911ecca4c2199f78ae675363c7d8230e#5faa10b2911ecca4c2199f78ae675363c7d8230e"
dependencies = [
"ahash",
"arrow",
@@ -1469,7 +1468,7 @@ dependencies = [
[[package]]
name = "datafusion-optimizer"
version = "28.0.0"
-source = "git+https://github.com/apache/arrow-datafusion.git?rev=2cf5f5b5bb824598de185d64c541c52c930728cf#2cf5f5b5bb824598de185d64c541c52c930728cf"
+source = "git+https://github.com/apache/arrow-datafusion.git?rev=5faa10b2911ecca4c2199f78ae675363c7d8230e#5faa10b2911ecca4c2199f78ae675363c7d8230e"
dependencies = [
"arrow",
"async-trait",
@@ -1486,7 +1485,7 @@ dependencies = [
[[package]]
name = "datafusion-physical-expr"
version = "28.0.0"
-source = "git+https://github.com/apache/arrow-datafusion.git?rev=2cf5f5b5bb824598de185d64c541c52c930728cf#2cf5f5b5bb824598de185d64c541c52c930728cf"
+source = "git+https://github.com/apache/arrow-datafusion.git?rev=5faa10b2911ecca4c2199f78ae675363c7d8230e#5faa10b2911ecca4c2199f78ae675363c7d8230e"
dependencies = [
"ahash",
"arrow",
@@ -1520,7 +1519,7 @@ dependencies = [
[[package]]
name = "datafusion-proto"
version = "28.0.0"
-source = "git+https://github.com/apache/arrow-datafusion.git?rev=2cf5f5b5bb824598de185d64c541c52c930728cf#2cf5f5b5bb824598de185d64c541c52c930728cf"
+source = "git+https://github.com/apache/arrow-datafusion.git?rev=5faa10b2911ecca4c2199f78ae675363c7d8230e#5faa10b2911ecca4c2199f78ae675363c7d8230e"
dependencies = [
"arrow",
"chrono",
@@ -1534,7 +1533,7 @@ dependencies = [
[[package]]
name = "datafusion-sql"
version = "28.0.0"
-source = "git+https://github.com/apache/arrow-datafusion.git?rev=2cf5f5b5bb824598de185d64c541c52c930728cf#2cf5f5b5bb824598de185d64c541c52c930728cf"
+source = "git+https://github.com/apache/arrow-datafusion.git?rev=5faa10b2911ecca4c2199f78ae675363c7d8230e#5faa10b2911ecca4c2199f78ae675363c7d8230e"
dependencies = [
"arrow",
"arrow-schema",
@@ -4569,7 +4568,7 @@ checksum = "b2eae68fc220f7cf2532e4494aded17545fce192d59cd996e0fe7887f4ceb575"
dependencies = [
"aho-corasick",
"memchr",
- "regex-automata 0.3.4",
+ "regex-automata 0.3.3",
"regex-syntax 0.7.4",
]
@@ -4584,9 +4583,9 @@ dependencies = [
[[package]]
name = "regex-automata"
-version = "0.3.4"
+version = "0.3.3"
source = "registry+https://github.com/rust-lang/crates.io-index"
-checksum = "b7b6d6190b7594385f61bd3911cd1be99dfddcfc365a4160cc2ab5bff4aed294"
+checksum = "39354c10dd07468c2e73926b23bb9c2caca74c5501e38a35da70406f1d923310"
dependencies = [
"aho-corasick",
"memchr",
@@ -6866,7 +6865,7 @@ dependencies = [
"rand",
"rand_core",
"regex",
- "regex-automata 0.3.4",
+ "regex-automata 0.3.3",
"regex-syntax 0.7.4",
"reqwest",
"ring",
diff --git a/Cargo.toml b/Cargo.toml
index 93bd0fc959..5df1c74d88 100644
--- a/Cargo.toml
+++ b/Cargo.toml
@@ -121,8 +121,8 @@ license = "MIT OR Apache-2.0"
[workspace.dependencies]
arrow = { version = "43.0.0" }
arrow-flight = { version = "43.0.0" }
-datafusion = { git = "https://github.com/apache/arrow-datafusion.git", rev = "2cf5f5b5bb824598de185d64c541c52c930728cf", default-features = false }
-datafusion-proto = { git = "https://github.com/apache/arrow-datafusion.git", rev = "2cf5f5b5bb824598de185d64c541c52c930728cf" }
+datafusion = { git = "https://github.com/apache/arrow-datafusion.git", rev = "5faa10b2911ecca4c2199f78ae675363c7d8230e", default-features = false }
+datafusion-proto = { git = "https://github.com/apache/arrow-datafusion.git", rev = "5faa10b2911ecca4c2199f78ae675363c7d8230e" }
hashbrown = { version = "0.14.0" }
object_store = { version = "0.6.0" }
diff --git a/influxdb_iox/tests/query_tests/cases/in/aggregates.sql.expected b/influxdb_iox/tests/query_tests/cases/in/aggregates.sql.expected
index 746e4c6a74..5ab8fdd0d2 100644
--- a/influxdb_iox/tests/query_tests/cases/in/aggregates.sql.expected
+++ b/influxdb_iox/tests/query_tests/cases/in/aggregates.sql.expected
@@ -1,11 +1,11 @@
-- Test Setup: OneMeasurementWithTags
-- SQL: SELECT count(time), count(*), count(bar), min(bar), max(bar), min(time), max(time) FROM cpu;
-- Results After Sorting
-+-----------------+-----------------+----------------+--------------+--------------+--------------------------------+--------------------------------+
-| COUNT(cpu.time) | COUNT(UInt8(1)) | COUNT(cpu.bar) | MIN(cpu.bar) | MAX(cpu.bar) | MIN(cpu.time) | MAX(cpu.time) |
-+-----------------+-----------------+----------------+--------------+--------------+--------------------------------+--------------------------------+
-| 4 | 4 | 4 | 1.0 | 2.0 | 1970-01-01T00:00:00.000000010Z | 1970-01-01T00:00:00.000000040Z |
-+-----------------+-----------------+----------------+--------------+--------------+--------------------------------+--------------------------------+
++-----------------+----------+----------------+--------------+--------------+--------------------------------+--------------------------------+
+| COUNT(cpu.time) | COUNT(*) | COUNT(cpu.bar) | MIN(cpu.bar) | MAX(cpu.bar) | MIN(cpu.time) | MAX(cpu.time) |
++-----------------+----------+----------------+--------------+--------------+--------------------------------+--------------------------------+
+| 4 | 4 | 4 | 1.0 | 2.0 | 1970-01-01T00:00:00.000000010Z | 1970-01-01T00:00:00.000000040Z |
++-----------------+----------+----------------+--------------+--------------+--------------------------------+--------------------------------+
-- SQL: SELECT max(foo) FROM cpu;
-- Results After Sorting
+--------------+
diff --git a/influxdb_iox/tests/query_tests/cases/in/aggregates_with_nulls.sql.expected b/influxdb_iox/tests/query_tests/cases/in/aggregates_with_nulls.sql.expected
index dd753a62ac..8ad9aaee52 100644
--- a/influxdb_iox/tests/query_tests/cases/in/aggregates_with_nulls.sql.expected
+++ b/influxdb_iox/tests/query_tests/cases/in/aggregates_with_nulls.sql.expected
@@ -8,10 +8,10 @@
+-------------------------+
-- SQL: SELECT count(*), city FROM o2 GROUP BY city;
-- Results After Sorting
-+-----------------+--------+
-| COUNT(UInt8(1)) | city |
-+-----------------+--------+
-| 1 | Boston |
-| 2 | NYC |
-| 2 | |
-+-----------------+--------+
\ No newline at end of file
++----------+--------+
+| COUNT(*) | city |
++----------+--------+
+| 1 | Boston |
+| 2 | NYC |
+| 2 | |
++----------+--------+
\ No newline at end of file
diff --git a/influxdb_iox/tests/query_tests/cases/in/basic.sql.expected b/influxdb_iox/tests/query_tests/cases/in/basic.sql.expected
index 2d8917f2cb..d52920d496 100644
--- a/influxdb_iox/tests/query_tests/cases/in/basic.sql.expected
+++ b/influxdb_iox/tests/query_tests/cases/in/basic.sql.expected
@@ -46,11 +46,11 @@
| 21.0 | west |
+------+--------+
-- SQL: SELECT count(*) from cpu group by region;
-+-----------------+
-| COUNT(UInt8(1)) |
-+-----------------+
-| 2 |
-+-----------------+
++----------+
+| COUNT(*) |
++----------+
+| 2 |
++----------+
-- SQL: SELECT * from disk;
+-------+--------+--------------------------------+
| bytes | region | time |
diff --git a/influxdb_iox/tests/query_tests/cases/in/duplicates_ingester.sql.expected b/influxdb_iox/tests/query_tests/cases/in/duplicates_ingester.sql.expected
index dc9fd64026..30a89657d0 100644
--- a/influxdb_iox/tests/query_tests/cases/in/duplicates_ingester.sql.expected
+++ b/influxdb_iox/tests/query_tests/cases/in/duplicates_ingester.sql.expected
@@ -102,8 +102,8 @@
| | |
----------
-- SQL: select count(*) from h2o;
-+-----------------+
-| COUNT(UInt8(1)) |
-+-----------------+
-| 18 |
-+-----------------+
\ No newline at end of file
++----------+
+| COUNT(*) |
++----------+
+| 18 |
++----------+
\ No newline at end of file
diff --git a/influxdb_iox/tests/query_tests/cases/in/duplicates_parquet.sql.expected b/influxdb_iox/tests/query_tests/cases/in/duplicates_parquet.sql.expected
index b4d20b99fe..53cc5c3796 100644
--- a/influxdb_iox/tests/query_tests/cases/in/duplicates_parquet.sql.expected
+++ b/influxdb_iox/tests/query_tests/cases/in/duplicates_parquet.sql.expected
@@ -85,11 +85,11 @@
| | |
----------
-- SQL: select count(*) from h2o;
-+-----------------+
-| COUNT(UInt8(1)) |
-+-----------------+
-| 18 |
-+-----------------+
++----------+
+| COUNT(*) |
++----------+
+| 18 |
++----------+
-- SQL: EXPLAIN ANALYZE SELECT * from h2o where state = 'MA'
-- Results After Normalizing UUIDs
-- Results After Normalizing Metrics
diff --git a/influxdb_iox/tests/query_tests/cases/in/duplicates_parquet_20.sql.expected b/influxdb_iox/tests/query_tests/cases/in/duplicates_parquet_20.sql.expected
index 2e648981d8..3312e31515 100644
--- a/influxdb_iox/tests/query_tests/cases/in/duplicates_parquet_20.sql.expected
+++ b/influxdb_iox/tests/query_tests/cases/in/duplicates_parquet_20.sql.expected
@@ -1,20 +1,20 @@
-- Test Setup: TwentySortedParquetFiles
-- SQL: select count(*), sum(f) from m;
-+-----------------+----------+
-| COUNT(UInt8(1)) | SUM(m.f) |
-+-----------------+----------+
-| 21 | 33.0 |
-+-----------------+----------+
++----------+----------+
+| COUNT(*) | SUM(m.f) |
++----------+----------+
+| 21 | 33.0 |
++----------+----------+
-- SQL: EXPLAIN select count(*), sum(f) from m;
-- Results After Normalizing UUIDs
----------
| plan_type | plan |
----------
-| logical_plan | Aggregate: groupBy=[[]], aggr=[[COUNT(UInt8(1)), SUM(m.f)]] |
+| logical_plan | Aggregate: groupBy=[[]], aggr=[[COUNT(UInt8(1)) AS COUNT(*), SUM(m.f)]] |
| | TableScan: m projection=[f] |
-| physical_plan | AggregateExec: mode=Final, gby=[], aggr=[COUNT(UInt8(1)), SUM(m.f)] |
+| physical_plan | AggregateExec: mode=Final, gby=[], aggr=[COUNT(*), SUM(m.f)] |
| | CoalescePartitionsExec |
-| | AggregateExec: mode=Partial, gby=[], aggr=[COUNT(UInt8(1)), SUM(m.f)] |
+| | AggregateExec: mode=Partial, gby=[], aggr=[COUNT(*), SUM(m.f)] |
| | UnionExec |
| | ParquetExec: file_groups={4 groups: [[1/1/1/00000000-0000-0000-0000-000000000000.parquet, 1/1/1/00000000-0000-0000-0000-000000000001.parquet, 1/1/1/00000000-0000-0000-0000-000000000002.parquet], [1/1/1/00000000-0000-0000-0000-000000000003.parquet, 1/1/1/00000000-0000-0000-0000-000000000004.parquet, 1/1/1/00000000-0000-0000-0000-000000000005.parquet], [1/1/1/00000000-0000-0000-0000-000000000006.parquet, 1/1/1/00000000-0000-0000-0000-000000000007.parquet], [1/1/1/00000000-0000-0000-0000-000000000008.parquet, 1/1/1/00000000-0000-0000-0000-000000000009.parquet]]}, projection=[f] |
| | ProjectionExec: expr=[f@1 as f] |
diff --git a/influxdb_iox/tests/query_tests/cases/in/duplicates_parquet_20_and_ingester.sql.expected b/influxdb_iox/tests/query_tests/cases/in/duplicates_parquet_20_and_ingester.sql.expected
index a6a4ef65da..c82ace4f82 100644
--- a/influxdb_iox/tests/query_tests/cases/in/duplicates_parquet_20_and_ingester.sql.expected
+++ b/influxdb_iox/tests/query_tests/cases/in/duplicates_parquet_20_and_ingester.sql.expected
@@ -1,20 +1,20 @@
-- Test Setup: TwentySortedParquetFilesAndIngester
-- SQL: select count(*), sum(f) from m;
-+-----------------+----------+
-| COUNT(UInt8(1)) | SUM(m.f) |
-+-----------------+----------+
-| 21 | 33.0 |
-+-----------------+----------+
++----------+----------+
+| COUNT(*) | SUM(m.f) |
++----------+----------+
+| 21 | 33.0 |
++----------+----------+
-- SQL: EXPLAIN select count(*), sum(f) from m;
-- Results After Normalizing UUIDs
----------
| plan_type | plan |
----------
-| logical_plan | Aggregate: groupBy=[[]], aggr=[[COUNT(UInt8(1)), SUM(m.f)]] |
+| logical_plan | Aggregate: groupBy=[[]], aggr=[[COUNT(UInt8(1)) AS COUNT(*), SUM(m.f)]] |
| | TableScan: m projection=[f] |
-| physical_plan | AggregateExec: mode=Final, gby=[], aggr=[COUNT(UInt8(1)), SUM(m.f)] |
+| physical_plan | AggregateExec: mode=Final, gby=[], aggr=[COUNT(*), SUM(m.f)] |
| | CoalescePartitionsExec |
-| | AggregateExec: mode=Partial, gby=[], aggr=[COUNT(UInt8(1)), SUM(m.f)] |
+| | AggregateExec: mode=Partial, gby=[], aggr=[COUNT(*), SUM(m.f)] |
| | UnionExec |
| | ParquetExec: file_groups={4 groups: [[1/1/1/00000000-0000-0000-0000-000000000000.parquet, 1/1/1/00000000-0000-0000-0000-000000000001.parquet, 1/1/1/00000000-0000-0000-0000-000000000002.parquet], [1/1/1/00000000-0000-0000-0000-000000000003.parquet, 1/1/1/00000000-0000-0000-0000-000000000004.parquet, 1/1/1/00000000-0000-0000-0000-000000000005.parquet], [1/1/1/00000000-0000-0000-0000-000000000006.parquet, 1/1/1/00000000-0000-0000-0000-000000000007.parquet], [1/1/1/00000000-0000-0000-0000-000000000008.parquet, 1/1/1/00000000-0000-0000-0000-000000000009.parquet]]}, projection=[f] |
| | ProjectionExec: expr=[f@1 as f] |
diff --git a/influxdb_iox/tests/query_tests/cases/in/gapfill.sql.expected b/influxdb_iox/tests/query_tests/cases/in/gapfill.sql.expected
index f540b17fdf..046b6d6709 100644
--- a/influxdb_iox/tests/query_tests/cases/in/gapfill.sql.expected
+++ b/influxdb_iox/tests/query_tests/cases/in/gapfill.sql.expected
@@ -183,29 +183,29 @@ Error during planning: gap-filling query is missing lower time bound
| 2000-05-05T12:40:00Z | 60.0 |
+----------------------+---------------------+
-- SQL: SELECT date_bin_gapfill(interval '4 minutes', time) as four_minute, interpolate(min(cpu.idle)), interpolate(min(cpu."user")), count(*) from cpu where time between timestamp '2000-05-05T12:19:00Z' and timestamp '2000-05-05T12:40:00Z' group by four_minute;
-+----------------------+----------------------------+----------------------------+-----------------+
-| four_minute | interpolate(MIN(cpu.idle)) | interpolate(MIN(cpu.user)) | COUNT(UInt8(1)) |
-+----------------------+----------------------------+----------------------------+-----------------+
-| 2000-05-05T12:16:00Z | | | |
-| 2000-05-05T12:20:00Z | 70.0 | 23.2 | 1 |
-| 2000-05-05T12:24:00Z | 67.5 | 24.2 | |
-| 2000-05-05T12:28:00Z | 65.0 | 25.2 | 1 |
-| 2000-05-05T12:32:00Z | 62.5 | 27.05 | |
-| 2000-05-05T12:36:00Z | 60.0 | 28.9 | 1 |
-| 2000-05-05T12:40:00Z | | 21.0 | 1 |
-+----------------------+----------------------------+----------------------------+-----------------+
++----------------------+----------------------------+----------------------------+----------+
+| four_minute | interpolate(MIN(cpu.idle)) | interpolate(MIN(cpu.user)) | COUNT(*) |
++----------------------+----------------------------+----------------------------+----------+
+| 2000-05-05T12:16:00Z | | | |
+| 2000-05-05T12:20:00Z | 70.0 | 23.2 | 1 |
+| 2000-05-05T12:24:00Z | 67.5 | 24.2 | |
+| 2000-05-05T12:28:00Z | 65.0 | 25.2 | 1 |
+| 2000-05-05T12:32:00Z | 62.5 | 27.05 | |
+| 2000-05-05T12:36:00Z | 60.0 | 28.9 | 1 |
+| 2000-05-05T12:40:00Z | | 21.0 | 1 |
++----------------------+----------------------------+----------------------------+----------+
-- SQL: SELECT date_bin_gapfill(interval '4 minutes 1 nanosecond', time, timestamp '2000-05-05T12:15:59.999999999') as four_minute, interpolate(min(cpu.idle)), interpolate(min(cpu."user")), count(*) from cpu where time between timestamp '2000-05-05T12:19:00Z' and timestamp '2000-05-05T12:44:00Z' group by four_minute;
-+--------------------------------+----------------------------+----------------------------+-----------------+
-| four_minute | interpolate(MIN(cpu.idle)) | interpolate(MIN(cpu.user)) | COUNT(UInt8(1)) |
-+--------------------------------+----------------------------+----------------------------+-----------------+
-| 2000-05-05T12:15:59.999999999Z | | | |
-| 2000-05-05T12:20:00Z | 70.0 | 23.2 | 1 |
-| 2000-05-05T12:24:00.000000001Z | 67.5 | 24.2 | |
-| 2000-05-05T12:28:00.000000002Z | 65.0 | 25.2 | 1 |
-| 2000-05-05T12:32:00.000000003Z | 62.5 | 23.1 | |
-| 2000-05-05T12:36:00.000000004Z | 60.0 | 21.0 | 2 |
-| 2000-05-05T12:40:00.000000005Z | | | |
-+--------------------------------+----------------------------+----------------------------+-----------------+
++--------------------------------+----------------------------+----------------------------+----------+
+| four_minute | interpolate(MIN(cpu.idle)) | interpolate(MIN(cpu.user)) | COUNT(*) |
++--------------------------------+----------------------------+----------------------------+----------+
+| 2000-05-05T12:15:59.999999999Z | | | |
+| 2000-05-05T12:20:00Z | 70.0 | 23.2 | 1 |
+| 2000-05-05T12:24:00.000000001Z | 67.5 | 24.2 | |
+| 2000-05-05T12:28:00.000000002Z | 65.0 | 25.2 | 1 |
+| 2000-05-05T12:32:00.000000003Z | 62.5 | 23.1 | |
+| 2000-05-05T12:36:00.000000004Z | 60.0 | 21.0 | 2 |
+| 2000-05-05T12:40:00.000000005Z | | | |
++--------------------------------+----------------------------+----------------------------+----------+
-- SQL: SELECT region, date_bin_gapfill('10 minute', time) as minute, locf(avg(cpu.user)) as locf_avg_user from cpu where time between timestamp '2000-05-05T12:00:00Z' and timestamp '2000-05-05T12:59:00Z' group by region, minute;
+--------+----------------------+--------------------+
| region | minute | locf_avg_user |
diff --git a/predicate/src/rpc_predicate/rewrite.rs b/predicate/src/rpc_predicate/rewrite.rs
index 463732b7b5..08fd660e4c 100644
--- a/predicate/src/rpc_predicate/rewrite.rs
+++ b/predicate/src/rpc_predicate/rewrite.rs
@@ -159,6 +159,9 @@ fn is_comparison(op: Operator) -> bool {
Operator::RegexNotMatch => true,
Operator::RegexNotIMatch => true,
Operator::StringConcat => false,
+ // array containment operators
+ Operator::ArrowAt => true,
+ Operator::AtArrow => true,
}
}
diff --git a/workspace-hack/Cargo.toml b/workspace-hack/Cargo.toml
index cf612bea13..c1681a05f8 100644
--- a/workspace-hack/Cargo.toml
+++ b/workspace-hack/Cargo.toml
@@ -28,9 +28,9 @@ bytes = { version = "1" }
chrono = { version = "0.4", default-features = false, features = ["alloc", "clock", "serde"] }
crossbeam-utils = { version = "0.8" }
crypto-common = { version = "0.1", default-features = false, features = ["std"] }
-datafusion = { git = "https://github.com/apache/arrow-datafusion.git", rev = "2cf5f5b5bb824598de185d64c541c52c930728cf" }
-datafusion-optimizer = { git = "https://github.com/apache/arrow-datafusion.git", rev = "2cf5f5b5bb824598de185d64c541c52c930728cf", default-features = false, features = ["crypto_expressions", "regex_expressions", "unicode_expressions"] }
-datafusion-physical-expr = { git = "https://github.com/apache/arrow-datafusion.git", rev = "2cf5f5b5bb824598de185d64c541c52c930728cf", default-features = false, features = ["crypto_expressions", "encoding_expressions", "regex_expressions", "unicode_expressions"] }
+datafusion = { git = "https://github.com/apache/arrow-datafusion.git", rev = "5faa10b2911ecca4c2199f78ae675363c7d8230e" }
+datafusion-optimizer = { git = "https://github.com/apache/arrow-datafusion.git", rev = "5faa10b2911ecca4c2199f78ae675363c7d8230e", default-features = false, features = ["crypto_expressions", "regex_expressions", "unicode_expressions"] }
+datafusion-physical-expr = { git = "https://github.com/apache/arrow-datafusion.git", rev = "5faa10b2911ecca4c2199f78ae675363c7d8230e", default-features = false, features = ["crypto_expressions", "encoding_expressions", "regex_expressions", "unicode_expressions"] }
digest = { version = "0.10", features = ["mac", "std"] }
either = { version = "1", features = ["serde"] }
fixedbitset = { version = "0.4" }
|
db5ad12b9a3741c8da4faa3743968c915994217c
|
Dom Dwyer
|
2023-09-13 14:05:59
|
remove misleading documentation
|
In an ArcMap, an init() function is called exactly once, this sentence
was supposed to suggest threads race to call init, but instead it sounds
like they race to initialise a V (via init()) and put it in the map
before the other thread, which is incorrect.
| null |
docs: remove misleading documentation
In an ArcMap, an init() function is called exactly once, this sentence
was supposed to suggest threads race to call init, but instead it sounds
like they race to initialise a V (via init()) and put it in the map
before the other thread, which is incorrect.
|
diff --git a/ingester/src/arcmap.rs b/ingester/src/arcmap.rs
index 509c314179..fed9cbb7a6 100644
--- a/ingester/src/arcmap.rs
+++ b/ingester/src/arcmap.rs
@@ -62,10 +62,9 @@ where
/// This call is thread-safe - if two calls race, a value will be
/// initialised exactly once (one arbitrary caller's `init` closure will be
/// executed) and both callers will obtain a handle to the same instance of
- /// `V`. Both threads will eagerly initialise V and race to "win" storing V
- /// in the map.
+ /// `V`.
///
- /// # Performance
+ /// # Performance
///
/// This method is biased towards read-heavy workloads, with many readers
/// progressing in parallel. If the value for `key` must be initialised, all
|
eb5a661ab3a8786b912eddad52506e6397c0286b
|
Marco Neumann
|
2022-10-19 11:54:42
|
prep work for #5897 (#5907)
|
* refactor: add ID to `ParquetStorage`
* refactor: remove duplicate code
* refactor: use dedicated `StorageId`
| null |
refactor: prep work for #5897 (#5907)
* refactor: add ID to `ParquetStorage`
* refactor: remove duplicate code
* refactor: use dedicated `StorageId`
|
diff --git a/Cargo.lock b/Cargo.lock
index 983b1fa688..23d1518988 100644
--- a/Cargo.lock
+++ b/Cargo.lock
@@ -2524,6 +2524,7 @@ dependencies = [
"observability_deps",
"once_cell",
"parquet_file",
+ "predicate",
"schema",
"sharder",
"uuid",
diff --git a/compactor/src/cold.rs b/compactor/src/cold.rs
index 57323df6a8..83f0dd74f0 100644
--- a/compactor/src/cold.rs
+++ b/compactor/src/cold.rs
@@ -110,6 +110,7 @@ mod tests {
use iox_query::exec::Executor;
use iox_tests::util::{TestCatalog, TestParquetFileBuilder, TestTable};
use iox_time::{SystemProvider, TimeProvider};
+ use parquet_file::storage::StorageId;
use std::collections::HashMap;
#[tokio::test]
@@ -178,7 +179,7 @@ mod tests {
let compactor = Compactor::new(
vec![shard.shard.id],
Arc::clone(&catalog.catalog),
- ParquetStorage::new(Arc::clone(&catalog.object_store)),
+ ParquetStorage::new(Arc::clone(&catalog.object_store), StorageId::from("iox")),
Arc::new(Executor::new(1)),
Arc::new(SystemProvider::new()),
BackoffConfig::default(),
@@ -417,7 +418,7 @@ mod tests {
let compactor = Compactor::new(
vec![shard.shard.id],
Arc::clone(&catalog.catalog),
- ParquetStorage::new(Arc::clone(&catalog.object_store)),
+ ParquetStorage::new(Arc::clone(&catalog.object_store), StorageId::from("iox")),
Arc::new(Executor::new(1)),
Arc::new(SystemProvider::new()),
BackoffConfig::default(),
@@ -642,7 +643,7 @@ mod tests {
let compactor = Arc::new(Compactor::new(
vec![shard.shard.id],
Arc::clone(&catalog.catalog),
- ParquetStorage::new(Arc::clone(&catalog.object_store)),
+ ParquetStorage::new(Arc::clone(&catalog.object_store), StorageId::from("iox")),
Arc::new(Executor::new(1)),
Arc::new(SystemProvider::new()),
BackoffConfig::default(),
@@ -916,7 +917,7 @@ mod tests {
let compactor = Arc::new(Compactor::new(
vec![shard.shard.id],
Arc::clone(&catalog.catalog),
- ParquetStorage::new(Arc::clone(&catalog.object_store)),
+ ParquetStorage::new(Arc::clone(&catalog.object_store), StorageId::from("iox")),
Arc::new(Executor::new(1)),
Arc::new(SystemProvider::new()),
BackoffConfig::default(),
@@ -1021,7 +1022,7 @@ mod tests {
let compactor = Arc::new(Compactor::new(
vec![shard.shard.id],
Arc::clone(&catalog.catalog),
- ParquetStorage::new(Arc::clone(&catalog.object_store)),
+ ParquetStorage::new(Arc::clone(&catalog.object_store), StorageId::from("iox")),
Arc::new(Executor::new(1)),
Arc::new(SystemProvider::new()),
BackoffConfig::default(),
@@ -1161,7 +1162,7 @@ mod tests {
let compactor = Arc::new(Compactor::new(
vec![shard.shard.id],
Arc::clone(&catalog.catalog),
- ParquetStorage::new(Arc::clone(&catalog.object_store)),
+ ParquetStorage::new(Arc::clone(&catalog.object_store), StorageId::from("iox")),
Arc::new(Executor::new(1)),
Arc::new(SystemProvider::new()),
BackoffConfig::default(),
@@ -1407,7 +1408,7 @@ mod tests {
let compactor = Arc::new(Compactor::new(
vec![shard.shard.id],
Arc::clone(&catalog.catalog),
- ParquetStorage::new(Arc::clone(&catalog.object_store)),
+ ParquetStorage::new(Arc::clone(&catalog.object_store), StorageId::from("iox")),
Arc::new(Executor::new(1)),
Arc::new(SystemProvider::new()),
BackoffConfig::default(),
diff --git a/compactor/src/compact.rs b/compactor/src/compact.rs
index b389b05e8f..e5681d6cd3 100644
--- a/compactor/src/compact.rs
+++ b/compactor/src/compact.rs
@@ -558,6 +558,7 @@ pub mod tests {
};
use iox_tests::util::{TestCatalog, TestPartition};
use iox_time::SystemProvider;
+ use parquet_file::storage::StorageId;
use uuid::Uuid;
impl PartitionCompactionCandidateWithInfo {
@@ -814,7 +815,7 @@ pub mod tests {
let compactor = Compactor::new(
vec![shard.id, another_shard.id],
Arc::clone(&catalog.catalog),
- ParquetStorage::new(Arc::clone(&catalog.object_store)),
+ ParquetStorage::new(Arc::clone(&catalog.object_store), StorageId::from("iox")),
Arc::new(Executor::new(1)),
time_provider,
BackoffConfig::default(),
diff --git a/compactor/src/hot.rs b/compactor/src/hot.rs
index d6528f575e..186bb68084 100644
--- a/compactor/src/hot.rs
+++ b/compactor/src/hot.rs
@@ -211,7 +211,7 @@ mod tests {
use data_types::CompactionLevel;
use iox_query::exec::Executor;
use iox_tests::util::{TestCatalog, TestParquetFileBuilder, TestShard, TestTable};
- use parquet_file::storage::ParquetStorage;
+ use parquet_file::storage::{ParquetStorage, StorageId};
use std::sync::Arc;
struct TestSetup {
@@ -499,7 +499,7 @@ mod tests {
let compactor = Arc::new(Compactor::new(
vec![shard1.shard.id, shard2.shard.id],
Arc::clone(&catalog.catalog),
- ParquetStorage::new(Arc::clone(&catalog.object_store)),
+ ParquetStorage::new(Arc::clone(&catalog.object_store), StorageId::from("iox")),
Arc::new(Executor::new(1)),
time_provider,
BackoffConfig::default(),
diff --git a/compactor/src/lib.rs b/compactor/src/lib.rs
index 71e03be520..c57ba0edee 100644
--- a/compactor/src/lib.rs
+++ b/compactor/src/lib.rs
@@ -436,7 +436,7 @@ pub mod tests {
compact::Compactor, compact_one_partition, handler::CompactorConfig,
parquet_file_filtering, parquet_file_lookup, ParquetFilesForCompaction,
};
- use ::parquet_file::storage::ParquetStorage;
+ use ::parquet_file::storage::{ParquetStorage, StorageId};
use arrow_util::assert_batches_sorted_eq;
use backoff::BackoffConfig;
use data_types::{ColumnType, CompactionLevel, ParquetFileId};
@@ -599,7 +599,7 @@ pub mod tests {
let compactor = Arc::new(Compactor::new(
vec![shard.shard.id],
Arc::clone(&catalog.catalog),
- ParquetStorage::new(Arc::clone(&catalog.object_store)),
+ ParquetStorage::new(Arc::clone(&catalog.object_store), StorageId::from("iox")),
Arc::new(Executor::new(1)),
time_provider,
BackoffConfig::default(),
@@ -927,7 +927,7 @@ pub mod tests {
let compactor = Arc::new(Compactor::new(
vec![shard.shard.id],
Arc::clone(&catalog.catalog),
- ParquetStorage::new(Arc::clone(&catalog.object_store)),
+ ParquetStorage::new(Arc::clone(&catalog.object_store), StorageId::from("iox")),
Arc::new(Executor::new(1)),
Arc::new(SystemProvider::new()),
BackoffConfig::default(),
diff --git a/compactor/src/parquet_file_combining.rs b/compactor/src/parquet_file_combining.rs
index 34e0dad011..df20acf158 100644
--- a/compactor/src/parquet_file_combining.rs
+++ b/compactor/src/parquet_file_combining.rs
@@ -659,12 +659,11 @@ mod tests {
use crate::parquet_file::CompactorParquetFile;
use super::*;
- use arrow::record_batch::RecordBatch;
use arrow_util::assert_batches_sorted_eq;
use data_types::{ColumnType, PartitionParam, ShardId};
use iox_tests::util::{TestCatalog, TestParquetFileBuilder, TestTable};
use metric::U64HistogramOptions;
- use parquet_file::ParquetFilePath;
+ use parquet_file::storage::StorageId;
use test_helpers::assert_error;
#[test]
@@ -852,7 +851,7 @@ mod tests {
files,
candidate_partition,
Arc::clone(&catalog.catalog),
- ParquetStorage::new(Arc::clone(&catalog.object_store)),
+ ParquetStorage::new(Arc::clone(&catalog.object_store), StorageId::from("iox")),
Arc::clone(&catalog.exec),
Arc::clone(&catalog.time_provider) as Arc<dyn TimeProvider>,
&compaction_input_file_bytes,
@@ -893,7 +892,7 @@ mod tests {
vec![parquet_file],
candidate_partition,
Arc::clone(&catalog.catalog),
- ParquetStorage::new(Arc::clone(&catalog.object_store)),
+ ParquetStorage::new(Arc::clone(&catalog.object_store), StorageId::from("iox")),
Arc::clone(&catalog.exec),
Arc::clone(&catalog.time_provider) as Arc<dyn TimeProvider>,
&compaction_input_file_bytes,
@@ -955,7 +954,7 @@ mod tests {
parquet_files.into_iter().take(4).collect(),
candidate_partition,
Arc::clone(&catalog.catalog),
- ParquetStorage::new(Arc::clone(&catalog.object_store)),
+ ParquetStorage::new(Arc::clone(&catalog.object_store), StorageId::from("iox")),
Arc::clone(&catalog.exec),
Arc::clone(&catalog.time_provider) as Arc<dyn TimeProvider>,
&compaction_input_file_bytes,
@@ -1003,7 +1002,7 @@ mod tests {
// Compacted file
let file1 = files.pop().unwrap();
- let batches = read_parquet_file(&table, file1).await;
+ let batches = table.read_parquet_file(file1).await;
assert_batches_sorted_eq!(
&[
"+-----------+------+------+------+-----------------------------+",
@@ -1040,7 +1039,7 @@ mod tests {
parquet_files.into_iter().take(5).collect(),
candidate_partition,
Arc::clone(&catalog.catalog),
- ParquetStorage::new(Arc::clone(&catalog.object_store)),
+ ParquetStorage::new(Arc::clone(&catalog.object_store), StorageId::from("iox")),
Arc::clone(&catalog.exec),
Arc::clone(&catalog.time_provider) as Arc<dyn TimeProvider>,
&compaction_input_file_bytes,
@@ -1087,7 +1086,7 @@ mod tests {
// Compacted file with the later data
let file1 = files.pop().unwrap();
- let batches = read_parquet_file(&table, file1).await;
+ let batches = table.read_parquet_file(file1).await;
assert_batches_sorted_eq!(
&[
"+-----------+------+------+------+-----------------------------+",
@@ -1102,7 +1101,7 @@ mod tests {
// Compacted file with the earlier data
let file0 = files.pop().unwrap();
- let batches = read_parquet_file(&table, file0).await;
+ let batches = table.read_parquet_file(file0).await;
assert_batches_sorted_eq!(
&[
"+-----------+------+------+------+-----------------------------+",
@@ -1143,7 +1142,7 @@ mod tests {
files_to_compact,
candidate_partition,
Arc::clone(&catalog.catalog),
- ParquetStorage::new(Arc::clone(&catalog.object_store)),
+ ParquetStorage::new(Arc::clone(&catalog.object_store), StorageId::from("iox")),
Arc::clone(&catalog.exec),
Arc::clone(&catalog.time_provider) as Arc<dyn TimeProvider>,
&compaction_input_file_bytes,
@@ -1190,7 +1189,7 @@ mod tests {
// Compacted file with all the data
let file1 = files.pop().unwrap();
- let batches = read_parquet_file(&table, file1).await;
+ let batches = table.read_parquet_file(file1).await;
assert_batches_sorted_eq!(
&[
"+-----------+------+------+------+-----------------------------+",
@@ -1227,7 +1226,7 @@ mod tests {
parquet_files,
candidate_partition,
Arc::clone(&catalog.catalog),
- ParquetStorage::new(Arc::clone(&catalog.object_store)),
+ ParquetStorage::new(Arc::clone(&catalog.object_store), StorageId::from("iox")),
Arc::clone(&catalog.exec),
Arc::clone(&catalog.time_provider) as Arc<dyn TimeProvider>,
&compaction_input_file_bytes,
@@ -1272,7 +1271,7 @@ mod tests {
// Compacted file with the latest data
let file2 = files.pop().unwrap();
- let batches = read_parquet_file(&table, file2).await;
+ let batches = table.read_parquet_file(file2).await;
assert_batches_sorted_eq!(
&[
"+-----------+------+------+------+-----------------------------+",
@@ -1286,7 +1285,7 @@ mod tests {
// Compacted file with the later data
let file1 = files.pop().unwrap();
- let batches = read_parquet_file(&table, file1).await;
+ let batches = table.read_parquet_file(file1).await;
assert_batches_sorted_eq!(
&[
"+-----------+------+------+------+-----------------------------+",
@@ -1300,7 +1299,7 @@ mod tests {
// Compacted file with the earlier data
let file0 = files.pop().unwrap();
- let batches = read_parquet_file(&table, file0).await;
+ let batches = table.read_parquet_file(file0).await;
assert_batches_sorted_eq!(
&[
"+-----------+------+------+------+-----------------------------+",
@@ -1343,7 +1342,7 @@ mod tests {
level_1_files,
candidate_partition,
Arc::clone(&catalog.catalog),
- ParquetStorage::new(Arc::clone(&catalog.object_store)),
+ ParquetStorage::new(Arc::clone(&catalog.object_store), StorageId::from("iox")),
Arc::clone(&catalog.exec),
Arc::clone(&catalog.time_provider) as Arc<dyn TimeProvider>,
&compaction_input_file_bytes,
@@ -1384,7 +1383,7 @@ mod tests {
// ------------------------------------------------
// Verify the parquet file content
- let batches = read_parquet_file(&table, file).await;
+ let batches = table.read_parquet_file(file).await;
assert_batches_sorted_eq!(
&[
"+-----------+------+------+------+-----------------------------+",
@@ -1400,29 +1399,6 @@ mod tests {
);
}
- async fn read_parquet_file(table: &Arc<TestTable>, file: ParquetFile) -> Vec<RecordBatch> {
- let storage = ParquetStorage::new(table.catalog.object_store());
-
- // get schema
- let table_catalog_schema = table.catalog_schema().await;
- let column_id_lookup = table_catalog_schema.column_id_map();
- let table_schema = table.schema().await;
- let selection: Vec<_> = file
- .column_set
- .iter()
- .map(|id| *column_id_lookup.get(id).unwrap())
- .collect();
- let schema = table_schema.select_by_names(&selection).unwrap();
-
- let path: ParquetFilePath = (&file).into();
- let rx = storage
- .read_all(schema.as_arrow(), &path, file.file_size_bytes as usize)
- .unwrap();
- datafusion::physical_plan::common::collect(rx)
- .await
- .unwrap()
- }
-
#[derive(Debug, PartialEq)]
struct ExtractedByteMetrics {
sample_count: u64,
diff --git a/compactor/src/query.rs b/compactor/src/query.rs
index 20a8d068cc..f94937308e 100644
--- a/compactor/src/query.rs
+++ b/compactor/src/query.rs
@@ -283,7 +283,7 @@ mod tests {
use super::*;
use data_types::ColumnType;
use iox_tests::util::{TestCatalog, TestParquetFileBuilder};
- use parquet_file::storage::ParquetStorage;
+ use parquet_file::storage::{ParquetStorage, StorageId};
async fn test_setup(
compaction_level: CompactionLevel,
@@ -314,7 +314,7 @@ mod tests {
let parquet_chunk = Arc::new(ParquetChunk::new(
Arc::clone(&parquet_file),
Arc::new(table.schema().await),
- ParquetStorage::new(Arc::clone(&catalog.object_store)),
+ ParquetStorage::new(Arc::clone(&catalog.object_store), StorageId::from("iox")),
));
QueryableParquetChunk::new(
diff --git a/ingester/src/data.rs b/ingester/src/data.rs
index c663bae41f..0f0270d910 100644
--- a/ingester/src/data.rs
+++ b/ingester/src/data.rs
@@ -15,7 +15,10 @@ use iox_time::{SystemProvider, TimeProvider};
use metric::{Attributes, Metric, U64Histogram, U64HistogramOptions};
use object_store::DynObjectStore;
use observability_deps::tracing::*;
-use parquet_file::{metadata::IoxMetadata, storage::ParquetStorage};
+use parquet_file::{
+ metadata::IoxMetadata,
+ storage::{ParquetStorage, StorageId},
+};
use snafu::{OptionExt, Snafu};
use write_summary::ShardProgress;
@@ -136,7 +139,7 @@ impl IngesterData {
.collect();
Self {
- store: ParquetStorage::new(object_store),
+ store: ParquetStorage::new(object_store, StorageId::from("iox")),
catalog,
shards,
exec,
diff --git a/iox_tests/Cargo.toml b/iox_tests/Cargo.toml
index 4a188e1a65..bc27bfa630 100644
--- a/iox_tests/Cargo.toml
+++ b/iox_tests/Cargo.toml
@@ -18,6 +18,7 @@ object_store = "0.5.1"
observability_deps = { path = "../observability_deps" }
once_cell = { version = "1.15.0", features = ["parking_lot"] }
parquet_file = { path = "../parquet_file" }
+predicate = { path = "../predicate" }
iox_query = { path = "../iox_query" }
schema = { path = "../schema" }
sharder = { path = "../sharder" }
diff --git a/iox_tests/src/util.rs b/iox_tests/src/util.rs
index cb3dae6614..160dcca498 100644
--- a/iox_tests/src/util.rs
+++ b/iox_tests/src/util.rs
@@ -20,7 +20,12 @@ use mutable_batch_lp::test_helpers::lp_to_mutable_batch;
use object_store::{memory::InMemory, DynObjectStore};
use observability_deps::tracing::debug;
use once_cell::sync::Lazy;
-use parquet_file::{metadata::IoxMetadata, storage::ParquetStorage, ParquetFilePath};
+use parquet_file::{
+ chunk::ParquetChunk,
+ metadata::IoxMetadata,
+ storage::{ParquetStorage, StorageId},
+};
+use predicate::Predicate;
use schema::{
selection::Selection,
sort::{adjust_sort_key_columns, compute_sort_key, SortKey},
@@ -347,7 +352,7 @@ impl TestTable {
/// Read the record batches from the specified Parquet File associated with this table.
pub async fn read_parquet_file(&self, file: ParquetFile) -> Vec<RecordBatch> {
- let storage = ParquetStorage::new(self.catalog.object_store());
+ let storage = ParquetStorage::new(self.catalog.object_store(), StorageId::from("iox"));
// get schema
let table_catalog_schema = self.catalog_schema().await;
@@ -360,9 +365,9 @@ impl TestTable {
.collect();
let schema = table_schema.select_by_names(&selection).unwrap();
- let path: ParquetFilePath = (&file).into();
- let rx = storage
- .read_all(schema.as_arrow(), &path, file.file_size_bytes as usize)
+ let chunk = ParquetChunk::new(Arc::new(file), Arc::new(schema), storage);
+ let rx = chunk
+ .read_filter(&Predicate::default(), Selection::All)
.unwrap();
datafusion::physical_plan::common::collect(rx)
.await
@@ -560,7 +565,10 @@ impl TestPartition {
sort_key: Some(sort_key.clone()),
};
let real_file_size_bytes = create_parquet_file(
- ParquetStorage::new(Arc::clone(&self.catalog.object_store)),
+ ParquetStorage::new(
+ Arc::clone(&self.catalog.object_store),
+ StorageId::from("iox"),
+ ),
&metadata,
record_batch.clone(),
)
diff --git a/ioxd_compactor/src/lib.rs b/ioxd_compactor/src/lib.rs
index 17b2fb7256..0fa1941449 100644
--- a/ioxd_compactor/src/lib.rs
+++ b/ioxd_compactor/src/lib.rs
@@ -19,7 +19,7 @@ use ioxd_common::{
};
use metric::Registry;
use object_store::DynObjectStore;
-use parquet_file::storage::ParquetStorage;
+use parquet_file::storage::{ParquetStorage, StorageId};
use std::{
fmt::{Debug, Display},
sync::Arc,
@@ -193,7 +193,7 @@ pub async fn build_compactor_from_config(
}
txn.commit().await?;
- let parquet_store = ParquetStorage::new(object_store);
+ let parquet_store = ParquetStorage::new(object_store, StorageId::from("iox"));
let CompactorConfig {
max_desired_file_size_bytes,
diff --git a/parquet_file/src/storage.rs b/parquet_file/src/storage.rs
index a1606b28ca..c5da5bca8c 100644
--- a/parquet_file/src/storage.rs
+++ b/parquet_file/src/storage.rs
@@ -93,6 +93,16 @@ pub enum ReadError {
MalformedRowCount(#[from] TryFromIntError),
}
+/// ID for an object store hooked up into DataFusion.
+#[derive(Debug, PartialEq, Eq, Hash, Clone, Copy)]
+pub struct StorageId(&'static str);
+
+impl From<&'static str> for StorageId {
+ fn from(id: &'static str) -> Self {
+ Self(id)
+ }
+}
+
/// The [`ParquetStorage`] type encapsulates [`RecordBatch`] persistence to an
/// underlying [`ObjectStore`].
///
@@ -107,13 +117,26 @@ pub enum ReadError {
pub struct ParquetStorage {
/// Underlying object store.
object_store: Arc<DynObjectStore>,
+
+ /// Storage ID to hook it into DataFusion.
+ id: StorageId,
}
impl ParquetStorage {
/// Initialise a new [`ParquetStorage`] using `object_store` as the
/// persistence layer.
- pub fn new(object_store: Arc<DynObjectStore>) -> Self {
- Self { object_store }
+ pub fn new(object_store: Arc<DynObjectStore>, id: StorageId) -> Self {
+ Self { object_store, id }
+ }
+
+ /// Get underlying object store.
+ pub fn object_store(&self) -> &Arc<DynObjectStore> {
+ &self.object_store
+ }
+
+ /// Get ID.
+ pub fn id(&self) -> StorageId {
+ self.id
}
/// Push `batches`, a stream of [`RecordBatch`] instances, to object
@@ -248,22 +271,6 @@ impl ParquetStorage {
futures::stream::once(execute_stream(Arc::new(exec), task_ctx)).try_flatten(),
)))
}
-
- /// Read all data from the parquet file.
- pub fn read_all(
- &self,
- schema: SchemaRef,
- path: &ParquetFilePath,
- file_size: usize,
- ) -> Result<SendableRecordBatchStream, ReadError> {
- self.read_filter(
- &Predicate::default(),
- Selection::All,
- schema,
- path,
- file_size,
- )
- }
}
/// Error during projecting parquet file data to an expected schema.
@@ -298,7 +305,7 @@ mod tests {
async fn test_upload_metadata() {
let object_store: Arc<DynObjectStore> = Arc::new(object_store::memory::InMemory::default());
- let store = ParquetStorage::new(object_store);
+ let store = ParquetStorage::new(object_store, StorageId::from("iox"));
let meta = meta();
let batch = RecordBatch::try_from_iter([("a", to_string_array(&["value"]))]).unwrap();
@@ -443,7 +450,7 @@ mod tests {
async fn test_schema_check_ignore_additional_metadata_in_mem() {
let object_store: Arc<DynObjectStore> = Arc::new(object_store::memory::InMemory::default());
- let store = ParquetStorage::new(object_store);
+ let store = ParquetStorage::new(object_store, StorageId::from("iox"));
let meta = meta();
let batch = RecordBatch::try_from_iter([("a", to_string_array(&["value"]))]).unwrap();
@@ -468,7 +475,7 @@ mod tests {
async fn test_schema_check_ignore_additional_metadata_in_file() {
let object_store: Arc<DynObjectStore> = Arc::new(object_store::memory::InMemory::default());
- let store = ParquetStorage::new(object_store);
+ let store = ParquetStorage::new(object_store, StorageId::from("iox"));
let meta = meta();
let batch = RecordBatch::try_from_iter([("a", to_string_array(&["value"]))]).unwrap();
@@ -599,7 +606,7 @@ mod tests {
) {
let object_store: Arc<DynObjectStore> = Arc::new(object_store::memory::InMemory::default());
- let store = ParquetStorage::new(object_store);
+ let store = ParquetStorage::new(object_store, StorageId::from("iox"));
// Serialize & upload the record batches.
let meta = meta();
@@ -619,7 +626,7 @@ mod tests {
) {
let object_store: Arc<DynObjectStore> = Arc::new(object_store::memory::InMemory::default());
- let store = ParquetStorage::new(object_store);
+ let store = ParquetStorage::new(object_store, StorageId::from("iox"));
let meta = meta();
let (_iox_md, file_size) = upload(&store, &meta, persisted_batch).await;
diff --git a/parquet_file/tests/metadata.rs b/parquet_file/tests/metadata.rs
index 8175250d3b..f4837a3351 100644
--- a/parquet_file/tests/metadata.rs
+++ b/parquet_file/tests/metadata.rs
@@ -13,7 +13,7 @@ use object_store::DynObjectStore;
use parquet_file::{
metadata::IoxMetadata,
serialize::CodecError,
- storage::{ParquetStorage, UploadError},
+ storage::{ParquetStorage, StorageId, UploadError},
};
use schema::{builder::SchemaBuilder, sort::SortKey, InfluxFieldType, TIME_COLUMN_NAME};
@@ -59,7 +59,7 @@ async fn test_decoded_iox_metadata() {
let stream = futures::stream::iter([Ok(batch.clone())]);
let object_store: Arc<DynObjectStore> = Arc::new(object_store::memory::InMemory::default());
- let storage = ParquetStorage::new(object_store);
+ let storage = ParquetStorage::new(object_store, StorageId::from("iox"));
let (iox_parquet_meta, file_size) = storage
.upload(stream, &meta)
@@ -188,7 +188,7 @@ async fn test_empty_parquet_file_panic() {
let stream = futures::stream::iter([Ok(batch.clone())]);
let object_store: Arc<DynObjectStore> = Arc::new(object_store::memory::InMemory::default());
- let storage = ParquetStorage::new(object_store);
+ let storage = ParquetStorage::new(object_store, StorageId::from("iox"));
// Serialising empty data should cause a panic for human investigation.
let err = storage
@@ -270,7 +270,7 @@ async fn test_decoded_many_columns_with_null_cols_iox_metadata() {
let stream = futures::stream::iter([Ok(batch.clone())]);
let object_store: Arc<DynObjectStore> = Arc::new(object_store::memory::InMemory::default());
- let storage = ParquetStorage::new(object_store);
+ let storage = ParquetStorage::new(object_store, StorageId::from("iox"));
let (iox_parquet_meta, file_size) = storage
.upload(stream, &meta)
@@ -355,7 +355,7 @@ async fn test_derive_parquet_file_params() {
let stream = futures::stream::iter([Ok(batch.clone())]);
let object_store: Arc<DynObjectStore> = Arc::new(object_store::memory::InMemory::default());
- let storage = ParquetStorage::new(object_store);
+ let storage = ParquetStorage::new(object_store, StorageId::from("iox"));
let (iox_parquet_meta, file_size) = storage
.upload(stream, &meta)
diff --git a/querier/src/chunk/mod.rs b/querier/src/chunk/mod.rs
index 1793f90786..6d7957b0a7 100644
--- a/querier/src/chunk/mod.rs
+++ b/querier/src/chunk/mod.rs
@@ -7,7 +7,10 @@ use data_types::{
PartitionId, SequenceNumber, ShardId, TableSummary, TimestampMinMax,
};
use iox_catalog::interface::Catalog;
-use parquet_file::{chunk::ParquetChunk, storage::ParquetStorage};
+use parquet_file::{
+ chunk::ParquetChunk,
+ storage::{ParquetStorage, StorageId},
+};
use schema::{sort::SortKey, Schema};
use std::{collections::HashMap, sync::Arc};
use trace::span::{Span, SpanRecorder};
@@ -186,7 +189,10 @@ pub struct ChunkAdapter {
impl ChunkAdapter {
/// Create new adapter with empty cache.
pub fn new(catalog_cache: Arc<CatalogCache>, metric_registry: Arc<metric::Registry>) -> Self {
- let store = ParquetStorage::new(Arc::clone(catalog_cache.object_store().object_store()));
+ let store = ParquetStorage::new(
+ Arc::clone(catalog_cache.object_store().object_store()),
+ StorageId::from("iox"),
+ );
Self {
catalog_cache,
store,
|
871f9b68072bffb58763d666f16e501964136ebc
|
Dom Dwyer
|
2023-08-24 15:38:57
|
sort Cargo.toml dependencies
|
Alphabetically sort the dependencies to avoid diff noise.
| null |
refactor(compactor): sort Cargo.toml dependencies
Alphabetically sort the dependencies to avoid diff noise.
|
diff --git a/compactor/Cargo.toml b/compactor/Cargo.toml
index b0b0ec89d9..938c578d51 100644
--- a/compactor/Cargo.toml
+++ b/compactor/Cargo.toml
@@ -11,8 +11,8 @@ backoff = { path = "../backoff" }
bytes = "1.4"
chrono = { version = "0.4", default-features = false }
compactor_scheduler = { path = "../compactor_scheduler" }
-datafusion = { workspace = true }
data_types = { path = "../data_types" }
+datafusion = { workspace = true }
futures = "0.3"
iox_catalog = { path = "../iox_catalog" }
iox_query = { path = "../iox_query" }
@@ -21,6 +21,7 @@ itertools = "0.11.0"
metric = { path = "../metric" }
object_store = { workspace = true }
observability_deps = { path = "../observability_deps" }
+parking_lot = "0.12.1"
parquet_file = { path = "../parquet_file" }
rand = "0.8.3"
schema = { path = "../schema" }
@@ -30,12 +31,11 @@ trace = { version = "0.1.0", path = "../trace" }
tracker = { path = "../tracker" }
uuid = { version = "1", features = ["v4"] }
workspace-hack = { version = "0.1", path = "../workspace-hack" }
-parking_lot = "0.12.1"
[dev-dependencies]
arrow_util = { path = "../arrow_util" }
assert_matches = "1"
compactor_test_utils = { path = "../compactor_test_utils" }
iox_tests = { path = "../iox_tests" }
-test_helpers = { path = "../test_helpers"}
+test_helpers = { path = "../test_helpers" }
insta = { version = "1.31.0", features = ["yaml"] }
|
d49276a7fb88c53760dc9f4e0f3f93fbfacdeb89
|
Paul Dix
|
2025-01-27 11:26:46
|
Refactor plugins to only require creating trigger (#25914)
|
This refactors plugins and triggers so that plugins no longer need to be "created". Since plugins exist in either the configured local directory or on the Github repo, a user now only needs to create a trigger and reference the plugin filename.
Closes #25876
| null |
feat: Refactor plugins to only require creating trigger (#25914)
This refactors plugins and triggers so that plugins no longer need to be "created". Since plugins exist in either the configured local directory or on the Github repo, a user now only needs to create a trigger and reference the plugin filename.
Closes #25876
|
diff --git a/influxdb3/src/commands/create.rs b/influxdb3/src/commands/create.rs
index e432442b76..d9b97cc7d6 100644
--- a/influxdb3/src/commands/create.rs
+++ b/influxdb3/src/commands/create.rs
@@ -50,15 +50,6 @@ impl Config {
},
..
})
- | SubCommand::Plugin(PluginConfig {
- influxdb3_config:
- InfluxDb3Config {
- host_url,
- auth_token,
- ..
- },
- ..
- })
| SubCommand::Table(TableConfig {
influxdb3_config:
InfluxDb3Config {
@@ -100,13 +91,11 @@ pub enum SubCommand {
/// Create a new distinct value cache
#[clap(name = "distinct_cache")]
DistinctCache(DistinctCacheConfig),
- /// Create a new processing engine plugin
- Plugin(PluginConfig),
/// Create a new table in a database
Table(TableConfig),
/// Create a new auth token
Token,
- /// Create a new trigger for the processing engine
+ /// Create a new trigger for the processing engine that executes a plugin on either WAL rows, scheduled tasks, or requests to the serve at `/api/v3/engine/<path>`
Trigger(TriggerConfig),
}
@@ -201,20 +190,6 @@ pub struct DistinctCacheConfig {
cache_name: Option<String>,
}
-#[derive(Debug, clap::Parser)]
-pub struct PluginConfig {
- #[clap(flatten)]
- influxdb3_config: InfluxDb3Config,
- /// Python file name of the file on the server's plugin-dir containing the plugin code
- #[clap(long = "filename")]
- file_name: String,
- /// Type of trigger the plugin processes. Options: wal_rows, scheduled, request
- #[clap(long = "plugin-type")]
- plugin_type: String,
- /// Name of the plugin to create
- plugin_name: String,
-}
-
#[derive(Debug, clap::Args)]
pub struct TableConfig {
#[clap(long = "tags", required = true, num_args=0..)]
@@ -238,14 +213,15 @@ pub struct TableConfig {
pub struct TriggerConfig {
#[clap(flatten)]
influxdb3_config: InfluxDb3Config,
-
- /// Plugin to execute when trigger fires
- #[clap(long = "plugin")]
- plugin_name: String,
+ /// Python file name of the file on the server's plugin-dir containing the plugin code. Or
+ /// on the [influxdb3_plugins](https://github.com/influxdata/influxdb3_plugins) repo if `gh:` is specified as
+ /// the prefix.
+ #[clap(long = "plugin-filename")]
+ plugin_filename: String,
/// When the trigger should fire
#[clap(long = "trigger-spec",
value_parser = TriggerSpecificationDefinition::from_string_rep,
- help = "Trigger specification format: 'table:<TABLE_NAME>' or 'all_tables'")]
+ help = "The plugin file must be for the given trigger type of wal, schedule, or request. Trigger specification format:\nFor wal_rows use: 'table:<TABLE_NAME>' or 'all_tables'\nFor scheduled use: 'cron:<CRON_EXPRESSION>' or 'every:<duration e.g. 10m>'\nFor request use: 'path:<PATH>' e.g. path:foo will be at /api/v3/engine/foo")]
trigger_specification: TriggerSpecificationDefinition,
/// Comma separated list of key/value pairs to use as trigger arguments. Example: key1=val1,key2=val2
#[clap(long = "trigger-arguments")]
@@ -334,22 +310,6 @@ pub async fn command(config: Config) -> Result<(), Box<dyn Error>> {
None => println!("a cache already exists for the provided parameters"),
}
}
- SubCommand::Plugin(PluginConfig {
- influxdb3_config: InfluxDb3Config { database_name, .. },
- plugin_name,
- file_name,
- plugin_type,
- }) => {
- client
- .api_v3_configure_processing_engine_plugin_create(
- database_name,
- &plugin_name,
- file_name,
- plugin_type,
- )
- .await?;
- println!("Plugin {} created successfully", plugin_name);
- }
SubCommand::Table(TableConfig {
influxdb3_config: InfluxDb3Config { database_name, .. },
table_name,
@@ -387,7 +347,7 @@ pub async fn command(config: Config) -> Result<(), Box<dyn Error>> {
SubCommand::Trigger(TriggerConfig {
influxdb3_config: InfluxDb3Config { database_name, .. },
trigger_name,
- plugin_name,
+ plugin_filename,
trigger_specification,
trigger_arguments,
disabled,
@@ -402,7 +362,7 @@ pub async fn command(config: Config) -> Result<(), Box<dyn Error>> {
.api_v3_configure_processing_engine_trigger_create(
database_name,
&trigger_name,
- plugin_name,
+ plugin_filename,
trigger_specification.string_rep(),
trigger_arguments,
disabled,
diff --git a/influxdb3/src/commands/delete.rs b/influxdb3/src/commands/delete.rs
index 9a7ba1e850..68c04158bd 100644
--- a/influxdb3/src/commands/delete.rs
+++ b/influxdb3/src/commands/delete.rs
@@ -38,15 +38,6 @@ impl Config {
},
..
})
- | SubCommand::Plugin(PluginConfig {
- influxdb3_config:
- InfluxDb3Config {
- host_url,
- auth_token,
- ..
- },
- ..
- })
| SubCommand::Table(TableConfig {
influxdb3_config:
InfluxDb3Config {
@@ -85,8 +76,6 @@ pub enum SubCommand {
/// Delete a distinct value cache
#[clap(name = "distinct_cache")]
DistinctCache(DistinctCacheConfig),
- /// Delete an existing processing engine plugin
- Plugin(PluginConfig),
/// Delete a table in a database
Table(TableConfig),
/// Delete a trigger
@@ -141,16 +130,6 @@ pub struct DistinctCacheConfig {
cache_name: String,
}
-#[derive(Debug, clap::Parser)]
-pub struct PluginConfig {
- #[clap(flatten)]
- influxdb3_config: InfluxDb3Config,
-
- /// Name of the plugin to delete
- #[clap(required = true)]
- plugin_name: String,
-}
-
#[derive(Debug, clap::Args)]
pub struct TableConfig {
#[clap(flatten)]
@@ -214,15 +193,6 @@ pub async fn command(config: Config) -> Result<(), Box<dyn Error>> {
println!("distinct cache deleted successfully");
}
- SubCommand::Plugin(PluginConfig {
- influxdb3_config: InfluxDb3Config { database_name, .. },
- plugin_name,
- }) => {
- client
- .api_v3_configure_processing_engine_plugin_delete(database_name, &plugin_name)
- .await?;
- println!("Plugin {} deleted successfully", plugin_name);
- }
SubCommand::Table(TableConfig {
influxdb3_config: InfluxDb3Config { database_name, .. },
table_name,
diff --git a/influxdb3/tests/server/cli.rs b/influxdb3/tests/server/cli.rs
index baa5f3855a..f772c191ca 100644
--- a/influxdb3/tests/server/cli.rs
+++ b/influxdb3/tests/server/cli.rs
@@ -600,97 +600,6 @@ async fn test_create_delete_distinct_cache() {
assert_contains!(&result, "[404 Not Found]: cache not found");
}
-#[test_log::test(tokio::test)]
-async fn test_create_plugin() {
- let plugin_file = create_plugin_file(
- r#"
-def process_writes(influxdb3_local, table_batches, args=None):
- influxdb3_local.info("done")
-"#,
- );
- let plugin_dir = plugin_file.path().parent().unwrap().to_str().unwrap();
- let plugin_filename = plugin_file.path().file_name().unwrap().to_str().unwrap();
-
- let server = TestServer::configure()
- .with_plugin_dir(plugin_dir)
- .spawn()
- .await;
- let server_addr = server.client_addr();
- let db_name = "foo";
-
- // Create database first
- let result = run_with_confirmation(&["create", "database", "--host", &server_addr, db_name]);
- assert_contains!(&result, "Database \"foo\" created successfully");
-
- // Create plugin
- let plugin_name = "test_plugin";
- let result = run_with_confirmation(&[
- "create",
- "plugin",
- "--database",
- db_name,
- "--host",
- &server_addr,
- "--plugin-type",
- "wal_rows",
- "--filename",
- plugin_filename,
- plugin_name,
- ]);
- debug!(result = ?result, "create plugin");
- assert_contains!(&result, "Plugin test_plugin created successfully");
-}
-
-#[test_log::test(tokio::test)]
-async fn test_delete_plugin() {
- let plugin_file = create_plugin_file(
- r#"
-def process_writes(influxdb3_local, table_batches, args=None):
- influxdb3_local.info("done")
-"#,
- );
- let plugin_dir = plugin_file.path().parent().unwrap().to_str().unwrap();
- let plugin_filename = plugin_file.path().file_name().unwrap().to_str().unwrap();
-
- let server = TestServer::configure()
- .with_plugin_dir(plugin_dir)
- .spawn()
- .await;
- let server_addr = server.client_addr();
- let db_name = "foo";
-
- // Setup: create database and plugin
- run_with_confirmation(&["create", "database", "--host", &server_addr, db_name]);
-
- let plugin_name = "test_plugin";
- run_with_confirmation(&[
- "create",
- "plugin",
- "--database",
- db_name,
- "--host",
- &server_addr,
- "--plugin-type",
- "wal_rows",
- "--filename",
- plugin_filename,
- plugin_name,
- ]);
-
- // Delete plugin
- let result = run_with_confirmation(&[
- "delete",
- "plugin",
- "--database",
- db_name,
- "--host",
- &server_addr,
- plugin_name,
- ]);
- debug!(result = ?result, "delete plugin");
- assert_contains!(&result, "Plugin test_plugin deleted successfully");
-}
-
#[cfg(feature = "system-py")]
#[test_log::test(tokio::test)]
async fn test_create_trigger_and_run() {
@@ -711,22 +620,6 @@ async fn test_create_trigger_and_run() {
// Setup: create database and plugin
run_with_confirmation(&["create", "database", "--host", &server_addr, db_name]);
- let plugin_name = "test_plugin";
-
- run_with_confirmation(&[
- "create",
- "plugin",
- "--database",
- db_name,
- "--host",
- &server_addr,
- "--plugin-type",
- "wal_rows",
- "--filename",
- plugin_filename,
- plugin_name,
- ]);
-
// creating the trigger should enable it
let result = run_with_confirmation(&[
"create",
@@ -735,8 +628,8 @@ async fn test_create_trigger_and_run() {
db_name,
"--host",
&server_addr,
- "--plugin",
- plugin_name,
+ "--plugin-filename",
+ plugin_filename,
"--trigger-spec",
"all_tables",
"--trigger-arguments",
@@ -826,22 +719,6 @@ async fn test_triggers_are_started() {
// Setup: create database and plugin
run_with_confirmation(&["create", "database", "--host", &server_addr, db_name]);
- let plugin_name = "test_plugin";
-
- run_with_confirmation(&[
- "create",
- "plugin",
- "--database",
- db_name,
- "--host",
- &server_addr,
- "--plugin-type",
- "wal_rows",
- "--filename",
- plugin_filename,
- plugin_name,
- ]);
-
// creating the trigger should enable it
let result = run_with_confirmation(&[
"create",
@@ -850,8 +727,8 @@ async fn test_triggers_are_started() {
db_name,
"--host",
&server_addr,
- "--plugin",
- plugin_name,
+ "--plugin-filename",
+ plugin_filename,
"--trigger-spec",
"all_tables",
"--trigger-arguments",
@@ -947,21 +824,6 @@ def process_writes(influxdb3_local, table_batches, args=None):
// Setup: create database, plugin, and trigger
run_with_confirmation(&["create", "database", "--host", &server_addr, db_name]);
- let plugin_name = "test_plugin";
- run_with_confirmation(&[
- "create",
- "plugin",
- "--database",
- db_name,
- "--host",
- &server_addr,
- "--plugin-type",
- "wal_rows",
- "--filename",
- plugin_filename,
- plugin_name,
- ]);
-
run_with_confirmation(&[
"create",
"trigger",
@@ -969,8 +831,8 @@ def process_writes(influxdb3_local, table_batches, args=None):
db_name,
"--host",
&server_addr,
- "--plugin",
- plugin_name,
+ "--plugin-filename",
+ plugin_filename,
"--trigger-spec",
"all_tables",
trigger_name,
@@ -1025,21 +887,6 @@ def process_writes(influxdb3_local, table_batches, args=None):
// Setup: create database, plugin, and enable trigger
run_with_confirmation(&["create", "database", "--host", &server_addr, db_name]);
- let plugin_name = "test_plugin";
- run_with_confirmation(&[
- "create",
- "plugin",
- "--database",
- db_name,
- "--host",
- &server_addr,
- "--plugin-type",
- "wal_rows",
- "--filename",
- plugin_filename,
- plugin_name,
- ]);
-
run_with_confirmation(&[
"create",
"trigger",
@@ -1047,8 +894,8 @@ def process_writes(influxdb3_local, table_batches, args=None):
db_name,
"--host",
&server_addr,
- "--plugin",
- plugin_name,
+ "--plugin-filename",
+ plugin_filename,
"--trigger-spec",
"all_tables",
trigger_name,
@@ -1119,21 +966,6 @@ def process_writes(influxdb3_local, table_batches, args=None):
table_name,
]);
- let plugin_name = "test_plugin";
- run_with_confirmation(&[
- "create",
- "plugin",
- "--database",
- db_name,
- "--host",
- &server_addr,
- "--plugin-type",
- "wal_rows",
- "--filename",
- plugin_filename,
- plugin_name,
- ]);
-
// Create table-specific trigger
let result = run_with_confirmation(&[
"create",
@@ -1142,8 +974,8 @@ def process_writes(influxdb3_local, table_batches, args=None):
db_name,
"--host",
&server_addr,
- "--plugin",
- plugin_name,
+ "--plugin-filename",
+ plugin_filename,
"--trigger-spec",
&format!("table:{}", table_name),
trigger_name,
@@ -1614,22 +1446,6 @@ def process_request(influxdb3_local, query_parameters, request_headers, request_
// Setup: create database and plugin
run_with_confirmation(&["create", "database", "--host", &server_addr, db_name]);
- let plugin_name = "test_plugin";
-
- run_with_confirmation(&[
- "create",
- "plugin",
- "--database",
- db_name,
- "--host",
- &server_addr,
- "--plugin-type",
- "request",
- "--filename",
- plugin_filename,
- plugin_name,
- ]);
-
let trigger_path = "foo";
// creating the trigger should enable it
let result = run_with_confirmation(&[
@@ -1639,8 +1455,8 @@ def process_request(influxdb3_local, query_parameters, request_headers, request_
db_name,
"--host",
&server_addr,
- "--plugin",
- plugin_name,
+ "--plugin-filename",
+ plugin_filename,
"--trigger-spec",
"request:foo",
"--trigger-arguments",
diff --git a/influxdb3/tests/server/flight.rs b/influxdb3/tests/server/flight.rs
index 5199d5a0e6..98ab4e0bb6 100644
--- a/influxdb3/tests/server/flight.rs
+++ b/influxdb3/tests/server/flight.rs
@@ -120,7 +120,6 @@ async fn flight() -> Result<(), influxdb3_client::Error> {
"| public | system | distinct_caches | BASE TABLE |",
"| public | system | last_caches | BASE TABLE |",
"| public | system | parquet_files | BASE TABLE |",
- "| public | system | processing_engine_plugins | BASE TABLE |",
"| public | system | processing_engine_triggers | BASE TABLE |",
"| public | system | queries | BASE TABLE |",
"+--------------+--------------------+----------------------------+------------+",
diff --git a/influxdb3_cache/src/last_cache/mod.rs b/influxdb3_cache/src/last_cache/mod.rs
index ebc8359882..5660ab46a7 100644
--- a/influxdb3_cache/src/last_cache/mod.rs
+++ b/influxdb3_cache/src/last_cache/mod.rs
@@ -1267,7 +1267,6 @@ mod tests {
map.insert(TableId::from(1), "test_table_2".into());
map
},
- processing_engine_plugins: Default::default(),
processing_engine_triggers: Default::default(),
deleted: false,
};
diff --git a/influxdb3_catalog/src/catalog.rs b/influxdb3_catalog/src/catalog.rs
index f8482ff190..9da955365f 100644
--- a/influxdb3_catalog/src/catalog.rs
+++ b/influxdb3_catalog/src/catalog.rs
@@ -1,18 +1,18 @@
//! Implementation of the Catalog that sits entirely in memory.
use crate::catalog::Error::{
- CatalogUpdatedElsewhere, ProcessingEngineCallExists, ProcessingEngineTriggerExists,
- ProcessingEngineTriggerRunning, TableNotFound,
+ CatalogUpdatedElsewhere, ProcessingEngineTriggerExists, ProcessingEngineTriggerRunning,
+ TableNotFound,
};
use bimap::{BiHashMap, Overwritten};
use hashbrown::HashMap;
use indexmap::IndexMap;
use influxdb3_id::{ColumnId, DbId, SerdeVecMap, TableId};
use influxdb3_wal::{
- CatalogBatch, CatalogOp, DeleteDatabaseDefinition, DeletePluginDefinition,
- DeleteTableDefinition, DeleteTriggerDefinition, DistinctCacheDefinition, DistinctCacheDelete,
- FieldAdditions, FieldDefinition, LastCacheDefinition, LastCacheDelete, OrderedCatalogBatch,
- PluginDefinition, TriggerDefinition, TriggerIdentifier,
+ CatalogBatch, CatalogOp, DeleteDatabaseDefinition, DeleteTableDefinition,
+ DeleteTriggerDefinition, DistinctCacheDefinition, DistinctCacheDelete, FieldAdditions,
+ FieldDefinition, LastCacheDefinition, LastCacheDelete, OrderedCatalogBatch, TriggerDefinition,
+ TriggerIdentifier,
};
use influxdb_line_protocol::FieldValue;
use iox_time::Time;
@@ -81,15 +81,6 @@ pub enum Error {
existing: String,
},
- #[error(
- "Cannot overwrite Processing Engine Call {} in Database {}",
- call_name,
- database_name
- )]
- ProcessingEngineCallExists {
- database_name: String,
- call_name: String,
- },
#[error(
"Cannot overwrite Processing Engine Trigger {} in Database {}",
trigger_name,
@@ -541,8 +532,6 @@ pub struct DatabaseSchema {
/// The database is a map of tables
pub tables: SerdeVecMap<TableId, Arc<TableDefinition>>,
pub table_map: BiHashMap<TableId, Arc<str>>,
- pub processing_engine_plugins: HashMap<String, PluginDefinition>,
- // TODO: care about performance of triggers
pub processing_engine_triggers: HashMap<String, TriggerDefinition>,
pub deleted: bool,
}
@@ -554,7 +543,6 @@ impl DatabaseSchema {
name,
tables: Default::default(),
table_map: BiHashMap::new(),
- processing_engine_plugins: HashMap::new(),
processing_engine_triggers: HashMap::new(),
deleted: false,
}
@@ -732,8 +720,6 @@ impl UpdateDatabaseSchema for CatalogOp {
}
CatalogOp::DeleteDatabase(delete_database) => delete_database.update_schema(schema),
CatalogOp::DeleteTable(delete_table) => delete_table.update_schema(schema),
- CatalogOp::DeletePlugin(delete_plugin) => delete_plugin.update_schema(schema),
- CatalogOp::CreatePlugin(create_plugin) => create_plugin.update_schema(schema),
CatalogOp::CreateTrigger(create_trigger) => create_trigger.update_schema(schema),
CatalogOp::DeleteTrigger(delete_trigger) => delete_trigger.update_schema(schema),
CatalogOp::EnableTrigger(trigger_identifier) => {
@@ -808,54 +794,6 @@ impl UpdateDatabaseSchema for DeleteTableDefinition {
}
}
-impl UpdateDatabaseSchema for DeletePluginDefinition {
- fn update_schema<'a>(
- &self,
- mut schema: Cow<'a, DatabaseSchema>,
- ) -> Result<Cow<'a, DatabaseSchema>> {
- // check that there aren't any triggers with this name.
- for (trigger_name, trigger) in &schema.processing_engine_triggers {
- if trigger.plugin_name == self.plugin_name {
- return Err(Error::ProcessingEnginePluginInUse {
- database_name: schema.name.to_string(),
- plugin_name: self.plugin_name.to_string(),
- trigger_name: trigger_name.to_string(),
- });
- }
- }
- schema
- .to_mut()
- .processing_engine_plugins
- .remove(&self.plugin_name);
- Ok(schema)
- }
-}
-
-impl UpdateDatabaseSchema for PluginDefinition {
- fn update_schema<'a>(
- &self,
- mut schema: Cow<'a, DatabaseSchema>,
- ) -> Result<Cow<'a, DatabaseSchema>> {
- match schema.processing_engine_plugins.get(&self.plugin_name) {
- Some(current) if self.eq(current) => {}
- Some(_) => {
- return Err(ProcessingEngineCallExists {
- database_name: schema.name.to_string(),
- call_name: self.plugin_name.to_string(),
- })
- }
- None => {
- schema
- .to_mut()
- .processing_engine_plugins
- .insert(self.plugin_name.to_string(), self.clone());
- }
- }
-
- Ok(schema)
- }
-}
-
struct EnableTrigger(TriggerIdentifier);
struct DisableTrigger(TriggerIdentifier);
@@ -1444,7 +1382,6 @@ mod tests {
map.insert(TableId::from(2), "test_table_2".into());
map
},
- processing_engine_plugins: Default::default(),
processing_engine_triggers: Default::default(),
deleted: false,
};
@@ -1655,7 +1592,6 @@ mod tests {
name: "test".into(),
tables: SerdeVecMap::new(),
table_map: BiHashMap::new(),
- processing_engine_plugins: Default::default(),
processing_engine_triggers: Default::default(),
deleted: false,
};
@@ -1714,7 +1650,6 @@ mod tests {
map.insert(TableId::from(1), "test_table_1".into());
map
},
- processing_engine_plugins: Default::default(),
processing_engine_triggers: Default::default(),
deleted: false,
};
@@ -1771,7 +1706,6 @@ mod tests {
map.insert(TableId::from(0), "test".into());
map
},
- processing_engine_plugins: Default::default(),
processing_engine_triggers: Default::default(),
deleted: false,
};
@@ -1872,7 +1806,6 @@ mod tests {
name: "test".into(),
tables: SerdeVecMap::new(),
table_map: BiHashMap::new(),
- processing_engine_plugins: Default::default(),
processing_engine_triggers: Default::default(),
deleted: false,
};
diff --git a/influxdb3_catalog/src/serialize.rs b/influxdb3_catalog/src/serialize.rs
index 0c483a1916..dd9b133c01 100644
--- a/influxdb3_catalog/src/serialize.rs
+++ b/influxdb3_catalog/src/serialize.rs
@@ -8,9 +8,7 @@ use influxdb3_id::ColumnId;
use influxdb3_id::DbId;
use influxdb3_id::SerdeVecMap;
use influxdb3_id::TableId;
-use influxdb3_wal::{
- LastCacheDefinition, LastCacheValueColumnsDef, PluginDefinition, PluginType, TriggerDefinition,
-};
+use influxdb3_wal::{LastCacheDefinition, LastCacheValueColumnsDef, PluginType, TriggerDefinition};
use schema::InfluxColumnType;
use schema::InfluxFieldType;
use schema::TIME_DATA_TIMEZONE;
@@ -42,8 +40,6 @@ struct DatabaseSnapshot {
name: Arc<str>,
tables: SerdeVecMap<TableId, TableSnapshot>,
#[serde(default)]
- processing_engine_plugins: SerdeVecMap<String, ProcessingEnginePluginSnapshot>,
- #[serde(default)]
processing_engine_triggers: SerdeVecMap<String, ProcessingEngineTriggerSnapshot>,
deleted: bool,
}
@@ -58,11 +54,6 @@ impl From<&DatabaseSchema> for DatabaseSnapshot {
.iter()
.map(|(table_id, table_def)| (*table_id, table_def.as_ref().into()))
.collect(),
- processing_engine_plugins: db
- .processing_engine_plugins
- .iter()
- .map(|(name, call)| (name.clone(), call.into()))
- .collect(),
processing_engine_triggers: db
.processing_engine_triggers
.iter()
@@ -84,26 +75,15 @@ impl From<DatabaseSnapshot> for DatabaseSchema {
(id, Arc::new(table.into()))
})
.collect();
- let processing_engine_plugins: HashMap<_, _> = snap
- .processing_engine_plugins
- .into_iter()
- .map(|(name, call)| (name, call.into()))
- .collect();
let processing_engine_triggers = snap
.processing_engine_triggers
.into_iter()
.map(|(name, trigger)| {
- // TODO: Decide whether to handle errors
- let plugin: PluginDefinition = processing_engine_plugins
- .get(&trigger.plugin_name)
- .cloned()
- .expect("should have plugin");
(
name,
TriggerDefinition {
trigger_name: trigger.trigger_name,
- plugin_name: plugin.plugin_name.to_string(),
- plugin_file_name: plugin.file_name.clone(),
+ plugin_filename: trigger.plugin_filename,
trigger: serde_json::from_str(&trigger.trigger_specification).unwrap(),
trigger_arguments: trigger.trigger_arguments,
disabled: trigger.disabled,
@@ -118,7 +98,6 @@ impl From<DatabaseSnapshot> for DatabaseSchema {
name: snap.name,
tables,
table_map,
- processing_engine_plugins,
processing_engine_triggers,
deleted: snap.deleted,
}
@@ -171,7 +150,7 @@ struct ProcessingEnginePluginSnapshot {
#[derive(Debug, Serialize, Deserialize)]
struct ProcessingEngineTriggerSnapshot {
pub trigger_name: String,
- pub plugin_name: String,
+ pub plugin_filename: String,
pub database_name: String,
pub trigger_specification: String,
pub trigger_arguments: Option<HashMap<String, String>>,
@@ -410,31 +389,11 @@ impl From<TableSnapshot> for TableDefinition {
}
}
-impl From<&PluginDefinition> for ProcessingEnginePluginSnapshot {
- fn from(plugin: &PluginDefinition) -> Self {
- Self {
- plugin_name: plugin.plugin_name.to_string(),
- file_name: plugin.file_name.to_string(),
- plugin_type: plugin.plugin_type,
- }
- }
-}
-
-impl From<ProcessingEnginePluginSnapshot> for PluginDefinition {
- fn from(plugin: ProcessingEnginePluginSnapshot) -> Self {
- Self {
- plugin_name: plugin.plugin_name.to_string(),
- file_name: plugin.file_name.to_string(),
- plugin_type: plugin.plugin_type,
- }
- }
-}
-
impl From<&TriggerDefinition> for ProcessingEngineTriggerSnapshot {
fn from(trigger: &TriggerDefinition) -> Self {
ProcessingEngineTriggerSnapshot {
trigger_name: trigger.trigger_name.to_string(),
- plugin_name: trigger.plugin_name.to_string(),
+ plugin_filename: trigger.plugin_filename.to_string(),
database_name: trigger.database_name.to_string(),
trigger_specification: serde_json::to_string(&trigger.trigger)
.expect("should be able to serialize trigger specification"),
diff --git a/influxdb3_catalog/src/snapshots/influxdb3_catalog__catalog__tests__catalog_serialization.snap b/influxdb3_catalog/src/snapshots/influxdb3_catalog__catalog__tests__catalog_serialization.snap
index cd13fe04ee..29081d8d99 100644
--- a/influxdb3_catalog/src/snapshots/influxdb3_catalog__catalog__tests__catalog_serialization.snap
+++ b/influxdb3_catalog/src/snapshots/influxdb3_catalog__catalog__tests__catalog_serialization.snap
@@ -262,7 +262,6 @@ expression: catalog
}
]
],
- "processing_engine_plugins": [],
"processing_engine_triggers": [],
"deleted": false
}
diff --git a/influxdb3_catalog/src/snapshots/influxdb3_catalog__catalog__tests__serialize_last_cache.snap b/influxdb3_catalog/src/snapshots/influxdb3_catalog__catalog__tests__serialize_last_cache.snap
index c135bb4986..c5e60524b7 100644
--- a/influxdb3_catalog/src/snapshots/influxdb3_catalog__catalog__tests__serialize_last_cache.snap
+++ b/influxdb3_catalog/src/snapshots/influxdb3_catalog__catalog__tests__serialize_last_cache.snap
@@ -113,7 +113,6 @@ expression: catalog
}
]
],
- "processing_engine_plugins": [],
"processing_engine_triggers": [],
"deleted": false
}
diff --git a/influxdb3_catalog/src/snapshots/influxdb3_catalog__catalog__tests__serialize_series_keys.snap b/influxdb3_catalog/src/snapshots/influxdb3_catalog__catalog__tests__serialize_series_keys.snap
index 48c62f042e..d9d3803159 100644
--- a/influxdb3_catalog/src/snapshots/influxdb3_catalog__catalog__tests__serialize_series_keys.snap
+++ b/influxdb3_catalog/src/snapshots/influxdb3_catalog__catalog__tests__serialize_series_keys.snap
@@ -97,7 +97,6 @@ expression: catalog
}
]
],
- "processing_engine_plugins": [],
"processing_engine_triggers": [],
"deleted": false
}
diff --git a/influxdb3_client/src/lib.rs b/influxdb3_client/src/lib.rs
index 6aa843727b..c69a417605 100644
--- a/influxdb3_client/src/lib.rs
+++ b/influxdb3_client/src/lib.rs
@@ -564,7 +564,7 @@ impl Client {
&self,
db: impl Into<String> + Send,
trigger_name: impl Into<String> + Send,
- plugin_name: impl Into<String> + Send,
+ plugin_filename: impl Into<String> + Send,
trigger_spec: impl Into<String> + Send,
trigger_arguments: Option<HashMap<String, String>>,
disabled: bool,
@@ -577,7 +577,7 @@ impl Client {
struct Req {
db: String,
trigger_name: String,
- plugin_name: String,
+ plugin_filename: String,
trigger_specification: String,
trigger_arguments: Option<HashMap<String, String>>,
disabled: bool,
@@ -585,7 +585,7 @@ impl Client {
let mut req = self.http_client.post(url).json(&Req {
db: db.into(),
trigger_name: trigger_name.into(),
- plugin_name: plugin_name.into(),
+ plugin_filename: plugin_filename.into(),
trigger_specification: trigger_spec.into(),
trigger_arguments,
disabled,
diff --git a/influxdb3_processing_engine/src/lib.rs b/influxdb3_processing_engine/src/lib.rs
index bff87d8d01..29ded6f200 100644
--- a/influxdb3_processing_engine/src/lib.rs
+++ b/influxdb3_processing_engine/src/lib.rs
@@ -6,7 +6,6 @@ use anyhow::Context;
use bytes::Bytes;
use hashbrown::HashMap;
use hyper::{Body, Response};
-use influxdb3_catalog::catalog;
use influxdb3_catalog::catalog::Catalog;
use influxdb3_catalog::catalog::Error::ProcessingEngineTriggerNotFound;
use influxdb3_client::plugin_development::{
@@ -14,10 +13,11 @@ use influxdb3_client::plugin_development::{
WalPluginTestResponse,
};
use influxdb3_internal_api::query_executor::QueryExecutor;
+#[cfg(feature = "system-py")]
+use influxdb3_wal::PluginType;
use influxdb3_wal::{
- CatalogBatch, CatalogOp, DeletePluginDefinition, DeleteTriggerDefinition, PluginDefinition,
- PluginType, SnapshotDetails, TriggerDefinition, TriggerIdentifier,
- TriggerSpecificationDefinition, Wal, WalContents, WalFileNotifier, WalOp,
+ CatalogBatch, CatalogOp, DeleteTriggerDefinition, SnapshotDetails, TriggerDefinition,
+ TriggerIdentifier, TriggerSpecificationDefinition, Wal, WalContents, WalFileNotifier, WalOp,
};
use influxdb3_write::WriteBuffer;
use iox_time::TimeProvider;
@@ -314,81 +314,11 @@ impl LocalPlugin {
#[async_trait::async_trait]
impl ProcessingEngineManager for ProcessingEngineManagerImpl {
- async fn insert_plugin(
- &self,
- db: &str,
- plugin_name: String,
- file_name: String,
- plugin_type: PluginType,
- ) -> Result<(), ProcessingEngineError> {
- // first verify that we can read the file
- match &self.plugin_dir {
- Some(plugin_dir) => {
- let path = plugin_dir.join(&file_name);
- if !path.exists() {
- return Err(ProcessingEngineError::PluginNotFound(file_name));
- }
- }
- None => return Err(ProcessingEngineError::PluginDirNotSet),
- }
-
- let (db_id, db_schema) = self
- .catalog
- .db_id_and_schema(db)
- .ok_or_else(|| ProcessingEngineError::DatabaseNotFound(db.to_string()))?;
-
- let catalog_op = CatalogOp::CreatePlugin(PluginDefinition {
- plugin_name,
- file_name,
- plugin_type,
- });
-
- let creation_time = self.time_provider.now();
- let catalog_batch = CatalogBatch {
- time_ns: creation_time.timestamp_nanos(),
- database_id: db_id,
- database_name: Arc::clone(&db_schema.name),
- ops: vec![catalog_op],
- };
- if let Some(catalog_batch) = self.catalog.apply_catalog_batch(&catalog_batch)? {
- let wal_op = WalOp::Catalog(catalog_batch);
- self.wal.write_ops(vec![wal_op]).await?;
- }
- Ok(())
- }
-
- async fn delete_plugin(
- &self,
- db: &str,
- plugin_name: &str,
- ) -> Result<(), ProcessingEngineError> {
- let (db_id, db_schema) = self
- .catalog
- .db_id_and_schema(db)
- .ok_or_else(|| ProcessingEngineError::DatabaseNotFound(db.to_string()))?;
- let catalog_op = CatalogOp::DeletePlugin(DeletePluginDefinition {
- plugin_name: plugin_name.to_string(),
- });
- let catalog_batch = CatalogBatch {
- time_ns: self.time_provider.now().timestamp_nanos(),
- database_id: db_id,
- database_name: Arc::clone(&db_schema.name),
- ops: vec![catalog_op],
- };
-
- if let Some(catalog_batch) = self.catalog.apply_catalog_batch(&catalog_batch)? {
- self.wal
- .write_ops(vec![WalOp::Catalog(catalog_batch)])
- .await?;
- }
- Ok(())
- }
-
async fn insert_trigger(
&self,
db_name: &str,
trigger_name: String,
- plugin_name: String,
+ plugin_filename: String,
trigger_specification: TriggerSpecificationDefinition,
trigger_arguments: Option<HashMap<String, String>>,
disabled: bool,
@@ -396,17 +326,9 @@ impl ProcessingEngineManager for ProcessingEngineManagerImpl {
let Some((db_id, db_schema)) = self.catalog.db_id_and_schema(db_name) else {
return Err(ProcessingEngineError::DatabaseNotFound(db_name.to_string()));
};
- let plugin = db_schema
- .processing_engine_plugins
- .get(&plugin_name)
- .ok_or_else(|| catalog::Error::ProcessingEnginePluginNotFound {
- plugin_name: plugin_name.to_string(),
- database_name: db_schema.name.to_string(),
- })?;
let catalog_op = CatalogOp::CreateTrigger(TriggerDefinition {
trigger_name,
- plugin_name,
- plugin_file_name: plugin.file_name.clone(),
+ plugin_filename,
trigger: trigger_specification,
trigger_arguments,
disabled,
@@ -496,18 +418,8 @@ impl ProcessingEngineManager for ProcessingEngineManagerImpl {
write_buffer,
query_executor,
};
- let plugin_code = self.read_plugin_code(&trigger.plugin_file_name).await?;
- let Some(plugin_definition) = db_schema
- .processing_engine_plugins
- .get(&trigger.plugin_name)
- else {
- return Err(catalog::Error::ProcessingEnginePluginNotFound {
- plugin_name: trigger.plugin_name,
- database_name: db_name.to_string(),
- }
- .into());
- };
- match plugin_definition.plugin_type {
+ let plugin_code = self.read_plugin_code(&trigger.plugin_filename).await?;
+ match trigger.trigger.plugin_type() {
PluginType::WalRows => {
let rec = self
.plugin_event_tx
@@ -523,7 +435,7 @@ impl ProcessingEngineManager for ProcessingEngineManagerImpl {
rec,
)
}
- PluginType::Scheduled => {
+ PluginType::Schedule => {
let rec = self
.plugin_event_tx
.write()
@@ -841,9 +753,7 @@ mod tests {
use influxdb3_cache::last_cache::LastCacheProvider;
use influxdb3_catalog::catalog;
use influxdb3_internal_api::query_executor::UnimplementedQueryExecutor;
- use influxdb3_wal::{
- Gen1Duration, PluginDefinition, PluginType, TriggerSpecificationDefinition, WalConfig,
- };
+ use influxdb3_wal::{Gen1Duration, TriggerSpecificationDefinition, WalConfig};
use influxdb3_write::persister::Persister;
use influxdb3_write::write_buffer::{WriteBufferImpl, WriteBufferImplArgs};
use influxdb3_write::{Precision, WriteBuffer};
@@ -859,208 +769,6 @@ mod tests {
use std::time::Duration;
use tempfile::NamedTempFile;
- #[tokio::test]
- async fn test_create_plugin() -> influxdb3_write::write_buffer::Result<()> {
- let start_time = Time::from_rfc3339("2024-11-14T11:00:00+00:00").unwrap();
- let test_store = Arc::new(InMemory::new());
- let wal_config = WalConfig {
- gen1_duration: Gen1Duration::new_1m(),
- max_write_buffer_size: 100,
- flush_interval: Duration::from_millis(10),
- snapshot_size: 1,
- };
- let (pem, file) = setup(start_time, test_store, wal_config).await;
- let file_name = file
- .path()
- .file_name()
- .unwrap()
- .to_str()
- .unwrap()
- .to_string();
-
- pem.write_buffer
- .write_lp(
- NamespaceName::new("foo").unwrap(),
- "cpu,warehouse=us-east,room=01a,device=10001 reading=37\n",
- start_time,
- false,
- Precision::Nanosecond,
- false,
- )
- .await?;
-
- pem.insert_plugin(
- "foo",
- "my_plugin".to_string(),
- file_name.clone(),
- PluginType::WalRows,
- )
- .await
- .unwrap();
-
- let plugin = pem
- .catalog
- .db_schema("foo")
- .expect("should have db named foo")
- .processing_engine_plugins
- .get("my_plugin")
- .unwrap()
- .clone();
- let expected = PluginDefinition {
- plugin_name: "my_plugin".to_string(),
- file_name: file_name.to_string(),
- plugin_type: PluginType::WalRows,
- };
- assert_eq!(expected, plugin);
-
- // confirm that creating it again is a no-op.
- pem.insert_plugin(
- "foo",
- "my_plugin".to_string(),
- file_name.clone(),
- PluginType::WalRows,
- )
- .await
- .unwrap();
-
- // Confirm the same contents can be added to a new name.
- pem.insert_plugin(
- "foo",
- "my_second_plugin".to_string(),
- file_name,
- PluginType::WalRows,
- )
- .await
- .unwrap();
- Ok(())
- }
- #[tokio::test]
- async fn test_delete_plugin() -> influxdb3_write::write_buffer::Result<()> {
- let start_time = Time::from_rfc3339("2024-11-14T11:00:00+00:00").unwrap();
- let test_store = Arc::new(InMemory::new());
- let wal_config = WalConfig {
- gen1_duration: Gen1Duration::new_1m(),
- max_write_buffer_size: 100,
- flush_interval: Duration::from_millis(10),
- snapshot_size: 1,
- };
- let (pem, file) = setup(start_time, test_store, wal_config).await;
- let file_name = file
- .path()
- .file_name()
- .unwrap()
- .to_str()
- .unwrap()
- .to_string();
-
- // Create the DB by inserting a line.
- pem.write_buffer
- .write_lp(
- NamespaceName::new("foo").unwrap(),
- "cpu,warehouse=us-east,room=01a,device=10001 reading=37\n",
- start_time,
- false,
- Precision::Nanosecond,
- false,
- )
- .await?;
-
- // First create a plugin
- pem.insert_plugin(
- "foo",
- "test_plugin".to_string(),
- file_name.clone(),
- PluginType::WalRows,
- )
- .await
- .unwrap();
-
- // Then delete it
- pem.delete_plugin("foo", "test_plugin").await.unwrap();
-
- // Verify plugin is gone from schema
- let schema = pem.catalog.db_schema("foo").unwrap();
- assert!(!schema.processing_engine_plugins.contains_key("test_plugin"));
-
- // Verify we can add a newly named plugin
- pem.insert_plugin(
- "foo",
- "test_plugin".to_string(),
- file_name.clone(),
- PluginType::WalRows,
- )
- .await
- .unwrap();
-
- Ok(())
- }
-
- #[tokio::test]
- async fn test_delete_plugin_with_active_trigger() -> influxdb3_write::write_buffer::Result<()> {
- let start_time = Time::from_rfc3339("2024-11-14T11:00:00+00:00").unwrap();
- let test_store = Arc::new(InMemory::new());
- let wal_config = WalConfig {
- gen1_duration: Gen1Duration::new_1m(),
- max_write_buffer_size: 100,
- flush_interval: Duration::from_millis(10),
- snapshot_size: 1,
- };
- let (pem, file) = setup(start_time, test_store, wal_config).await;
- let file_name = file
- .path()
- .file_name()
- .unwrap()
- .to_str()
- .unwrap()
- .to_string();
-
- // Create the DB by inserting a line.
- pem.write_buffer
- .write_lp(
- NamespaceName::new("foo").unwrap(),
- "cpu,warehouse=us-east,room=01a,device=10001 reading=37\n",
- start_time,
- false,
- Precision::Nanosecond,
- false,
- )
- .await?;
-
- // Create a plugin
- pem.insert_plugin(
- "foo",
- "test_plugin".to_string(),
- file_name.clone(),
- PluginType::WalRows,
- )
- .await
- .unwrap();
-
- // Create a trigger using the plugin
- pem.insert_trigger(
- "foo",
- "test_trigger".to_string(),
- "test_plugin".to_string(),
- TriggerSpecificationDefinition::AllTablesWalWrite,
- None,
- false,
- )
- .await
- .unwrap();
-
- // Try to delete the plugin - should fail because trigger exists
- let result = pem.delete_plugin("foo", "test_plugin").await;
- assert!(matches!(
- result,
- Err(ProcessingEngineError::CatalogUpdateError(catalog::Error::ProcessingEnginePluginInUse {
- database_name,
- plugin_name,
- trigger_name,
- })) if database_name == "foo" && plugin_name == "test_plugin" && trigger_name == "test_trigger"
- ));
- Ok(())
- }
-
#[tokio::test]
async fn test_trigger_lifecycle() -> influxdb3_write::write_buffer::Result<()> {
let start_time = Time::from_rfc3339("2024-11-14T11:00:00+00:00").unwrap();
@@ -1095,21 +803,11 @@ mod tests {
)
.await?;
- // Create a plugin
- pem.insert_plugin(
- "foo",
- "test_plugin".to_string(),
- file_name.clone(),
- PluginType::WalRows,
- )
- .await
- .unwrap();
-
// Create an enabled trigger
pem.insert_trigger(
"foo",
"test_trigger".to_string(),
- "test_plugin".to_string(),
+ file_name,
TriggerSpecificationDefinition::AllTablesWalWrite,
None,
false,
@@ -1190,21 +888,11 @@ mod tests {
)
.await?;
- // Create a plugin
- pem.insert_plugin(
- "foo",
- "test_plugin".to_string(),
- file_name.clone(),
- PluginType::WalRows,
- )
- .await
- .unwrap();
-
// Create a disabled trigger
pem.insert_trigger(
"foo",
"test_trigger".to_string(),
- "test_plugin".to_string(),
+ file_name,
TriggerSpecificationDefinition::AllTablesWalWrite,
None,
true,
diff --git a/influxdb3_processing_engine/src/manager.rs b/influxdb3_processing_engine/src/manager.rs
index 54f2abba8c..a7a0b8cc09 100644
--- a/influxdb3_processing_engine/src/manager.rs
+++ b/influxdb3_processing_engine/src/manager.rs
@@ -6,7 +6,7 @@ use influxdb3_client::plugin_development::{
WalPluginTestResponse,
};
use influxdb3_internal_api::query_executor::QueryExecutor;
-use influxdb3_wal::{PluginType, TriggerSpecificationDefinition};
+use influxdb3_wal::TriggerSpecificationDefinition;
use influxdb3_write::WriteBuffer;
use std::fmt::Debug;
use std::sync::Arc;
@@ -53,23 +53,11 @@ pub enum ProcessingEngineError {
///
#[async_trait::async_trait]
pub trait ProcessingEngineManager: Debug + Send + Sync + 'static {
- /// Inserts a plugin
- async fn insert_plugin(
- &self,
- db: &str,
- plugin_name: String,
- file_name: String,
- plugin_type: PluginType,
- ) -> Result<(), ProcessingEngineError>;
-
- async fn delete_plugin(&self, db: &str, plugin_name: &str)
- -> Result<(), ProcessingEngineError>;
-
async fn insert_trigger(
&self,
db_name: &str,
trigger_name: String,
- plugin_name: String,
+ plugin_filename: String,
trigger_specification: TriggerSpecificationDefinition,
trigger_arguments: Option<HashMap<String, String>>,
disabled: bool,
diff --git a/influxdb3_processing_engine/src/plugins.rs b/influxdb3_processing_engine/src/plugins.rs
index 8625812f00..44076cdd9e 100644
--- a/influxdb3_processing_engine/src/plugins.rs
+++ b/influxdb3_processing_engine/src/plugins.rs
@@ -65,6 +65,9 @@ pub enum Error {
#[error("tried to run a schedule plugin but the schedule iterator is over.")]
ScheduledMissingTime,
+
+ #[error("non-schedule plugin with schedule trigger: {0}")]
+ NonSchedulePluginWithScheduleTrigger(String),
}
#[cfg(feature = "system-py")]
@@ -99,10 +102,14 @@ pub(crate) fn run_schedule_plugin(
context: PluginContext,
plugin_receiver: mpsc::Receiver<ScheduleEvent>,
) -> Result<(), Error> {
- let TriggerSpecificationDefinition::Schedule { .. } = &trigger_definition.trigger else {
- // TODO: these linkages should be guaranteed by code.
- unreachable!("this should've been checked");
- };
+ // Ensure that the plugin is a schedule plugin
+ let plugin_type = trigger_definition.trigger.plugin_type();
+ if !matches!(plugin_type, influxdb3_wal::PluginType::Schedule) {
+ return Err(Error::NonSchedulePluginWithScheduleTrigger(format!(
+ "{:?}",
+ trigger_definition
+ )));
+ }
let trigger_plugin = TriggerPlugin {
trigger_definition,
@@ -195,7 +202,7 @@ mod python_plugin {
&self,
mut receiver: Receiver<WalEvent>,
) -> Result<(), Error> {
- info!(?self.trigger_definition.trigger_name, ?self.trigger_definition.database_name, ?self.trigger_definition.plugin_name, "starting wal contents plugin");
+ info!(?self.trigger_definition.trigger_name, ?self.trigger_definition.database_name, ?self.trigger_definition.plugin_filename, "starting wal contents plugin");
loop {
let event = match receiver.recv().await {
@@ -262,7 +269,7 @@ mod python_plugin {
&self,
mut receiver: Receiver<RequestEvent>,
) -> Result<(), Error> {
- info!(?self.trigger_definition.trigger_name, ?self.trigger_definition.database_name, ?self.trigger_definition.plugin_name, "starting request plugin");
+ info!(?self.trigger_definition.trigger_name, ?self.trigger_definition.database_name, ?self.trigger_definition.plugin_filename, "starting request plugin");
loop {
match receiver.recv().await {
diff --git a/influxdb3_server/src/http.rs b/influxdb3_server/src/http.rs
index 66778cfeff..730ac992d5 100644
--- a/influxdb3_server/src/http.rs
+++ b/influxdb3_server/src/http.rs
@@ -26,7 +26,7 @@ use influxdb3_catalog::catalog::Error as CatalogError;
use influxdb3_internal_api::query_executor::{QueryExecutor, QueryExecutorError};
use influxdb3_process::{INFLUXDB3_GIT_HASH_SHORT, INFLUXDB3_VERSION};
use influxdb3_processing_engine::manager::ProcessingEngineManager;
-use influxdb3_wal::{PluginType, TriggerSpecificationDefinition};
+use influxdb3_wal::TriggerSpecificationDefinition;
use influxdb3_write::persister::TrackedMemoryArrowWriter;
use influxdb3_write::write_buffer::Error as WriteBufferError;
use influxdb3_write::BufferedWriteRequest;
@@ -989,51 +989,13 @@ where
.body(Body::empty())?)
}
- async fn configure_processing_engine_plugin(
- &self,
- req: Request<Body>,
- ) -> Result<Response<Body>> {
- let ProcessingEnginePluginCreateRequest {
- db,
- plugin_name,
- file_name,
- plugin_type,
- } = if let Some(query) = req.uri().query() {
- serde_urlencoded::from_str(query)?
- } else {
- self.read_body_json(req).await?
- };
- self.processing_engine
- .insert_plugin(&db, plugin_name, file_name, plugin_type)
- .await?;
-
- Ok(Response::builder()
- .status(StatusCode::OK)
- .body(Body::empty())?)
- }
-
- async fn delete_processing_engine_plugin(&self, req: Request<Body>) -> Result<Response<Body>> {
- let ProcessingEnginePluginDeleteRequest { db, plugin_name } =
- if let Some(query) = req.uri().query() {
- serde_urlencoded::from_str(query)?
- } else {
- self.read_body_json(req).await?
- };
- self.processing_engine
- .delete_plugin(&db, &plugin_name)
- .await?;
- Ok(Response::builder()
- .status(StatusCode::OK)
- .body(Body::empty())?)
- }
-
async fn configure_processing_engine_trigger(
&self,
req: Request<Body>,
) -> Result<Response<Body>> {
let ProcessEngineTriggerCreateRequest {
db,
- plugin_name,
+ plugin_filename,
trigger_name,
trigger_specification,
trigger_arguments,
@@ -1043,7 +1005,7 @@ where
} else {
self.read_body_json(req).await?
};
- debug!(%db, %plugin_name, %trigger_name, %trigger_specification, %disabled, "configure_processing_engine_trigger");
+ debug!(%db, %plugin_filename, %trigger_name, %trigger_specification, %disabled, "configure_processing_engine_trigger");
let Ok(trigger_spec) =
TriggerSpecificationDefinition::from_string_rep(&trigger_specification)
else {
@@ -1057,7 +1019,7 @@ where
.insert_trigger(
db.as_str(),
trigger_name.clone(),
- plugin_name,
+ plugin_filename,
trigger_spec,
trigger_arguments,
disabled,
@@ -1681,26 +1643,11 @@ struct LastCacheDeleteRequest {
name: String,
}
-/// Request definition for `POST /api/v3/configure/processing_engine_plugin` API
-#[derive(Debug, Deserialize)]
-struct ProcessingEnginePluginCreateRequest {
- db: String,
- plugin_name: String,
- file_name: String,
- plugin_type: PluginType,
-}
-
-#[derive(Debug, Deserialize)]
-struct ProcessingEnginePluginDeleteRequest {
- db: String,
- plugin_name: String,
-}
-
/// Request definition for `POST /api/v3/configure/processing_engine_trigger` API
#[derive(Debug, Deserialize)]
struct ProcessEngineTriggerCreateRequest {
db: String,
- plugin_name: String,
+ plugin_filename: String,
trigger_name: String,
trigger_specification: String,
trigger_arguments: Option<HashMap<String, String>>,
@@ -1844,12 +1791,6 @@ pub(crate) async fn route_request<T: TimeProvider>(
(Method::DELETE, "/api/v3/configure/last_cache") => {
http_server.configure_last_cache_delete(req).await
}
- (Method::POST, "/api/v3/configure/processing_engine_plugin") => {
- http_server.configure_processing_engine_plugin(req).await
- }
- (Method::DELETE, "/api/v3/configure/processing_engine_plugin") => {
- http_server.delete_processing_engine_plugin(req).await
- }
(Method::POST, "/api/v3/configure/processing_engine_trigger/disable") => {
http_server.disable_processing_engine_trigger(req).await
}
diff --git a/influxdb3_server/src/system_tables/mod.rs b/influxdb3_server/src/system_tables/mod.rs
index d8304090d3..8fb5e042fb 100644
--- a/influxdb3_server/src/system_tables/mod.rs
+++ b/influxdb3_server/src/system_tables/mod.rs
@@ -21,9 +21,7 @@ use self::{last_caches::LastCachesTable, queries::QueriesTable};
mod distinct_caches;
mod last_caches;
mod parquet_files;
-use crate::system_tables::python_call::{
- ProcessingEnginePluginTable, ProcessingEngineTriggerTable,
-};
+use crate::system_tables::python_call::ProcessingEngineTriggerTable;
mod python_call;
mod queries;
@@ -36,8 +34,6 @@ pub(crate) const LAST_CACHES_TABLE_NAME: &str = "last_caches";
pub(crate) const DISTINCT_CACHES_TABLE_NAME: &str = "distinct_caches";
pub(crate) const PARQUET_FILES_TABLE_NAME: &str = "parquet_files";
-const PROCESSING_ENGINE_PLUGINS_TABLE_NAME: &str = "processing_engine_plugins";
-
const PROCESSING_ENGINE_TRIGGERS_TABLE_NAME: &str = "processing_engine_triggers";
#[derive(Debug)]
@@ -114,18 +110,6 @@ impl AllSystemSchemaTablesProvider {
db_schema.id,
Arc::clone(&buffer),
))));
- tables.insert(
- PROCESSING_ENGINE_PLUGINS_TABLE_NAME,
- Arc::new(SystemTableProvider::new(Arc::new(
- ProcessingEnginePluginTable::new(
- db_schema
- .processing_engine_plugins
- .iter()
- .map(|(_name, call)| call.clone())
- .collect(),
- ),
- ))),
- );
tables.insert(
PROCESSING_ENGINE_TRIGGERS_TABLE_NAME,
Arc::new(SystemTableProvider::new(Arc::new(
diff --git a/influxdb3_server/src/system_tables/python_call.rs b/influxdb3_server/src/system_tables/python_call.rs
index af0ff072c0..afa0f3ab2c 100644
--- a/influxdb3_server/src/system_tables/python_call.rs
+++ b/influxdb3_server/src/system_tables/python_call.rs
@@ -2,71 +2,11 @@ use arrow_array::{ArrayRef, BooleanArray, RecordBatch, StringArray};
use arrow_schema::{DataType, Field, Schema, SchemaRef};
use async_trait::async_trait;
use datafusion::common::Result;
-use datafusion::error::DataFusionError;
use datafusion::logical_expr::Expr;
-use influxdb3_wal::{PluginDefinition, TriggerDefinition};
+use influxdb3_wal::TriggerDefinition;
use iox_system_tables::IoxSystemTable;
use std::sync::Arc;
-#[derive(Debug)]
-pub(super) struct ProcessingEnginePluginTable {
- schema: SchemaRef,
- plugins: Vec<PluginDefinition>,
-}
-
-fn plugin_schema() -> SchemaRef {
- let columns = vec![
- Field::new("plugin_name", DataType::Utf8, false),
- Field::new("file_name", DataType::Utf8, false),
- Field::new("plugin_type", DataType::Utf8, false),
- ];
- Schema::new(columns).into()
-}
-
-impl ProcessingEnginePluginTable {
- pub fn new(python_calls: Vec<PluginDefinition>) -> Self {
- Self {
- schema: plugin_schema(),
- plugins: python_calls,
- }
- }
-}
-
-#[async_trait]
-impl IoxSystemTable for ProcessingEnginePluginTable {
- fn schema(&self) -> SchemaRef {
- Arc::clone(&self.schema)
- }
- async fn scan(
- &self,
- _filters: Option<Vec<Expr>>,
- _limit: Option<usize>,
- ) -> Result<RecordBatch, DataFusionError> {
- let schema = self.schema();
- let columns: Vec<ArrayRef> = vec![
- Arc::new(
- self.plugins
- .iter()
- .map(|call| Some(call.plugin_name.clone()))
- .collect::<StringArray>(),
- ),
- Arc::new(
- self.plugins
- .iter()
- .map(|p| Some(p.file_name.clone()))
- .collect::<StringArray>(),
- ),
- Arc::new(
- self.plugins
- .iter()
- .map(|p| serde_json::to_string(&p.plugin_type).ok())
- .collect::<StringArray>(),
- ),
- ];
- Ok(RecordBatch::try_new(schema, columns)?)
- }
-}
-
#[derive(Debug)]
pub(super) struct ProcessingEngineTriggerTable {
schema: SchemaRef,
@@ -85,7 +25,7 @@ impl ProcessingEngineTriggerTable {
fn trigger_schema() -> SchemaRef {
let columns = vec![
Field::new("trigger_name", DataType::Utf8, false),
- Field::new("plugin_name", DataType::Utf8, false),
+ Field::new("plugin_filename", DataType::Utf8, false),
Field::new("trigger_specification", DataType::Utf8, false),
Field::new("disabled", DataType::Boolean, false),
];
@@ -111,7 +51,7 @@ impl IoxSystemTable for ProcessingEngineTriggerTable {
let plugin_column = self
.triggers
.iter()
- .map(|trigger| Some(trigger.plugin_name.clone()))
+ .map(|trigger| Some(trigger.plugin_filename.clone()))
.collect::<StringArray>();
let specification_column = self
.triggers
diff --git a/influxdb3_wal/src/lib.rs b/influxdb3_wal/src/lib.rs
index 1e94999d15..863481c887 100644
--- a/influxdb3_wal/src/lib.rs
+++ b/influxdb3_wal/src/lib.rs
@@ -22,7 +22,7 @@ use schema::{InfluxColumnType, InfluxFieldType};
use serde::{Deserialize, Serialize};
use serde_with::serde_as;
use std::cmp::Ordering;
-use std::fmt::Debug;
+use std::fmt::{Debug, Display};
use std::str::FromStr;
use std::sync::Arc;
use std::time::Duration;
@@ -341,8 +341,6 @@ pub enum CatalogOp {
DeleteLastCache(LastCacheDelete),
DeleteDatabase(DeleteDatabaseDefinition),
DeleteTable(DeleteTableDefinition),
- CreatePlugin(PluginDefinition),
- DeletePlugin(DeletePluginDefinition),
CreateTrigger(TriggerDefinition),
DeleteTrigger(DeleteTriggerDefinition),
EnableTrigger(TriggerIdentifier),
@@ -624,31 +622,24 @@ pub struct DistinctCacheDelete {
pub cache_name: Arc<str>,
}
-#[derive(Debug, Serialize, Deserialize, Eq, PartialEq, Clone)]
-pub struct PluginDefinition {
- pub plugin_name: String,
- pub file_name: String,
- pub plugin_type: PluginType,
-}
-
-#[derive(Debug, Serialize, Deserialize, Eq, PartialEq, Clone)]
-pub struct DeletePluginDefinition {
- pub plugin_name: String,
-}
-
#[derive(Debug, Eq, PartialEq, Clone, Serialize, Deserialize, Copy)]
#[serde(rename_all = "snake_case")]
pub enum PluginType {
WalRows,
- Scheduled,
+ Schedule,
Request,
}
+impl Display for PluginType {
+ fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
+ Debug::fmt(self, f)
+ }
+}
+
#[derive(Debug, Serialize, Deserialize, Eq, PartialEq, Clone)]
pub struct TriggerDefinition {
pub trigger_name: String,
- pub plugin_name: String,
- pub plugin_file_name: String,
+ pub plugin_filename: String,
pub database_name: String,
pub trigger: TriggerSpecificationDefinition,
pub trigger_arguments: Option<HashMap<String, String>>,
@@ -759,6 +750,16 @@ impl TriggerSpecificationDefinition {
}
}
}
+
+ pub fn plugin_type(&self) -> PluginType {
+ match self {
+ TriggerSpecificationDefinition::SingleTableWalWrite { .. }
+ | TriggerSpecificationDefinition::AllTablesWalWrite => PluginType::WalRows,
+ TriggerSpecificationDefinition::Schedule { .. }
+ | TriggerSpecificationDefinition::Every { .. } => PluginType::Schedule,
+ TriggerSpecificationDefinition::RequestPath { .. } => PluginType::Request,
+ }
+ }
}
#[serde_as]
diff --git a/influxdb3_write/src/write_buffer/queryable_buffer.rs b/influxdb3_write/src/write_buffer/queryable_buffer.rs
index 43dea717b8..084a824c20 100644
--- a/influxdb3_write/src/write_buffer/queryable_buffer.rs
+++ b/influxdb3_write/src/write_buffer/queryable_buffer.rs
@@ -546,8 +546,6 @@ impl BufferState {
table_buffer_map.remove(&table_definition.table_id);
}
}
- CatalogOp::CreatePlugin(_) => {}
- CatalogOp::DeletePlugin(_) => {}
CatalogOp::CreateTrigger(_) => {}
CatalogOp::DeleteTrigger(_) => {}
CatalogOp::EnableTrigger(_) => {}
diff --git a/influxdb3_write/src/write_buffer/snapshots/influxdb3_write__write_buffer__tests__catalog-after-last-cache-create-and-new-field.snap b/influxdb3_write/src/write_buffer/snapshots/influxdb3_write__write_buffer__tests__catalog-after-last-cache-create-and-new-field.snap
index 95dab436e3..f98356880e 100644
--- a/influxdb3_write/src/write_buffer/snapshots/influxdb3_write__write_buffer__tests__catalog-after-last-cache-create-and-new-field.snap
+++ b/influxdb3_write/src/write_buffer/snapshots/influxdb3_write__write_buffer__tests__catalog-after-last-cache-create-and-new-field.snap
@@ -10,7 +10,6 @@ expression: catalog_json
"deleted": false,
"id": 0,
"name": "db",
- "processing_engine_plugins": [],
"processing_engine_triggers": [],
"tables": [
[
diff --git a/influxdb3_write/src/write_buffer/snapshots/influxdb3_write__write_buffer__tests__catalog-immediately-after-last-cache-create.snap b/influxdb3_write/src/write_buffer/snapshots/influxdb3_write__write_buffer__tests__catalog-immediately-after-last-cache-create.snap
index 9b292be30e..1d3b9390cb 100644
--- a/influxdb3_write/src/write_buffer/snapshots/influxdb3_write__write_buffer__tests__catalog-immediately-after-last-cache-create.snap
+++ b/influxdb3_write/src/write_buffer/snapshots/influxdb3_write__write_buffer__tests__catalog-immediately-after-last-cache-create.snap
@@ -10,7 +10,6 @@ expression: catalog_json
"deleted": false,
"id": 0,
"name": "db",
- "processing_engine_plugins": [],
"processing_engine_triggers": [],
"tables": [
[
diff --git a/influxdb3_write/src/write_buffer/snapshots/influxdb3_write__write_buffer__tests__catalog-immediately-after-last-cache-delete.snap b/influxdb3_write/src/write_buffer/snapshots/influxdb3_write__write_buffer__tests__catalog-immediately-after-last-cache-delete.snap
index 81d65df058..52725fef5f 100644
--- a/influxdb3_write/src/write_buffer/snapshots/influxdb3_write__write_buffer__tests__catalog-immediately-after-last-cache-delete.snap
+++ b/influxdb3_write/src/write_buffer/snapshots/influxdb3_write__write_buffer__tests__catalog-immediately-after-last-cache-delete.snap
@@ -10,7 +10,6 @@ expression: catalog_json
"deleted": false,
"id": 0,
"name": "db",
- "processing_engine_plugins": [],
"processing_engine_triggers": [],
"tables": [
[
|
aab4f6c65129a22637113737abdb7bfbeef401f6
|
Dom Dwyer
|
2023-01-09 14:28:16
|
remove unused QueryExec impl
|
This is completely unused and left over from the initial skeleton.
| null |
refactor: remove unused QueryExec impl
This is completely unused and left over from the initial skeleton.
|
diff --git a/ingester2/src/query/exec.rs b/ingester2/src/query/exec.rs
deleted file mode 100644
index b0693ea3d0..0000000000
--- a/ingester2/src/query/exec.rs
+++ /dev/null
@@ -1,40 +0,0 @@
-use async_trait::async_trait;
-use data_types::{NamespaceId, TableId};
-use observability_deps::tracing::*;
-use trace::span::{Span, SpanRecorder};
-
-use super::{QueryError, QueryExec};
-use crate::query::response::QueryResponse;
-
-#[derive(Debug)]
-pub(crate) struct QueryRunner;
-
-impl QueryRunner {
- pub(crate) fn new() -> Self {
- Self {}
- }
-}
-
-#[async_trait]
-impl QueryExec for QueryRunner {
- type Response = QueryResponse;
-
- async fn query_exec(
- &self,
- namespace_id: NamespaceId,
- table_id: TableId,
- columns: Vec<String>,
- span: Option<Span>,
- ) -> Result<Self::Response, QueryError> {
- let mut _span_recorder = SpanRecorder::new(span);
-
- info!(
- namespace_id=%namespace_id,
- table_id=%table_id,
- columns=?columns,
- "executing query"
- );
-
- unimplemented!();
- }
-}
diff --git a/ingester2/src/query/mod.rs b/ingester2/src/query/mod.rs
index c5d8d2a9d5..14c9b8f7eb 100644
--- a/ingester2/src/query/mod.rs
+++ b/ingester2/src/query/mod.rs
@@ -7,7 +7,7 @@ pub(crate) use r#trait::*;
pub(crate) mod partition_response;
pub(crate) mod response;
-pub(crate) mod exec;
+// Instrumentation
pub(crate) mod instrumentation;
pub(crate) mod tracing;
|
c89250ff20275f8859672a755da9057d34c00b6d
|
Stuart Carnie
|
2023-04-27 08:05:09
|
Add `take` and `replace` API to allow ownership transfer
|
This can reduce allocations, as it allows us to mutate the inner vector
| null |
feat: Add `take` and `replace` API to allow ownership transfer
This can reduce allocations, as it allows us to mutate the inner vector
|
diff --git a/influxdb_influxql_parser/src/common.rs b/influxdb_influxql_parser/src/common.rs
index 2efe296ecc..ed6805314a 100644
--- a/influxdb_influxql_parser/src/common.rs
+++ b/influxdb_influxql_parser/src/common.rs
@@ -14,6 +14,7 @@ use nom::combinator::{map, opt, recognize, value};
use nom::multi::{fold_many0, fold_many1, separated_list1};
use nom::sequence::{delimited, pair, preceded, terminated};
use std::fmt::{Display, Formatter};
+use std::mem;
use std::ops::{Deref, DerefMut};
/// A error returned when parsing an InfluxQL query, expressions.
@@ -508,6 +509,17 @@ impl<T> ZeroOrMore<T> {
pub fn is_empty(&self) -> bool {
self.contents.is_empty()
}
+
+ /// Takes the vector out of the receiver, leaving a default vector value in its place.
+ pub fn take(&mut self) -> Vec<T> {
+ mem::take(&mut self.contents)
+ }
+
+ /// Replaces the actual value in the receiver by the value given in parameter,
+ /// returning the old value if present.
+ pub fn replace(&mut self, value: Vec<T>) -> Vec<T> {
+ mem::replace(&mut self.contents, value)
+ }
}
impl<T> Deref for ZeroOrMore<T> {
|
5c506058da607923b93b7f47d610e4c328dd65e2
|
Nga Tran
|
2023-02-14 11:42:13
|
skip partitions of wide tables (#6978)
|
* feat: skip partitions of wide tables
* test: one more test
* refactor: address review comments
| null |
feat: skip partitions of wide tables (#6978)
* feat: skip partitions of wide tables
* test: one more test
* refactor: address review comments
|
diff --git a/clap_blocks/src/compactor2.rs b/clap_blocks/src/compactor2.rs
index be62aefe87..3e3a48ecd4 100644
--- a/clap_blocks/src/compactor2.rs
+++ b/clap_blocks/src/compactor2.rs
@@ -244,4 +244,14 @@ pub struct Compactor2Config {
action
)]
pub process_all_partitions: bool,
+
+ /// Maximum number of columns in the table of a partition that will be able to considered
+ /// to get compacted
+ #[clap(
+ long = "compaction-max-num-columns-per-table",
+ env = "INFLUXDB_IOX_COMPACTION_MAX_NUM_COLUMNS_PER_TABLE",
+ default_value = "10000",
+ action
+ )]
+ pub max_num_columns_per_table: usize,
}
diff --git a/compactor2/src/components/df_planner/panic.rs b/compactor2/src/components/df_planner/panic.rs
index 90cc965d0e..1983c5025a 100644
--- a/compactor2/src/components/df_planner/panic.rs
+++ b/compactor2/src/components/df_planner/panic.rs
@@ -97,7 +97,7 @@ impl ExecutionPlan for PanicPlan {
mod tests {
use datafusion::{physical_plan::collect, prelude::SessionContext};
- use crate::test_utils::partition_info;
+ use crate::test_utils::PartitionInfoBuilder;
use super::*;
@@ -110,7 +110,7 @@ mod tests {
#[should_panic(expected = "foo")]
async fn test_panic() {
let planner = PanicDataFusionPlanner::new();
- let partition = partition_info();
+ let partition = Arc::new(PartitionInfoBuilder::new().build());
let plan = planner
.plan(&PlanIR::Compact { files: vec![] }, partition)
.await
diff --git a/compactor2/src/components/file_classifier/all_at_once.rs b/compactor2/src/components/file_classifier/all_at_once.rs
index 57ea8652e9..ac50cd886a 100644
--- a/compactor2/src/components/file_classifier/all_at_once.rs
+++ b/compactor2/src/components/file_classifier/all_at_once.rs
@@ -47,10 +47,12 @@ impl FileClassifier for AllAtOnceFileClassifier {
#[cfg(test)]
mod tests {
+ use std::sync::Arc;
+
use compactor2_test_utils::create_overlapped_files;
use iox_tests::ParquetFileBuilder;
- use crate::test_utils::partition_info;
+ use crate::test_utils::PartitionInfoBuilder;
use super::*;
@@ -64,7 +66,8 @@ mod tests {
fn test_apply_empty() {
let classifier = AllAtOnceFileClassifier::new();
- classifier.classify(&partition_info(), vec![]);
+ let partition_info = Arc::new(PartitionInfoBuilder::new().build());
+ classifier.classify(&partition_info, vec![]);
}
#[test]
@@ -76,7 +79,8 @@ mod tests {
.with_compaction_level(CompactionLevel::FileNonOverlapped)
.build();
- classifier.classify(&partition_info(), vec![f1]);
+ let partition_info = Arc::new(PartitionInfoBuilder::new().build());
+ classifier.classify(&partition_info, vec![f1]);
}
#[test]
@@ -88,7 +92,8 @@ mod tests {
.with_compaction_level(CompactionLevel::Final)
.build();
- classifier.classify(&partition_info(), vec![f2]);
+ let partition_info = Arc::new(PartitionInfoBuilder::new().build());
+ classifier.classify(&partition_info, vec![f2]);
}
#[test]
@@ -104,14 +109,16 @@ mod tests {
.with_compaction_level(CompactionLevel::Final)
.build();
- classifier.classify(&partition_info(), vec![f1, f2]);
+ let partition_info = Arc::new(PartitionInfoBuilder::new().build());
+ classifier.classify(&partition_info, vec![f1, f2]);
}
#[test]
fn test_apply() {
let classifier = AllAtOnceFileClassifier::new();
let files = create_overlapped_files();
- let classification = classifier.classify(&partition_info(), files.clone());
+ let partition_info = Arc::new(PartitionInfoBuilder::new().build());
+ let classification = classifier.classify(&partition_info, files.clone());
assert_eq!(
classification,
FileClassification {
diff --git a/compactor2/src/components/hardcoded.rs b/compactor2/src/components/hardcoded.rs
index bf3ef6d592..8a525ed785 100644
--- a/compactor2/src/components/hardcoded.rs
+++ b/compactor2/src/components/hardcoded.rs
@@ -60,6 +60,7 @@ use super::{
greater_size_matching_files::GreaterSizeMatchingFilesPartitionFilter,
has_files::HasFilesPartitionFilter, has_matching_file::HasMatchingFilePartitionFilter,
logging::LoggingPartitionFilterWrapper, max_files::MaxFilesPartitionFilter,
+ max_num_columns::MaxNumColumnsPartitionFilter,
max_parquet_bytes::MaxParquetBytesPartitionFilter, metrics::MetricsPartitionFilterWrapper,
never_skipped::NeverSkippedPartitionFilter, or::OrPartitionFilter, PartitionFilter,
},
@@ -132,6 +133,9 @@ pub fn hardcoded_components(config: &Config) -> Arc<Components> {
),
)));
}
+ partition_filters.push(Arc::new(MaxNumColumnsPartitionFilter::new(
+ config.max_num_columns_per_table,
+ )));
partition_filters.append(&mut version_specific_partition_filters(config));
let partition_resource_limit_filters: Vec<Arc<dyn PartitionFilter>> = vec![
diff --git a/compactor2/src/components/parquet_file_sink/dedicated.rs b/compactor2/src/components/parquet_file_sink/dedicated.rs
index 9e900c29b0..3485c6b517 100644
--- a/compactor2/src/components/parquet_file_sink/dedicated.rs
+++ b/compactor2/src/components/parquet_file_sink/dedicated.rs
@@ -71,7 +71,7 @@ mod tests {
use schema::SchemaBuilder;
use crate::components::parquet_file_sink::mock::MockParquetFileSink;
- use crate::test_utils::partition_info;
+ use crate::test_utils::PartitionInfoBuilder;
use super::*;
@@ -95,7 +95,7 @@ mod tests {
Arc::clone(&schema),
futures::stream::once(async move { panic!("foo") }),
));
- let partition = partition_info();
+ let partition = Arc::new(PartitionInfoBuilder::new().build());
let level = CompactionLevel::FileNonOverlapped;
let max_l0_created_at = Time::from_timestamp_nanos(0);
let err = sink
diff --git a/compactor2/src/components/parquet_file_sink/mock.rs b/compactor2/src/components/parquet_file_sink/mock.rs
index 4c26c88111..3cb90c8f65 100644
--- a/compactor2/src/components/parquet_file_sink/mock.rs
+++ b/compactor2/src/components/parquet_file_sink/mock.rs
@@ -105,7 +105,7 @@ mod tests {
};
use schema::SchemaBuilder;
- use crate::test_utils::partition_info;
+ use crate::test_utils::PartitionInfoBuilder;
use super::*;
@@ -124,7 +124,7 @@ mod tests {
.build()
.unwrap()
.as_arrow();
- let partition = partition_info();
+ let partition = Arc::new(PartitionInfoBuilder::new().build());
let level = CompactionLevel::FileNonOverlapped;
let max_l0_created_at = Time::from_timestamp_nanos(1);
@@ -218,7 +218,7 @@ mod tests {
.build()
.unwrap()
.as_arrow();
- let partition = partition_info();
+ let partition = Arc::new(PartitionInfoBuilder::new().build());
let level = CompactionLevel::FileNonOverlapped;
let max_l0_created_at = Time::from_timestamp_nanos(1);
diff --git a/compactor2/src/components/partition_filter/and.rs b/compactor2/src/components/partition_filter/and.rs
index 987d3f8f6b..2f399dc4bd 100644
--- a/compactor2/src/components/partition_filter/and.rs
+++ b/compactor2/src/components/partition_filter/and.rs
@@ -1,9 +1,9 @@
use std::{fmt::Display, sync::Arc};
use async_trait::async_trait;
-use data_types::{ParquetFile, PartitionId};
+use data_types::ParquetFile;
-use crate::error::DynError;
+use crate::{error::DynError, PartitionInfo};
use super::PartitionFilter;
@@ -35,11 +35,11 @@ impl Display for AndPartitionFilter {
impl PartitionFilter for AndPartitionFilter {
async fn apply(
&self,
- partition_id: PartitionId,
+ partition_info: &PartitionInfo,
files: &[ParquetFile],
) -> Result<bool, DynError> {
for filter in &self.filters {
- if !filter.apply(partition_id, files).await? {
+ if !filter.apply(partition_info, files).await? {
return Ok(false);
}
}
@@ -49,10 +49,12 @@ impl PartitionFilter for AndPartitionFilter {
#[cfg(test)]
mod tests {
-
- use crate::components::partition_filter::{
- has_files::HasFilesPartitionFilter, max_files::MaxFilesPartitionFilter,
- FalsePartitionFilter, TruePartitionFilter,
+ use crate::{
+ components::partition_filter::{
+ has_files::HasFilesPartitionFilter, max_files::MaxFilesPartitionFilter,
+ FalsePartitionFilter, TruePartitionFilter,
+ },
+ test_utils::PartitionInfoBuilder,
};
use super::*;
@@ -69,30 +71,30 @@ mod tests {
#[tokio::test]
async fn test_apply() {
- let p_id = PartitionId::new(1);
+ let p_info = Arc::new(PartitionInfoBuilder::new().build());
let filter = AndPartitionFilter::new(vec![
Arc::new(TruePartitionFilter::new()),
Arc::new(TruePartitionFilter::new()),
]);
- assert!(filter.apply(p_id, &[]).await.unwrap());
+ assert!(filter.apply(&p_info, &[]).await.unwrap());
let filter = AndPartitionFilter::new(vec![
Arc::new(TruePartitionFilter::new()),
Arc::new(FalsePartitionFilter::new()),
]);
- assert!(!filter.apply(p_id, &[]).await.unwrap());
+ assert!(!filter.apply(&p_info, &[]).await.unwrap());
let filter = AndPartitionFilter::new(vec![
Arc::new(FalsePartitionFilter::new()),
Arc::new(TruePartitionFilter::new()),
]);
- assert!(!filter.apply(p_id, &[]).await.unwrap());
+ assert!(!filter.apply(&p_info, &[]).await.unwrap());
let filter = AndPartitionFilter::new(vec![
Arc::new(FalsePartitionFilter::new()),
Arc::new(FalsePartitionFilter::new()),
]);
- assert!(!filter.apply(p_id, &[]).await.unwrap());
+ assert!(!filter.apply(&p_info, &[]).await.unwrap());
}
}
diff --git a/compactor2/src/components/partition_filter/greater_matching_files.rs b/compactor2/src/components/partition_filter/greater_matching_files.rs
index 0fac590488..8b3cc5e199 100644
--- a/compactor2/src/components/partition_filter/greater_matching_files.rs
+++ b/compactor2/src/components/partition_filter/greater_matching_files.rs
@@ -1,9 +1,9 @@
use std::fmt::Display;
use async_trait::async_trait;
-use data_types::{ParquetFile, PartitionId};
+use data_types::ParquetFile;
-use crate::{components::file_filter::FileFilter, error::DynError};
+use crate::{components::file_filter::FileFilter, error::DynError, PartitionInfo};
use super::PartitionFilter;
@@ -50,7 +50,7 @@ where
{
async fn apply(
&self,
- _partition_id: PartitionId,
+ _partition_info: &PartitionInfo,
files: &[ParquetFile],
) -> Result<bool, DynError> {
Ok(files.iter().filter(|file| self.filter.apply(file)).count() >= self.min_num_files)
@@ -59,9 +59,14 @@ where
#[cfg(test)]
mod tests {
+ use std::sync::Arc;
+
use data_types::CompactionLevel;
- use crate::components::file_filter::level_range::LevelRangeFileFilter;
+ use crate::{
+ components::file_filter::level_range::LevelRangeFileFilter,
+ test_utils::PartitionInfoBuilder,
+ };
use iox_tests::ParquetFileBuilder;
use super::*;
@@ -98,18 +103,21 @@ mod tests {
.with_compaction_level(CompactionLevel::FileNonOverlapped)
.build();
- let p_id = PartitionId::new(1);
+ let p_info = Arc::new(PartitionInfoBuilder::new().build());
// empty, not enough matching
- assert!(!filter.apply(p_id, &[]).await.unwrap());
+ assert!(!filter.apply(&p_info, &[]).await.unwrap());
// Not enough matching
- assert!(!filter.apply(p_id, &[f1.clone()]).await.unwrap());
+ assert!(!filter.apply(&p_info, &[f1.clone()]).await.unwrap());
// enough matching
- assert!(filter.apply(p_id, &[f1.clone(), f2.clone()]).await.unwrap());
+ assert!(filter
+ .apply(&p_info, &[f1.clone(), f2.clone()])
+ .await
+ .unwrap());
// enough matching
- assert!(filter.apply(p_id, &[f1, f2, f3]).await.unwrap());
+ assert!(filter.apply(&p_info, &[f1, f2, f3]).await.unwrap());
}
}
diff --git a/compactor2/src/components/partition_filter/greater_size_matching_files.rs b/compactor2/src/components/partition_filter/greater_size_matching_files.rs
index 056efb10df..e21147736c 100644
--- a/compactor2/src/components/partition_filter/greater_size_matching_files.rs
+++ b/compactor2/src/components/partition_filter/greater_size_matching_files.rs
@@ -1,9 +1,9 @@
use std::fmt::Display;
use async_trait::async_trait;
-use data_types::{ParquetFile, PartitionId};
+use data_types::ParquetFile;
-use crate::{components::file_filter::FileFilter, error::DynError};
+use crate::{components::file_filter::FileFilter, error::DynError, PartitionInfo};
use super::PartitionFilter;
@@ -55,7 +55,7 @@ where
{
async fn apply(
&self,
- _partition_id: PartitionId,
+ _partition_info: &PartitionInfo,
files: &[ParquetFile],
) -> Result<bool, DynError> {
// Matching files
@@ -72,9 +72,14 @@ where
#[cfg(test)]
mod tests {
+ use std::sync::Arc;
+
use data_types::CompactionLevel;
- use crate::components::file_filter::level_range::LevelRangeFileFilter;
+ use crate::{
+ components::file_filter::level_range::LevelRangeFileFilter,
+ test_utils::PartitionInfoBuilder,
+ };
use iox_tests::ParquetFileBuilder;
use super::*;
@@ -114,18 +119,21 @@ mod tests {
.with_file_size_bytes(15)
.build();
- let p_id = PartitionId::new(1);
+ let p_info = Arc::new(PartitionInfoBuilder::new().build());
// empty, not large enough
- assert!(!filter.apply(p_id, &[]).await.unwrap());
+ assert!(!filter.apply(&p_info, &[]).await.unwrap());
// Not large enough
- assert!(!filter.apply(p_id, &[f1.clone()]).await.unwrap());
- assert!(!filter.apply(p_id, &[f2.clone()]).await.unwrap());
+ assert!(!filter.apply(&p_info, &[f1.clone()]).await.unwrap());
+ assert!(!filter.apply(&p_info, &[f2.clone()]).await.unwrap());
// large enough
- assert!(filter.apply(p_id, &[f1.clone(), f2.clone()]).await.unwrap());
- assert!(filter.apply(p_id, &[f3.clone()]).await.unwrap());
- assert!(filter.apply(p_id, &[f1, f2, f3]).await.unwrap());
+ assert!(filter
+ .apply(&p_info, &[f1.clone(), f2.clone()])
+ .await
+ .unwrap());
+ assert!(filter.apply(&p_info, &[f3.clone()]).await.unwrap());
+ assert!(filter.apply(&p_info, &[f1, f2, f3]).await.unwrap());
}
}
diff --git a/compactor2/src/components/partition_filter/has_files.rs b/compactor2/src/components/partition_filter/has_files.rs
index ac412eb4d6..ad3b35b100 100644
--- a/compactor2/src/components/partition_filter/has_files.rs
+++ b/compactor2/src/components/partition_filter/has_files.rs
@@ -1,9 +1,8 @@
use std::fmt::Display;
use async_trait::async_trait;
-use data_types::PartitionId;
-use crate::error::DynError;
+use crate::{error::DynError, PartitionInfo};
use super::PartitionFilter;
@@ -26,7 +25,7 @@ impl Display for HasFilesPartitionFilter {
impl PartitionFilter for HasFilesPartitionFilter {
async fn apply(
&self,
- _partition_id: PartitionId,
+ _partition_info: &PartitionInfo,
files: &[data_types::ParquetFile],
) -> Result<bool, DynError> {
Ok(!files.is_empty())
@@ -35,8 +34,12 @@ impl PartitionFilter for HasFilesPartitionFilter {
#[cfg(test)]
mod tests {
+ use std::sync::Arc;
+
use iox_tests::ParquetFileBuilder;
+ use crate::test_utils::PartitionInfoBuilder;
+
use super::*;
#[test]
@@ -48,9 +51,9 @@ mod tests {
async fn test_apply() {
let filter = HasFilesPartitionFilter::new();
let f = ParquetFileBuilder::new(0).build();
- let p_id = PartitionId::new(1);
+ let p_info = Arc::new(PartitionInfoBuilder::new().build());
- assert!(!filter.apply(p_id, &[]).await.unwrap());
- assert!(filter.apply(p_id, &[f]).await.unwrap());
+ assert!(!filter.apply(&p_info, &[]).await.unwrap());
+ assert!(filter.apply(&p_info, &[f]).await.unwrap());
}
}
diff --git a/compactor2/src/components/partition_filter/has_matching_file.rs b/compactor2/src/components/partition_filter/has_matching_file.rs
index a8f0bf7284..41ed406814 100644
--- a/compactor2/src/components/partition_filter/has_matching_file.rs
+++ b/compactor2/src/components/partition_filter/has_matching_file.rs
@@ -1,9 +1,9 @@
use std::fmt::Display;
use async_trait::async_trait;
-use data_types::{ParquetFile, PartitionId};
+use data_types::ParquetFile;
-use crate::{components::file_filter::FileFilter, error::DynError};
+use crate::{components::file_filter::FileFilter, error::DynError, PartitionInfo};
use super::PartitionFilter;
@@ -40,7 +40,7 @@ where
{
async fn apply(
&self,
- _partition_id: PartitionId,
+ _partition_info: &PartitionInfo,
files: &[ParquetFile],
) -> Result<bool, DynError> {
Ok(files.iter().any(|file| self.filter.apply(file)))
@@ -49,9 +49,14 @@ where
#[cfg(test)]
mod tests {
+ use std::sync::Arc;
+
use data_types::CompactionLevel;
- use crate::components::file_filter::level_range::LevelRangeFileFilter;
+ use crate::{
+ components::file_filter::level_range::LevelRangeFileFilter,
+ test_utils::PartitionInfoBuilder,
+ };
use iox_tests::ParquetFileBuilder;
use super::*;
@@ -76,22 +81,18 @@ mod tests {
.with_compaction_level(CompactionLevel::Final)
.build();
+ let p_info = Arc::new(PartitionInfoBuilder::new().build());
+
// empty
- assert!(!filter.apply(PartitionId::new(1), &[]).await.unwrap());
+ assert!(!filter.apply(&p_info, &[]).await.unwrap());
// all matching
- assert!(filter
- .apply(PartitionId::new(1), &[f1.clone()])
- .await
- .unwrap());
+ assert!(filter.apply(&p_info, &[f1.clone()]).await.unwrap());
// none matching
- assert!(!filter
- .apply(PartitionId::new(1), &[f2.clone()])
- .await
- .unwrap());
+ assert!(!filter.apply(&p_info, &[f2.clone()]).await.unwrap());
// some matching
- assert!(filter.apply(PartitionId::new(1), &[f1, f2]).await.unwrap());
+ assert!(filter.apply(&p_info, &[f1, f2]).await.unwrap());
}
}
diff --git a/compactor2/src/components/partition_filter/logging.rs b/compactor2/src/components/partition_filter/logging.rs
index f5afd8d581..0b020afcbc 100644
--- a/compactor2/src/components/partition_filter/logging.rs
+++ b/compactor2/src/components/partition_filter/logging.rs
@@ -1,10 +1,10 @@
use std::fmt::Display;
use async_trait::async_trait;
-use data_types::{ParquetFile, PartitionId};
+use data_types::ParquetFile;
use observability_deps::tracing::{debug, error, info};
-use crate::error::DynError;
+use crate::{error::DynError, PartitionInfo};
use super::PartitionFilter;
@@ -42,27 +42,27 @@ where
{
async fn apply(
&self,
- partition_id: PartitionId,
+ partition_info: &PartitionInfo,
files: &[ParquetFile],
) -> Result<bool, DynError> {
- let res = self.inner.apply(partition_id, files).await;
+ let res = self.inner.apply(partition_info, files).await;
match &res {
Ok(true) => {
debug!(
- partition_id = partition_id.get(),
+ partition_id = partition_info.partition_id.get(),
filter_type = self.filter_type,
"NOT filtered partition"
);
}
Ok(false) => {
info!(
- partition_id = partition_id.get(),
+ partition_id = partition_info.partition_id.get(),
filter_type = self.filter_type,
"filtered partition"
);
}
Err(e) => {
- error!(partition_id = partition_id.get(), filter_type = self.filter_type, %e, "error filtering filtered partition");
+ error!(partition_id = partition_info.partition_id.get(), filter_type = self.filter_type, %e, "error filtering filtered partition");
}
}
res
@@ -71,9 +71,14 @@ where
#[cfg(test)]
mod tests {
+ use std::sync::Arc;
+
use test_helpers::tracing::TracingCapture;
- use crate::components::partition_filter::has_files::HasFilesPartitionFilter;
+ use crate::{
+ components::partition_filter::has_files::HasFilesPartitionFilter,
+ test_utils::PartitionInfoBuilder,
+ };
use iox_tests::ParquetFileBuilder;
use super::*;
@@ -88,13 +93,13 @@ mod tests {
async fn test_apply() {
let filter = LoggingPartitionFilterWrapper::new(HasFilesPartitionFilter::new(), "test");
let f = ParquetFileBuilder::new(0).build();
- let p_id1 = PartitionId::new(1);
- let p_id2 = PartitionId::new(2);
+ let p_info1 = Arc::new(PartitionInfoBuilder::new().with_partition_id(1).build());
+ let p_info2 = Arc::new(PartitionInfoBuilder::new().with_partition_id(2).build());
let capture = TracingCapture::new();
- assert!(!filter.apply(p_id1, &[]).await.unwrap());
- assert!(filter.apply(p_id2, &[f]).await.unwrap());
+ assert!(!filter.apply(&p_info1, &[]).await.unwrap());
+ assert!(filter.apply(&p_info2, &[f]).await.unwrap());
assert_eq!(
capture.to_string(),
diff --git a/compactor2/src/components/partition_filter/max_files.rs b/compactor2/src/components/partition_filter/max_files.rs
index 2e25359bb2..3997de436b 100644
--- a/compactor2/src/components/partition_filter/max_files.rs
+++ b/compactor2/src/components/partition_filter/max_files.rs
@@ -1,9 +1,12 @@
use std::fmt::Display;
use async_trait::async_trait;
-use data_types::{ParquetFile, PartitionId};
+use data_types::ParquetFile;
-use crate::error::{DynError, ErrorKind, SimpleError};
+use crate::{
+ error::{DynError, ErrorKind, SimpleError},
+ PartitionInfo,
+};
use super::PartitionFilter;
@@ -28,7 +31,7 @@ impl Display for MaxFilesPartitionFilter {
impl PartitionFilter for MaxFilesPartitionFilter {
async fn apply(
&self,
- partition_id: PartitionId,
+ partition_info: &PartitionInfo,
files: &[ParquetFile],
) -> Result<bool, DynError> {
if files.len() <= self.max_files {
@@ -38,7 +41,7 @@ impl PartitionFilter for MaxFilesPartitionFilter {
ErrorKind::OutOfMemory,
format!(
"partition {} has {} files, limit is {}",
- partition_id,
+ partition_info.partition_id,
files.len(),
self.max_files
),
@@ -50,7 +53,9 @@ impl PartitionFilter for MaxFilesPartitionFilter {
#[cfg(test)]
mod tests {
- use crate::error::ErrorKindExt;
+ use std::sync::Arc;
+
+ use crate::{error::ErrorKindExt, test_utils::PartitionInfoBuilder};
use iox_tests::ParquetFileBuilder;
use super::*;
@@ -69,13 +74,17 @@ mod tests {
let f1 = ParquetFileBuilder::new(1).build();
let f2 = ParquetFileBuilder::new(2).build();
let f3 = ParquetFileBuilder::new(3).build();
- let p_id = PartitionId::new(1);
- assert!(filter.apply(p_id, &[]).await.unwrap());
- assert!(filter.apply(p_id, &[f1.clone()]).await.unwrap());
- assert!(filter.apply(p_id, &[f1.clone(), f2.clone()]).await.unwrap());
+ let p_info = Arc::new(PartitionInfoBuilder::new().with_partition_id(1).build());
+
+ assert!(filter.apply(&p_info, &[]).await.unwrap());
+ assert!(filter.apply(&p_info, &[f1.clone()]).await.unwrap());
+ assert!(filter
+ .apply(&p_info, &[f1.clone(), f2.clone()])
+ .await
+ .unwrap());
- let e = filter.apply(p_id, &[f1, f2, f3]).await.unwrap_err();
+ let e = filter.apply(&p_info, &[f1, f2, f3]).await.unwrap_err();
assert_eq!(e.classify(), ErrorKind::OutOfMemory);
assert_eq!(e.to_string(), "partition 1 has 3 files, limit is 2");
}
diff --git a/compactor2/src/components/partition_filter/max_num_columns.rs b/compactor2/src/components/partition_filter/max_num_columns.rs
new file mode 100644
index 0000000000..2d6641b12e
--- /dev/null
+++ b/compactor2/src/components/partition_filter/max_num_columns.rs
@@ -0,0 +1,116 @@
+use std::fmt::Display;
+
+use async_trait::async_trait;
+use data_types::ParquetFile;
+
+use crate::{
+ error::{DynError, ErrorKind, SimpleError},
+ PartitionInfo,
+};
+
+use super::PartitionFilter;
+
+#[derive(Debug)]
+pub struct MaxNumColumnsPartitionFilter {
+ max_num_columns: usize,
+}
+
+impl MaxNumColumnsPartitionFilter {
+ pub fn new(max_num_columns: usize) -> Self {
+ Self { max_num_columns }
+ }
+}
+
+impl Display for MaxNumColumnsPartitionFilter {
+ fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
+ write!(f, "max_num_columns")
+ }
+}
+
+#[async_trait]
+impl PartitionFilter for MaxNumColumnsPartitionFilter {
+ async fn apply(
+ &self,
+ partition_info: &PartitionInfo,
+ _files: &[ParquetFile],
+ ) -> Result<bool, DynError> {
+ let col_count = partition_info.column_count();
+ if col_count <= self.max_num_columns {
+ Ok(true)
+ } else {
+ Err(SimpleError::new(
+ ErrorKind::OutOfMemory,
+ format!(
+ "table of partition {} has {} number of columns, limit is {}",
+ partition_info.partition_id, col_count, self.max_num_columns
+ ),
+ )
+ .into())
+ }
+ }
+}
+
+#[cfg(test)]
+mod tests {
+ use std::sync::Arc;
+
+ use crate::{error::ErrorKindExt, test_utils::PartitionInfoBuilder};
+ use iox_tests::ParquetFileBuilder;
+
+ use super::*;
+
+ #[test]
+ fn test_display() {
+ assert_eq!(
+ MaxNumColumnsPartitionFilter::new(1).to_string(),
+ "max_num_columns"
+ );
+ }
+
+ #[tokio::test]
+ async fn test_apply_skip() {
+ let filter = MaxNumColumnsPartitionFilter::new(2);
+ let f1 = ParquetFileBuilder::new(1).with_file_size_bytes(7).build();
+ let f2 = ParquetFileBuilder::new(2).with_file_size_bytes(4).build();
+
+ let p_info = Arc::new(
+ PartitionInfoBuilder::new()
+ .with_partition_id(1)
+ .with_num_columns(3)
+ .build(),
+ );
+
+ let err = filter.apply(&p_info, &[f1, f2]).await.unwrap_err();
+ assert_eq!(err.classify(), ErrorKind::OutOfMemory);
+ assert_eq!(
+ err.to_string(),
+ "table of partition 1 has 3 number of columns, limit is 2"
+ );
+
+ // empty files
+ // This filter doea not look into the file set, so it should not fail
+ let err = filter.apply(&p_info, &[]).await.unwrap_err();
+ assert_eq!(err.classify(), ErrorKind::OutOfMemory);
+ assert_eq!(
+ err.to_string(),
+ "table of partition 1 has 3 number of columns, limit is 2"
+ );
+ }
+
+ #[tokio::test]
+ async fn test_apply() {
+ let filter = MaxNumColumnsPartitionFilter::new(5);
+ let f1 = ParquetFileBuilder::new(1).with_file_size_bytes(7).build();
+ let f2 = ParquetFileBuilder::new(2).with_file_size_bytes(4).build();
+
+ let p_info = Arc::new(
+ PartitionInfoBuilder::new()
+ .with_partition_id(1)
+ .with_num_columns(3)
+ .build(),
+ );
+
+ assert!(filter.apply(&p_info, &[f1, f2]).await.unwrap());
+ assert!(filter.apply(&p_info, &[]).await.unwrap());
+ }
+}
diff --git a/compactor2/src/components/partition_filter/max_parquet_bytes.rs b/compactor2/src/components/partition_filter/max_parquet_bytes.rs
index ed285a05e4..19d0543a0b 100644
--- a/compactor2/src/components/partition_filter/max_parquet_bytes.rs
+++ b/compactor2/src/components/partition_filter/max_parquet_bytes.rs
@@ -1,9 +1,12 @@
use std::fmt::Display;
use async_trait::async_trait;
-use data_types::{ParquetFile, PartitionId};
+use data_types::ParquetFile;
-use crate::error::{DynError, ErrorKind, SimpleError};
+use crate::{
+ error::{DynError, ErrorKind, SimpleError},
+ PartitionInfo,
+};
use super::PartitionFilter;
@@ -28,7 +31,7 @@ impl Display for MaxParquetBytesPartitionFilter {
impl PartitionFilter for MaxParquetBytesPartitionFilter {
async fn apply(
&self,
- partition_id: PartitionId,
+ partition_info: &PartitionInfo,
files: &[ParquetFile],
) -> Result<bool, DynError> {
let sum = files
@@ -43,7 +46,7 @@ impl PartitionFilter for MaxParquetBytesPartitionFilter {
ErrorKind::OutOfMemory,
format!(
"partition {} has {} parquet file bytes, limit is {}",
- partition_id, sum, self.max_parquet_bytes
+ partition_info.partition_id, sum, self.max_parquet_bytes
),
)
.into())
@@ -53,7 +56,9 @@ impl PartitionFilter for MaxParquetBytesPartitionFilter {
#[cfg(test)]
mod tests {
- use crate::error::ErrorKindExt;
+ use std::sync::Arc;
+
+ use crate::{error::ErrorKindExt, test_utils::PartitionInfoBuilder};
use iox_tests::ParquetFileBuilder;
use super::*;
@@ -72,13 +77,16 @@ mod tests {
let f1 = ParquetFileBuilder::new(1).with_file_size_bytes(7).build();
let f2 = ParquetFileBuilder::new(2).with_file_size_bytes(4).build();
let f3 = ParquetFileBuilder::new(3).with_file_size_bytes(3).build();
- let p_id = PartitionId::new(1);
+ let p_info = Arc::new(PartitionInfoBuilder::new().with_partition_id(1).build());
- assert!(filter.apply(p_id, &[]).await.unwrap());
- assert!(filter.apply(p_id, &[f1.clone()]).await.unwrap());
- assert!(filter.apply(p_id, &[f1.clone(), f3.clone()]).await.unwrap());
+ assert!(filter.apply(&p_info, &[]).await.unwrap());
+ assert!(filter.apply(&p_info, &[f1.clone()]).await.unwrap());
+ assert!(filter
+ .apply(&p_info, &[f1.clone(), f3.clone()])
+ .await
+ .unwrap());
- let err = filter.apply(p_id, &[f1, f2]).await.unwrap_err();
+ let err = filter.apply(&p_info, &[f1, f2]).await.unwrap_err();
assert_eq!(err.classify(), ErrorKind::OutOfMemory);
assert_eq!(
err.to_string(),
diff --git a/compactor2/src/components/partition_filter/metrics.rs b/compactor2/src/components/partition_filter/metrics.rs
index f9a938c2b6..406f909c26 100644
--- a/compactor2/src/components/partition_filter/metrics.rs
+++ b/compactor2/src/components/partition_filter/metrics.rs
@@ -1,10 +1,10 @@
use std::fmt::Display;
use async_trait::async_trait;
-use data_types::{ParquetFile, PartitionId};
+use data_types::ParquetFile;
use metric::{Registry, U64Counter};
-use crate::error::DynError;
+use crate::{error::DynError, PartitionInfo};
use super::PartitionFilter;
@@ -60,10 +60,10 @@ where
{
async fn apply(
&self,
- partition_id: PartitionId,
+ partition_info: &PartitionInfo,
files: &[ParquetFile],
) -> Result<bool, DynError> {
- let res = self.inner.apply(partition_id, files).await;
+ let res = self.inner.apply(partition_info, files).await;
match res {
Ok(true) => {
self.pass_counter.inc(1);
@@ -81,9 +81,14 @@ where
#[cfg(test)]
mod tests {
+ use std::sync::Arc;
+
use metric::{Attributes, Metric};
- use crate::components::partition_filter::has_files::HasFilesPartitionFilter;
+ use crate::{
+ components::partition_filter::has_files::HasFilesPartitionFilter,
+ test_utils::PartitionInfoBuilder,
+ };
use iox_tests::ParquetFileBuilder;
use super::*;
@@ -101,16 +106,16 @@ mod tests {
let registry = Registry::new();
let filter =
MetricsPartitionFilterWrapper::new(HasFilesPartitionFilter::new(), ®istry, "test");
- let p_id = PartitionId::new(1);
+ let p_info = Arc::new(PartitionInfoBuilder::new().with_partition_id(1).build());
let f = ParquetFileBuilder::new(0).build();
assert_eq!(pass_counter(®istry), 0);
assert_eq!(filter_counter(®istry), 0);
assert_eq!(error_counter(®istry), 0);
- assert!(!filter.apply(p_id, &[]).await.unwrap());
- assert!(!filter.apply(p_id, &[]).await.unwrap());
- assert!(filter.apply(p_id, &[f]).await.unwrap());
+ assert!(!filter.apply(&p_info, &[]).await.unwrap());
+ assert!(!filter.apply(&p_info, &[]).await.unwrap());
+ assert!(filter.apply(&p_info, &[f]).await.unwrap());
assert_eq!(pass_counter(®istry), 1);
assert_eq!(filter_counter(®istry), 2);
diff --git a/compactor2/src/components/partition_filter/mod.rs b/compactor2/src/components/partition_filter/mod.rs
index cd7fb40a34..6cdd028dbb 100644
--- a/compactor2/src/components/partition_filter/mod.rs
+++ b/compactor2/src/components/partition_filter/mod.rs
@@ -1,9 +1,9 @@
use std::fmt::{Debug, Display};
use async_trait::async_trait;
-use data_types::{ParquetFile, PartitionId};
+use data_types::ParquetFile;
-use crate::error::DynError;
+use crate::{error::DynError, PartitionInfo};
pub mod and;
pub mod greater_matching_files;
@@ -12,6 +12,7 @@ pub mod has_files;
pub mod has_matching_file;
pub mod logging;
pub mod max_files;
+pub mod max_num_columns;
pub mod max_parquet_bytes;
pub mod metrics;
pub mod never_skipped;
@@ -33,7 +34,7 @@ pub trait PartitionFilter: Debug + Display + Send + Sync {
/// does not need any more compaction.
async fn apply(
&self,
- partition_id: PartitionId,
+ partition_info: &PartitionInfo,
files: &[ParquetFile],
) -> Result<bool, DynError>;
}
@@ -54,7 +55,7 @@ impl Display for TruePartitionFilter {
impl PartitionFilter for TruePartitionFilter {
async fn apply(
&self,
- _partition_id: PartitionId,
+ _partition_info: &PartitionInfo,
_files: &[ParquetFile],
) -> Result<bool, DynError> {
Ok(true)
@@ -82,7 +83,7 @@ impl Display for FalsePartitionFilter {
impl PartitionFilter for FalsePartitionFilter {
async fn apply(
&self,
- _partition_id: PartitionId,
+ _partition_info: &PartitionInfo,
_files: &[ParquetFile],
) -> Result<bool, DynError> {
Ok(false)
diff --git a/compactor2/src/components/partition_filter/never_skipped.rs b/compactor2/src/components/partition_filter/never_skipped.rs
index cc9889e1e0..aa7a0c6756 100644
--- a/compactor2/src/components/partition_filter/never_skipped.rs
+++ b/compactor2/src/components/partition_filter/never_skipped.rs
@@ -1,9 +1,12 @@
use std::fmt::Display;
use async_trait::async_trait;
-use data_types::{ParquetFile, PartitionId};
+use data_types::ParquetFile;
-use crate::{components::skipped_compactions_source::SkippedCompactionsSource, error::DynError};
+use crate::{
+ components::skipped_compactions_source::SkippedCompactionsSource, error::DynError,
+ PartitionInfo,
+};
use super::PartitionFilter;
@@ -40,10 +43,14 @@ where
{
async fn apply(
&self,
- partition_id: PartitionId,
+ partition_info: &PartitionInfo,
_files: &[ParquetFile],
) -> Result<bool, DynError> {
- Ok(self.source.fetch(partition_id).await.is_none())
+ Ok(self
+ .source
+ .fetch(partition_info.partition_id)
+ .await
+ .is_none())
}
}
diff --git a/compactor2/src/components/partition_filter/or.rs b/compactor2/src/components/partition_filter/or.rs
index dfeeab3bfa..2f306f4caa 100644
--- a/compactor2/src/components/partition_filter/or.rs
+++ b/compactor2/src/components/partition_filter/or.rs
@@ -1,9 +1,9 @@
use std::{fmt::Display, sync::Arc};
use async_trait::async_trait;
-use data_types::{ParquetFile, PartitionId};
+use data_types::ParquetFile;
-use crate::error::DynError;
+use crate::{error::DynError, PartitionInfo};
use super::PartitionFilter;
@@ -35,11 +35,11 @@ impl Display for OrPartitionFilter {
impl PartitionFilter for OrPartitionFilter {
async fn apply(
&self,
- partition_id: PartitionId,
+ partition_info: &PartitionInfo,
files: &[ParquetFile],
) -> Result<bool, DynError> {
for filter in &self.filters {
- if filter.apply(partition_id, files).await? {
+ if filter.apply(partition_info, files).await? {
return Ok(true);
}
}
@@ -50,9 +50,12 @@ impl PartitionFilter for OrPartitionFilter {
#[cfg(test)]
mod tests {
- use crate::components::partition_filter::{
- has_files::HasFilesPartitionFilter, max_files::MaxFilesPartitionFilter,
- FalsePartitionFilter, TruePartitionFilter,
+ use crate::{
+ components::partition_filter::{
+ has_files::HasFilesPartitionFilter, max_files::MaxFilesPartitionFilter,
+ FalsePartitionFilter, TruePartitionFilter,
+ },
+ test_utils::PartitionInfoBuilder,
};
use super::*;
@@ -69,30 +72,30 @@ mod tests {
#[tokio::test]
async fn test_apply() {
- let p_id = PartitionId::new(1);
+ let p_info = Arc::new(PartitionInfoBuilder::new().with_partition_id(1).build());
let filter = OrPartitionFilter::new(vec![
Arc::new(TruePartitionFilter::new()),
Arc::new(TruePartitionFilter::new()),
]);
- assert!(filter.apply(p_id, &[]).await.unwrap());
+ assert!(filter.apply(&p_info, &[]).await.unwrap());
let filter = OrPartitionFilter::new(vec![
Arc::new(TruePartitionFilter::new()),
Arc::new(FalsePartitionFilter::new()),
]);
- assert!(filter.apply(p_id, &[]).await.unwrap());
+ assert!(filter.apply(&p_info, &[]).await.unwrap());
let filter = OrPartitionFilter::new(vec![
Arc::new(FalsePartitionFilter::new()),
Arc::new(TruePartitionFilter::new()),
]);
- assert!(filter.apply(p_id, &[]).await.unwrap());
+ assert!(filter.apply(&p_info, &[]).await.unwrap());
let filter = OrPartitionFilter::new(vec![
Arc::new(FalsePartitionFilter::new()),
Arc::new(FalsePartitionFilter::new()),
]);
- assert!(!filter.apply(p_id, &[]).await.unwrap());
+ assert!(!filter.apply(&p_info, &[]).await.unwrap());
}
}
diff --git a/compactor2/src/components/report.rs b/compactor2/src/components/report.rs
index 9f3fc255d6..7777d63fbb 100644
--- a/compactor2/src/components/report.rs
+++ b/compactor2/src/components/report.rs
@@ -38,6 +38,7 @@ pub fn log_config(config: &Config) {
parquet_files_sink_override: parquet_files_sink,
simulate_without_object_store,
all_errors_are_fatal,
+ max_num_columns_per_table,
} = &config;
let (shard_cfg_n_shards, shard_cfg_shard_id) = match shard_config {
@@ -83,6 +84,7 @@ pub fn log_config(config: &Config) {
simulate_without_object_store,
%parquet_files_sink,
all_errors_are_fatal,
+ max_num_columns_per_table,
"config",
);
}
diff --git a/compactor2/src/config.rs b/compactor2/src/config.rs
index 6ce002b5bc..d866a768ee 100644
--- a/compactor2/src/config.rs
+++ b/compactor2/src/config.rs
@@ -127,6 +127,11 @@ pub struct Config {
///
/// This is mostly useful for testing.
pub all_errors_are_fatal: bool,
+
+ /// Maximum number of columns in the table of a partition that will be considered get comapcted
+ /// If there are more columns, the partition will be skipped
+ /// This is to prevent too many columns in a table
+ pub max_num_columns_per_table: usize,
}
impl Config {
diff --git a/compactor2/src/driver.rs b/compactor2/src/driver.rs
index acdc83e5f4..1a905ae856 100644
--- a/compactor2/src/driver.rs
+++ b/compactor2/src/driver.rs
@@ -180,9 +180,7 @@ async fn try_compact_partition(
scratchpad_ctx: &mut dyn Scratchpad,
) -> Result<(), DynError> {
let mut files = components.partition_files_source.fetch(partition_id).await;
-
- // fetch partition info only if we need it
- let mut lazy_partition_info = None;
+ let partition_info = components.partition_info_source.fetch(partition_id).await?;
// loop for each "Round", consider each file in the partition
loop {
@@ -192,18 +190,12 @@ async fn try_compact_partition(
// and describe where the filter is created at version_specific_partition_filters function
if !components
.partition_filter
- .apply(partition_id, &files)
+ .apply(&partition_info, &files)
.await?
{
return Ok(());
}
- // fetch partition info
- if lazy_partition_info.is_none() {
- lazy_partition_info = Some(components.partition_info_source.fetch(partition_id).await?);
- }
- let partition_info = lazy_partition_info.as_ref().expect("just fetched");
-
let (files_now, files_later) = components.round_split.split(files);
// Each branch must not overlap with each other
@@ -218,7 +210,7 @@ async fn try_compact_partition(
// Identify the target level and files that should be
// compacted together, upgraded, and kept for next round of
// compaction
- let file_classification = components.file_classifier.classify(partition_info, branch);
+ let file_classification = components.file_classifier.classify(&partition_info, branch);
// Cannot run this plan and skip this partition because of over limit of input num_files or size.
// The partition_resource_limit_filter will throw an error if one of the limits hit and will lead
@@ -229,7 +221,7 @@ async fn try_compact_partition(
// of conidtions even with limited resource. Then we will remove this resrouce limit check.
if !components
.partition_resource_limit_filter
- .apply(partition_id, &file_classification.files_to_compact)
+ .apply(&partition_info, &file_classification.files_to_compact)
.await?
{
return Ok(());
@@ -238,7 +230,7 @@ async fn try_compact_partition(
// Compact
let created_file_params = run_compaction_plan(
&file_classification.files_to_compact,
- partition_info,
+ &partition_info,
&components,
file_classification.target_level,
Arc::clone(&job_semaphore),
diff --git a/compactor2/src/partition_info.rs b/compactor2/src/partition_info.rs
index 010d3d418d..ed247bb382 100644
--- a/compactor2/src/partition_info.rs
+++ b/compactor2/src/partition_info.rs
@@ -29,3 +29,10 @@ pub struct PartitionInfo {
/// partition_key
pub partition_key: PartitionKey,
}
+
+impl PartitionInfo {
+ /// Returns number of columns in the table
+ pub fn column_count(&self) -> usize {
+ self.table_schema.column_count()
+ }
+}
diff --git a/compactor2/src/test_utils.rs b/compactor2/src/test_utils.rs
index ba7a54f84d..c61826210a 100644
--- a/compactor2/src/test_utils.rs
+++ b/compactor2/src/test_utils.rs
@@ -1,27 +1,67 @@
use std::{collections::BTreeMap, sync::Arc};
-use data_types::{NamespaceId, PartitionId, PartitionKey, Table, TableId, TableSchema};
+use data_types::{
+ ColumnId, ColumnSchema, ColumnType, NamespaceId, PartitionId, PartitionKey, Table, TableId,
+ TableSchema,
+};
use crate::PartitionInfo;
-pub fn partition_info() -> Arc<PartitionInfo> {
- let namespace_id = NamespaceId::new(2);
- let table_id = TableId::new(3);
-
- Arc::new(PartitionInfo {
- partition_id: PartitionId::new(1),
- namespace_id,
- namespace_name: String::from("ns"),
- table: Arc::new(Table {
- id: table_id,
- namespace_id,
- name: String::from("table"),
- }),
- table_schema: Arc::new(TableSchema {
- id: table_id,
- columns: BTreeMap::from([]),
- }),
- sort_key: None,
- partition_key: PartitionKey::from("pk"),
- })
+pub struct PartitionInfoBuilder {
+ inner: PartitionInfo,
+}
+
+impl PartitionInfoBuilder {
+ pub fn new() -> Self {
+ let partition_id = PartitionId::new(1);
+ let namespace_id = NamespaceId::new(2);
+ let table_id = TableId::new(3);
+
+ Self {
+ inner: PartitionInfo {
+ partition_id,
+ namespace_id,
+ namespace_name: String::from("ns"),
+ table: Arc::new(Table {
+ id: TableId::new(3),
+ namespace_id,
+ name: String::from("table"),
+ }),
+ table_schema: Arc::new(TableSchema {
+ id: table_id,
+ columns: BTreeMap::new(),
+ }),
+ sort_key: None,
+ partition_key: PartitionKey::from("key"),
+ },
+ }
+ }
+
+ pub fn with_partition_id(mut self, id: i64) -> Self {
+ self.inner.partition_id = PartitionId::new(id);
+ self
+ }
+
+ pub fn with_num_columns(mut self, num_cols: usize) -> Self {
+ let mut columns = BTreeMap::new();
+ for i in 0..num_cols {
+ let col = ColumnSchema {
+ id: ColumnId::new(i as i64),
+ column_type: ColumnType::I64,
+ };
+ columns.insert(i.to_string(), col);
+ }
+
+ let table_schema = Arc::new(TableSchema {
+ id: self.inner.table.id,
+ columns,
+ });
+ self.inner.table_schema = table_schema;
+
+ self
+ }
+
+ pub fn build(self) -> PartitionInfo {
+ self.inner
+ }
}
diff --git a/compactor2_test_utils/src/lib.rs b/compactor2_test_utils/src/lib.rs
index 2ecb0035fb..0a30e8f70a 100644
--- a/compactor2_test_utils/src/lib.rs
+++ b/compactor2_test_utils/src/lib.rs
@@ -116,6 +116,7 @@ impl TestSetupBuilder<false> {
simulate_without_object_store: false,
parquet_files_sink_override: None,
all_errors_are_fatal: true,
+ max_num_columns_per_table: 200,
};
Self {
diff --git a/data_types/src/lib.rs b/data_types/src/lib.rs
index 56c1c13420..62e91551e4 100644
--- a/data_types/src/lib.rs
+++ b/data_types/src/lib.rs
@@ -605,6 +605,11 @@ impl TableSchema {
pub fn column_names(&self) -> BTreeSet<&str> {
self.columns.keys().map(|name| name.as_str()).collect()
}
+
+ /// Return number of columns of the table
+ pub fn column_count(&self) -> usize {
+ self.columns.len()
+ }
}
/// Data object for a column
diff --git a/influxdb_iox/src/commands/run/all_in_one.rs b/influxdb_iox/src/commands/run/all_in_one.rs
index 763bf219b0..3bab884a89 100644
--- a/influxdb_iox/src/commands/run/all_in_one.rs
+++ b/influxdb_iox/src/commands/run/all_in_one.rs
@@ -437,6 +437,7 @@ impl Config {
min_num_l1_files_to_compact: 1,
process_once: false,
process_all_partitions: false,
+ max_num_columns_per_table: 200,
};
let querier_config = QuerierConfig {
diff --git a/ioxd_compactor2/src/lib.rs b/ioxd_compactor2/src/lib.rs
index 489941827e..b988d48231 100644
--- a/ioxd_compactor2/src/lib.rs
+++ b/ioxd_compactor2/src/lib.rs
@@ -210,6 +210,7 @@ pub async fn create_compactor2_server_type(
simulate_without_object_store: false,
parquet_files_sink_override: None,
all_errors_are_fatal: false,
+ max_num_columns_per_table: compactor_config.max_num_columns_per_table,
});
Arc::new(Compactor2ServerType::new(
|
7c28a30d1b891418e93c7e8b27d45a10af9e790a
|
Dom Dwyer
|
2022-12-12 14:24:11
|
WAL replay benchmark
|
This adds a simple WAL replay benchmark to ingester2 that executes a
replay of a single line of LP.
Unfortunately each file in the benches directory is compiled as it's own
binary/crate, and as such is restricted to importing only "pub" types.
This sucks, as it requires you to either benchmark at a high level
(macro, not microbenchmarks - i.e. benchmarking the ingester startup,
not just the WAL replay) or you are forced to mark the reliant types &
functions as "pub", as well as all the other types/traits they reference
in their signatures. Because the performance sensitive code is usually
towards the lower end of the call stack, this can quickly lead to an
explosion of "pub" types causing a large amount of internal code to be
exported.
Instead this commit uses a middle-ground; benchmarked types & fns are
conditionally marked as "pub" iff the "benches" feature is enabled. This
prevents them from being visible by default, but allows the benchmark
function to call them.
The benchmark itself is also restricted to only run when this feature is
enabled.
| null |
test(ingester2): WAL replay benchmark
This adds a simple WAL replay benchmark to ingester2 that executes a
replay of a single line of LP.
Unfortunately each file in the benches directory is compiled as it's own
binary/crate, and as such is restricted to importing only "pub" types.
This sucks, as it requires you to either benchmark at a high level
(macro, not microbenchmarks - i.e. benchmarking the ingester startup,
not just the WAL replay) or you are forced to mark the reliant types &
functions as "pub", as well as all the other types/traits they reference
in their signatures. Because the performance sensitive code is usually
towards the lower end of the call stack, this can quickly lead to an
explosion of "pub" types causing a large amount of internal code to be
exported.
Instead this commit uses a middle-ground; benchmarked types & fns are
conditionally marked as "pub" iff the "benches" feature is enabled. This
prevents them from being visible by default, but allows the benchmark
function to call them.
The benchmark itself is also restricted to only run when this feature is
enabled.
|
diff --git a/Cargo.lock b/Cargo.lock
index 14276c503c..3e91ef6485 100644
--- a/Cargo.lock
+++ b/Cargo.lock
@@ -2483,6 +2483,7 @@ dependencies = [
"async-trait",
"backoff",
"bytes",
+ "criterion",
"crossbeam-utils",
"data_types",
"datafusion",
diff --git a/ingester2/Cargo.toml b/ingester2/Cargo.toml
index 75abc46558..e9d28c753b 100644
--- a/ingester2/Cargo.toml
+++ b/ingester2/Cargo.toml
@@ -49,9 +49,22 @@ workspace-hack = { path = "../workspace-hack"}
[dev-dependencies]
assert_matches = "1.5.0"
+criterion = { version = "0.4", default-features = false, features = ["async_tokio"]}
datafusion_util = { path = "../datafusion_util" }
lazy_static = "1.4.0"
mutable_batch_lp = { path = "../mutable_batch_lp" }
paste = "1.0.9"
tempfile = "3.3.0"
test_helpers = { path = "../test_helpers", features = ["future_timeout"] }
+
+[features]
+benches = [] # Export some internal types for benchmark purposes only.
+
+[lib]
+bench = false
+
+[[bench]]
+name = "wal"
+harness = false
+ # Require some internal types be made visible for benchmark code.
+required-features = ["benches"]
diff --git a/ingester2/benches/README.md b/ingester2/benches/README.md
new file mode 100644
index 0000000000..cdf1d6468c
--- /dev/null
+++ b/ingester2/benches/README.md
@@ -0,0 +1,10 @@
+## `ingester2` benchmarks
+
+Run them like this:
+
+```console
+% cargo bench -p ingester2 --features=benches
+```
+
+This is required to mark internal types as `pub`, allowing the benchmarks to
+drive them.
diff --git a/ingester2/benches/wal.rs b/ingester2/benches/wal.rs
new file mode 100644
index 0000000000..7855448192
--- /dev/null
+++ b/ingester2/benches/wal.rs
@@ -0,0 +1,110 @@
+use async_trait::async_trait;
+use criterion::{criterion_group, criterion_main, BatchSize, Criterion, Throughput};
+use data_types::{NamespaceId, PartitionKey, TableId};
+use dml::{DmlMeta, DmlOperation, DmlWrite};
+use generated_types::influxdata::{
+ iox::wal::v1::sequenced_wal_op::Op as WalOp, pbdata::v1::DatabaseBatch,
+};
+use ingester2::dml_sink::{DmlError, DmlSink};
+use mutable_batch_pb::encode::encode_write;
+use wal::SequencedWalOp;
+
+const NAMESPACE_ID: NamespaceId = NamespaceId::new(42);
+
+/// A function to initialise the state of the WAL directory prior to executing
+/// the replay code, returning the path to the initialised WAL directory.
+async fn init() -> tempfile::TempDir {
+ let dir = tempfile::tempdir().expect("failed to get temporary WAL directory");
+
+ let wal = wal::Wal::new(dir.path())
+ .await
+ .expect("failed to initialise WAL to write");
+
+ // Write a single line of LP to the WAL
+ wal.write_handle()
+ .await
+ .write_op(SequencedWalOp {
+ sequence_number: 42,
+ op: WalOp::Write(lp_to_writes("bananas,tag1=A,tag2=B val=42i 1")),
+ })
+ .await
+ .expect("failed to write entry");
+
+ dir
+}
+
+fn wal_replay_bench(c: &mut Criterion) {
+ let runtime = tokio::runtime::Builder::new_multi_thread()
+ .enable_all()
+ .build()
+ .expect("failed to initialise tokio runtime for benchmark");
+
+ let mut group = c.benchmark_group("replay");
+
+ group.throughput(Throughput::Elements(1));
+ group.bench_function("1 write", |b| {
+ b.to_async(&runtime).iter_batched(
+ // Call the init func to set up the WAL state.
+ || futures::executor::block_on(init()),
+ // Call the code to measure
+ |dir| async move {
+ // Initialise the WAL using the pre-populated path.
+ let wal = wal::Wal::new(dir.path())
+ .await
+ .expect("failed to initialise WAL for replay");
+
+ // Pass all writes into a NOP that discards them with no
+ // overhead.
+ let sink = NopSink::default();
+
+ // Replay the wal into the NOP.
+ ingester2::wal_replay::replay(&wal, &sink)
+ .await
+ .expect("WAL replay error");
+ },
+ // Use the WAL for one test invocation only, and re-create a new one
+ // for the next iteration.
+ BatchSize::PerIteration,
+ );
+ });
+}
+
+/// Parse `lp` into a [`DatabaseBatch`] instance.
+fn lp_to_writes(lp: &str) -> DatabaseBatch {
+ let (writes, _) = mutable_batch_lp::lines_to_batches_stats(lp, 42)
+ .expect("failed to build test writes from LP");
+
+ // Add some made-up table IDs to the entries.
+ let writes = writes
+ .into_iter()
+ .enumerate()
+ .map(|(i, (_name, data))| (TableId::new(i as _), data))
+ .collect();
+
+ // Build the DmlWrite
+ let op = DmlWrite::new(
+ NAMESPACE_ID,
+ writes,
+ PartitionKey::from("ignored"),
+ DmlMeta::unsequenced(None),
+ );
+
+ // And return it as a DatabaseBatch
+ encode_write(NAMESPACE_ID.get(), &op)
+}
+
+/// A no-op [`DmlSink`] implementation.
+#[derive(Debug, Default)]
+struct NopSink;
+
+#[async_trait]
+impl DmlSink for NopSink {
+ type Error = DmlError;
+ async fn apply(&self, _op: DmlOperation) -> Result<(), DmlError> {
+ // It does nothing!
+ Ok(())
+ }
+}
+
+criterion_group!(benches, wal_replay_bench);
+criterion_main!(benches);
diff --git a/ingester2/src/dml_sink/mock_sink.rs b/ingester2/src/dml_sink/mock_sink.rs
index 703de12311..8a18604da1 100644
--- a/ingester2/src/dml_sink/mock_sink.rs
+++ b/ingester2/src/dml_sink/mock_sink.rs
@@ -13,7 +13,7 @@ struct MockDmlSinkState {
}
#[derive(Debug, Default)]
-pub(crate) struct MockDmlSink {
+pub struct MockDmlSink {
state: Mutex<MockDmlSinkState>,
}
diff --git a/ingester2/src/dml_sink/mod.rs b/ingester2/src/dml_sink/mod.rs
index 7aed0b7a52..1fcbdf78dc 100644
--- a/ingester2/src/dml_sink/mod.rs
+++ b/ingester2/src/dml_sink/mod.rs
@@ -1,5 +1,5 @@
mod r#trait;
-pub(crate) use r#trait::*;
+pub use r#trait::*;
#[cfg(test)]
pub(crate) mod mock_sink;
diff --git a/ingester2/src/dml_sink/trait.rs b/ingester2/src/dml_sink/trait.rs
index 7732f98f66..f086d3220b 100644
--- a/ingester2/src/dml_sink/trait.rs
+++ b/ingester2/src/dml_sink/trait.rs
@@ -5,7 +5,7 @@ use dml::DmlOperation;
use thiserror::Error;
#[derive(Debug, Error)]
-pub(crate) enum DmlError {
+pub enum DmlError {
/// An error applying a [`DmlOperation`] to a [`BufferTree`].
///
/// [`BufferTree`]: crate::buffer_tree::BufferTree
@@ -19,7 +19,7 @@ pub(crate) enum DmlError {
/// A [`DmlSink`] handles [`DmlOperation`] instances in some abstract way.
#[async_trait]
-pub(crate) trait DmlSink: Debug + Send + Sync {
+pub trait DmlSink: Debug + Send + Sync {
type Error: Error + Into<DmlError> + Send;
/// Apply `op` to the implementer's state.
diff --git a/ingester2/src/init.rs b/ingester2/src/init.rs
index 845976092d..affa5fcd47 100644
--- a/ingester2/src/init.rs
+++ b/ingester2/src/init.rs
@@ -1,4 +1,6 @@
-mod wal_replay;
+crate::maybe_pub!(
+ mod wal_replay;
+);
use std::{path::PathBuf, sync::Arc, time::Duration};
diff --git a/ingester2/src/init/wal_replay.rs b/ingester2/src/init/wal_replay.rs
index 4a258262e3..f70d2e163f 100644
--- a/ingester2/src/init/wal_replay.rs
+++ b/ingester2/src/init/wal_replay.rs
@@ -13,7 +13,7 @@ use crate::{
/// Errors returned when replaying the write-ahead log.
#[derive(Debug, Error)]
-pub(crate) enum WalReplayError {
+pub enum WalReplayError {
/// An error initialising a segment file reader.
#[error("failed to open wal segment for replay: {0}")]
OpenSegment(wal::Error),
@@ -40,7 +40,7 @@ pub(crate) enum WalReplayError {
/// Replay all the entries in `wal` to `sink`, returning the maximum observed
/// [`SequenceNumber`].
-pub(crate) async fn replay<T>(wal: &Wal, sink: &T) -> Result<Option<SequenceNumber>, WalReplayError>
+pub async fn replay<T>(wal: &Wal, sink: &T) -> Result<Option<SequenceNumber>, WalReplayError>
where
T: DmlSink,
{
diff --git a/ingester2/src/lib.rs b/ingester2/src/lib.rs
index 07c662e1b3..66fab929e7 100644
--- a/ingester2/src/lib.rs
+++ b/ingester2/src/lib.rs
@@ -41,12 +41,25 @@
clippy::use_self,
missing_copy_implementations,
missing_debug_implementations,
- missing_docs,
- unreachable_pub
+ missing_docs
)]
use data_types::{ShardId, ShardIndex};
+/// A macro to conditionally prepend `pub` to the inner tokens for benchmarking
+/// purposes, should the `benches` feature be enabled.
+#[macro_export]
+macro_rules! maybe_pub {
+ ($($t:tt)+) => {
+ #[cfg(feature = "benches")]
+ #[allow(missing_docs)]
+ pub $($t)+
+
+ #[cfg(not(feature = "benches"))]
+ $($t)+
+ };
+}
+
/// During the testing of ingester2, the catalog will require a ShardId for
/// various operations. This is a const value for these occasions.
const TRANSITION_SHARD_ID: ShardId = ShardId::new(1);
@@ -74,7 +87,6 @@ pub use init::*;
mod arcmap;
mod buffer_tree;
mod deferred_load;
-mod dml_sink;
mod persist;
mod query;
mod query_adaptor;
@@ -82,5 +94,10 @@ pub(crate) mod server;
mod timestamp_oracle;
mod wal;
+// Conditionally exported for benchmark purposes.
+maybe_pub!(
+ mod dml_sink;
+);
+
#[cfg(test)]
mod test_util;
|
1fd355ed83fe9bafc9989042579246792a0408f4
|
Jean Arhancet
|
2024-07-05 15:21:40
|
v1 recordbatch to json (#25085)
|
* refactor: refactor serde json to use recordbatch
* fix: cargo audit with cargo update
* fix: add timestamp datatype
* fix: add timestamp datatype
* fix: apply feedbacks
* fix: cargo audit with cargo update
* fix: add timestamp datatype
* fix: apply feedbacks
* refactor: test data conversion
| null |
refactor: v1 recordbatch to json (#25085)
* refactor: refactor serde json to use recordbatch
* fix: cargo audit with cargo update
* fix: add timestamp datatype
* fix: add timestamp datatype
* fix: apply feedbacks
* fix: cargo audit with cargo update
* fix: add timestamp datatype
* fix: apply feedbacks
* refactor: test data conversion
|
diff --git a/Cargo.lock b/Cargo.lock
index fc2f248aa8..4f38b688e5 100644
--- a/Cargo.lock
+++ b/Cargo.lock
@@ -850,9 +850,9 @@ dependencies = [
[[package]]
name = "cc"
-version = "1.0.101"
+version = "1.0.104"
source = "registry+https://github.com/rust-lang/crates.io-index"
-checksum = "ac367972e516d45567c7eafc73d24e1c193dcf200a8d94e9db7b3d38b349572d"
+checksum = "74b6a57f98764a267ff415d50a25e6e166f3831a5071af4995296ea97d210490"
dependencies = [
"jobserver",
"libc",
@@ -932,9 +932,9 @@ dependencies = [
[[package]]
name = "clap"
-version = "4.5.7"
+version = "4.5.8"
source = "registry+https://github.com/rust-lang/crates.io-index"
-checksum = "5db83dced34638ad474f39f250d7fea9598bdd239eaced1bdf45d597da0f433f"
+checksum = "84b3edb18336f4df585bc9aa31dd99c036dfa5dc5e9a2939a722a188f3a8970d"
dependencies = [
"clap_builder",
"clap_derive",
@@ -974,9 +974,9 @@ dependencies = [
[[package]]
name = "clap_builder"
-version = "4.5.7"
+version = "4.5.8"
source = "registry+https://github.com/rust-lang/crates.io-index"
-checksum = "f7e204572485eb3fbf28f871612191521df159bc3e15a9f5064c66dba3a8c05f"
+checksum = "c1c09dd5ada6c6c78075d6fd0da3f90d8080651e2d6cc8eb2f1aaa4034ced708"
dependencies = [
"anstream",
"anstyle",
@@ -986,9 +986,9 @@ dependencies = [
[[package]]
name = "clap_derive"
-version = "4.5.5"
+version = "4.5.8"
source = "registry+https://github.com/rust-lang/crates.io-index"
-checksum = "c780290ccf4fb26629baa7a1081e68ced113f1d3ec302fa5948f1c381ebf06c6"
+checksum = "2bac35c6dafb060fd4d275d9a4ffae97917c13a6327903a8be2153cd964f7085"
dependencies = [
"heck 0.5.0",
"proc-macro2",
@@ -1352,7 +1352,7 @@ dependencies = [
"murmur3",
"observability_deps",
"once_cell",
- "ordered-float 4.2.0",
+ "ordered-float 4.2.1",
"percent-encoding",
"prost 0.12.6",
"schema",
@@ -2357,9 +2357,9 @@ dependencies = [
[[package]]
name = "hyper"
-version = "1.3.1"
+version = "1.4.0"
source = "registry+https://github.com/rust-lang/crates.io-index"
-checksum = "fe575dd17d0862a9a33781c8c4696a55c320909004a67a00fb286ba8b1bc496d"
+checksum = "c4fe55fb7a772d59a5ff1dfbff4fe0258d19b89fec4b233e75d35d5d2316badc"
dependencies = [
"bytes",
"futures-channel",
@@ -2396,7 +2396,7 @@ checksum = "5ee4be2c948921a1a5320b629c4193916ed787a7f7f293fd3f7f5a6c9de74155"
dependencies = [
"futures-util",
"http 1.1.0",
- "hyper 1.3.1",
+ "hyper 1.4.0",
"hyper-util",
"rustls 0.23.10",
"rustls-native-certs 0.7.0",
@@ -2420,16 +2420,16 @@ dependencies = [
[[package]]
name = "hyper-util"
-version = "0.1.5"
+version = "0.1.6"
source = "registry+https://github.com/rust-lang/crates.io-index"
-checksum = "7b875924a60b96e5d7b9ae7b066540b1dd1cbd90d1828f54c92e02a283351c56"
+checksum = "3ab92f4f49ee4fb4f997c784b7a2e0fa70050211e0b6a287f898c3c9785ca956"
dependencies = [
"bytes",
"futures-channel",
"futures-util",
"http 1.1.0",
"http-body 1.0.0",
- "hyper 1.3.1",
+ "hyper 1.4.0",
"pin-project-lite",
"socket2",
"tokio",
@@ -2631,6 +2631,7 @@ version = "0.1.0"
dependencies = [
"anyhow",
"arrow",
+ "arrow-array",
"arrow-csv",
"arrow-flight",
"arrow-json",
@@ -3243,9 +3244,9 @@ dependencies = [
[[package]]
name = "log"
-version = "0.4.21"
+version = "0.4.22"
source = "registry+https://github.com/rust-lang/crates.io-index"
-checksum = "90ed8c1e510134f979dbc4f070f87d4313098b704861a105fe34231c70a3901c"
+checksum = "a7a70ba024b9dc04c27ea2f0c0548feb474ec5c54bba33a7f72f873a39d07b24"
dependencies = [
"value-bag",
]
@@ -3348,9 +3349,9 @@ checksum = "6877bb514081ee2a7ff5ef9de3281f14a4dd4bceac4c09388074a6b5df8a139a"
[[package]]
name = "mime_guess"
-version = "2.0.4"
+version = "2.0.5"
source = "registry+https://github.com/rust-lang/crates.io-index"
-checksum = "4192263c238a5f0d0c6bfd21f336a313a4ce1c450542449ca191bb657b4642ef"
+checksum = "f7c44f8e672c00fe5308fa235f821cb4198414e1c77935c1ab6948d3fd78550e"
dependencies = [
"mime",
"unicase",
@@ -3529,9 +3530,9 @@ dependencies = [
[[package]]
name = "num-bigint"
-version = "0.4.5"
+version = "0.4.6"
source = "registry+https://github.com/rust-lang/crates.io-index"
-checksum = "c165a9ab64cf766f73521c0dd2cfdff64f488b8f0b3e621face3462d3db536d7"
+checksum = "a5e44f723f1133c9deac646763579fdb3ac745e418f2a7af9cd0c431da1f20b9"
dependencies = [
"num-integer",
"num-traits",
@@ -3622,9 +3623,9 @@ dependencies = [
[[package]]
name = "object"
-version = "0.36.0"
+version = "0.36.1"
source = "registry+https://github.com/rust-lang/crates.io-index"
-checksum = "576dfe1fc8f9df304abb159d767a29d0476f7750fbf8aa7ad07816004a207434"
+checksum = "081b846d1d56ddfc18fdf1a922e4f6e07a11768ea1b92dec44e42b72712ccfce"
dependencies = [
"memchr",
]
@@ -3695,9 +3696,9 @@ dependencies = [
[[package]]
name = "ordered-float"
-version = "4.2.0"
+version = "4.2.1"
source = "registry+https://github.com/rust-lang/crates.io-index"
-checksum = "a76df7075c7d4d01fdcb46c912dd17fba5b60c78ea480b475f2b6ab6f666584e"
+checksum = "19ff2cf528c6c03d9ed653d6c4ce1dc0582dc4af309790ad92f07c1cd551b0be"
dependencies = [
"num-traits",
]
@@ -4466,7 +4467,7 @@ dependencies = [
"http 1.1.0",
"http-body 1.0.0",
"http-body-util",
- "hyper 1.3.1",
+ "hyper 1.4.0",
"hyper-rustls 0.27.2",
"hyper-util",
"ipnet",
@@ -4815,9 +4816,9 @@ dependencies = [
[[package]]
name = "serde_json"
-version = "1.0.118"
+version = "1.0.120"
source = "registry+https://github.com/rust-lang/crates.io-index"
-checksum = "d947f6b3163d8857ea16c4fa0dd4840d52f3041039a85decd46867eb1abef2e4"
+checksum = "4e0d21c9a8cae1235ad58a00c11cb40d4b1e5c784f1ef2c537876ed6ffd8b7c5"
dependencies = [
"itoa",
"ryu",
@@ -4838,9 +4839,9 @@ dependencies = [
[[package]]
name = "serde_with"
-version = "3.8.1"
+version = "3.8.2"
source = "registry+https://github.com/rust-lang/crates.io-index"
-checksum = "0ad483d2ab0149d5a5ebcd9972a3852711e0153d863bf5a5d0391d28883c4a20"
+checksum = "079f3a42cd87588d924ed95b533f8d30a483388c4e400ab736a7058e34f16169"
dependencies = [
"base64 0.22.1",
"chrono",
@@ -4856,9 +4857,9 @@ dependencies = [
[[package]]
name = "serde_with_macros"
-version = "3.8.1"
+version = "3.8.2"
source = "registry+https://github.com/rust-lang/crates.io-index"
-checksum = "65569b702f41443e8bc8bbb1c5779bd0450bbe723b56198980e80ec45780bce2"
+checksum = "bc03aad67c1d26b7de277d51c86892e7d9a0110a2fe44bf6b26cc569fba302d6"
dependencies = [
"darling",
"proc-macro2",
@@ -5472,7 +5473,7 @@ dependencies = [
"async-trait",
"dotenvy",
"observability_deps",
- "ordered-float 4.2.0",
+ "ordered-float 4.2.1",
"parking_lot",
"prometheus-parse",
"reqwest 0.12.5",
diff --git a/influxdb3/tests/server/query.rs b/influxdb3/tests/server/query.rs
index ec1087529a..5bd23bf9c9 100644
--- a/influxdb3/tests/server/query.rs
+++ b/influxdb3/tests/server/query.rs
@@ -717,9 +717,9 @@ async fn api_v1_query_json_format() {
],
"name": "cpu",
"values": [
- ["1970-01-01T00:00:01", "a", 0.9],
- ["1970-01-01T00:00:02", "a", 0.89],
- ["1970-01-01T00:00:03", "a", 0.85]
+ ["1970-01-01T00:00:01Z", "a", 0.9],
+ ["1970-01-01T00:00:02Z", "a", 0.89],
+ ["1970-01-01T00:00:03Z", "a", 0.85]
]
}
],
@@ -745,9 +745,9 @@ async fn api_v1_query_json_format() {
],
"name": "mem",
"values": [
- ["1970-01-01T00:00:04", "a", 0.5],
- ["1970-01-01T00:00:05", "a", 0.6],
- ["1970-01-01T00:00:06", "a", 0.7]
+ ["1970-01-01T00:00:04Z", "a", 0.5],
+ ["1970-01-01T00:00:05Z", "a", 0.6],
+ ["1970-01-01T00:00:06Z", "a", 0.7]
]
},
{
@@ -758,9 +758,9 @@ async fn api_v1_query_json_format() {
],
"name": "cpu",
"values": [
- ["1970-01-01T00:00:01", "a", 0.9],
- ["1970-01-01T00:00:02", "a", 0.89],
- ["1970-01-01T00:00:03", "a", 0.85]
+ ["1970-01-01T00:00:01Z", "a", 0.9],
+ ["1970-01-01T00:00:02Z", "a", 0.89],
+ ["1970-01-01T00:00:03Z", "a", 0.85]
]
}
],
@@ -786,9 +786,9 @@ async fn api_v1_query_json_format() {
],
"name": "cpu",
"values": [
- ["1970-01-01T00:00:01", "a", 0.9],
- ["1970-01-01T00:00:02", "a", 0.89],
- ["1970-01-01T00:00:03", "a", 0.85]
+ ["1970-01-01T00:00:01Z", "a", 0.9],
+ ["1970-01-01T00:00:02Z", "a", 0.89],
+ ["1970-01-01T00:00:03Z", "a", 0.85]
]
}
],
@@ -879,9 +879,9 @@ async fn api_v1_query_csv_format() {
epoch: None,
query: "SELECT time, host, usage FROM cpu",
expected: "name,tags,time,host,usage\n\
- cpu,,1970-01-01T00:00:01,a,0.9\n\
- cpu,,1970-01-01T00:00:02,a,0.89\n\
- cpu,,1970-01-01T00:00:03,a,0.85\n\r\n",
+ cpu,,1970-01-01T00:00:01Z,a,0.9\n\
+ cpu,,1970-01-01T00:00:02Z,a,0.89\n\
+ cpu,,1970-01-01T00:00:03Z,a,0.85\n\r\n",
},
// Basic Query with multiple measurements:
TestCase {
@@ -889,12 +889,12 @@ async fn api_v1_query_csv_format() {
epoch: None,
query: "SELECT time, host, usage FROM cpu, mem",
expected: "name,tags,time,host,usage\n\
- mem,,1970-01-01T00:00:04,a,0.5\n\
- mem,,1970-01-01T00:00:05,a,0.6\n\
- mem,,1970-01-01T00:00:06,a,0.7\n\
- cpu,,1970-01-01T00:00:01,a,0.9\n\
- cpu,,1970-01-01T00:00:02,a,0.89\n\
- cpu,,1970-01-01T00:00:03,a,0.85\n\r\n",
+ mem,,1970-01-01T00:00:04Z,a,0.5\n\
+ mem,,1970-01-01T00:00:05Z,a,0.6\n\
+ mem,,1970-01-01T00:00:06Z,a,0.7\n\
+ cpu,,1970-01-01T00:00:01Z,a,0.9\n\
+ cpu,,1970-01-01T00:00:02Z,a,0.89\n\
+ cpu,,1970-01-01T00:00:03Z,a,0.85\n\r\n",
},
// Basic Query with db in query string:
TestCase {
@@ -902,9 +902,9 @@ async fn api_v1_query_csv_format() {
epoch: None,
query: "SELECT time, host, usage FROM foo.autogen.cpu",
expected: "name,tags,time,host,usage\n\
- cpu,,1970-01-01T00:00:01,a,0.9\n\
- cpu,,1970-01-01T00:00:02,a,0.89\n\
- cpu,,1970-01-01T00:00:03,a,0.85\n\r\n",
+ cpu,,1970-01-01T00:00:01Z,a,0.9\n\
+ cpu,,1970-01-01T00:00:02Z,a,0.89\n\
+ cpu,,1970-01-01T00:00:03Z,a,0.85\n\r\n",
},
// Basic Query epoch parameter set:
TestCase {
@@ -1168,3 +1168,79 @@ async fn api_v1_query_chunked() {
assert_eq!(t.expected, values, "query failed: {q}", q = t.query);
}
}
+
+#[tokio::test]
+async fn api_v1_query_data_conversion() {
+ let server = TestServer::spawn().await;
+
+ server
+ .write_lp_to_db(
+ "foo",
+ "weather,location=us-midwest temperature_integer=82i 1465839830100400200\n\
+ weather,location=us-midwest temperature_float=82 1465839830100400200\n\
+ weather,location=us-midwest temperature_str=\"too warm\" 1465839830100400200\n\
+ weather,location=us-midwest too_hot=true 1465839830100400200",
+ Precision::Nanosecond,
+ )
+ .await
+ .unwrap();
+
+ struct TestCase<'a> {
+ database: Option<&'a str>,
+ epoch: Option<&'a str>,
+ query: &'a str,
+ expected: Value,
+ }
+
+ let test_cases = [
+ // Basic Query:
+ TestCase {
+ database: Some("foo"),
+ epoch: None,
+ query: "SELECT time, location, temperature_integer, temperature_float, temperature_str, too_hot FROM weather",
+ expected: json!({
+ "results": [
+ {
+ "series": [
+ {
+ "columns": [
+ "time",
+ "location",
+ "temperature_integer",
+ "temperature_float",
+ "temperature_str",
+ "too_hot"
+ ],
+ "name": "weather",
+ "values": [
+ ["2016-06-13T17:43:50.100400200Z", "us-midwest", 82, 82.0, "too warm", true],
+ ]
+ }
+ ],
+ "statement_id": 0
+ }
+ ]
+ }),
+ },
+
+ ];
+
+ for t in test_cases {
+ let mut params = vec![("q", t.query)];
+ if let Some(db) = t.database {
+ params.push(("db", db));
+ }
+ if let Some(epoch) = t.epoch {
+ params.push(("epoch", epoch));
+ }
+ let resp = server
+ .api_v1_query(¶ms, None)
+ .await
+ .json::<Value>()
+ .await
+ .unwrap();
+ println!("\n{q}", q = t.query);
+ println!("{resp:#}");
+ assert_eq!(t.expected, resp, "query failed: {q}", q = t.query);
+ }
+}
diff --git a/influxdb3_server/Cargo.toml b/influxdb3_server/Cargo.toml
index cca9ec77fa..2a10a73641 100644
--- a/influxdb3_server/Cargo.toml
+++ b/influxdb3_server/Cargo.toml
@@ -37,6 +37,7 @@ iox_query_influxql_rewrite = { path = "../iox_query_influxql_rewrite" }
# crates.io Dependencies
anyhow.workspace = true
arrow.workspace = true
+arrow-array.workspace = true
arrow-csv.workspace = true
arrow-flight.workspace = true
arrow-json.workspace = true
diff --git a/influxdb3_server/src/http/v1.rs b/influxdb3_server/src/http/v1.rs
index 0b908422ce..5a850934bd 100644
--- a/influxdb3_server/src/http/v1.rs
+++ b/influxdb3_server/src/http/v1.rs
@@ -5,17 +5,20 @@ use std::{
task::{Context, Poll},
};
-use anyhow::Context as AnyhowContext;
+use anyhow::{bail, Context as AnyhowContext};
use arrow::{
+ array::{as_string_array, ArrayRef, AsArray},
compute::{cast_with_options, CastOptions},
+ datatypes::{
+ DataType, Float16Type, Float32Type, Float64Type, Int16Type, Int32Type, Int64Type, Int8Type,
+ TimeUnit, TimestampMicrosecondType, TimestampMillisecondType, TimestampNanosecondType,
+ TimestampSecondType, UInt16Type, UInt32Type, UInt64Type, UInt8Type,
+ },
record_batch::RecordBatch,
};
-// Note: see https://github.com/influxdata/influxdb/issues/24981
-#[allow(deprecated)]
-use arrow_json::writer::record_batches_to_json_rows;
-use arrow_schema::DataType;
use bytes::Bytes;
+use chrono::{format::SecondsFormat, DateTime};
use datafusion::physical_plan::SendableRecordBatchStream;
use futures::{ready, stream::Fuse, Stream, StreamExt};
use hyper::http::HeaderValue;
@@ -472,41 +475,49 @@ impl QueryResponseStream {
}))
.context("failed to cast batch time column with `epoch` parameter specified")?;
}
- // See https://github.com/influxdata/influxdb/issues/24981
- #[allow(deprecated)]
- let json_rows = record_batches_to_json_rows(&[&batch])
- .context("failed to convert RecordBatch to JSON rows")?;
- for json_row in json_rows {
- let mut row = vec![Value::Null; self.column_map.len()];
- for (k, v) in json_row {
- if k == INFLUXQL_MEASUREMENT_COLUMN_NAME
- && (self.buffer.current_measurement_name().is_none()
- || self
- .buffer
- .current_measurement_name()
- .is_some_and(|n| *n != v))
- {
- // we are on the "iox::measurement" column, which gives the name of the time series
- // if we are on the first row, or if the measurement changes, we push into the
- // buffer queue
- self.buffer
- .push_next_measurement(v.as_str().with_context(|| {
- format!("{INFLUXQL_MEASUREMENT_COLUMN_NAME} value was not a string")
- })?);
- } else if k == INFLUXQL_MEASUREMENT_COLUMN_NAME {
- // we are still working on the current measurement in the buffer, so ignore
+ let column_map = &self.column_map;
+ let columns = batch.columns();
+ let schema = batch.schema();
+
+ for row_index in 0..batch.num_rows() {
+ let mut row = vec![Value::Null; column_map.len()];
+
+ for (col_index, column) in columns.iter().enumerate() {
+ let field = schema.field(col_index);
+ let column_name = field.name();
+
+ let mut cell_value = if !column.is_valid(row_index) {
continue;
} else {
- // this is a column value that is part of the time series, add it to the row
- let j = self.column_map.get(&k).unwrap();
- row[*j] = if let (Some(precision), TIME_COLUMN_NAME) = (self.epoch, k.as_str())
- {
- // specially handle the time column if `epoch` parameter provided
- convert_ns_epoch(v, precision)?
- } else {
- v
- };
+ cast_column_value(column, row_index)?
+ };
+
+ // Handle the special case for the measurement column
+ if column_name == INFLUXQL_MEASUREMENT_COLUMN_NAME {
+ if let Value::String(ref measurement_name) = cell_value {
+ if self.buffer.current_measurement_name().is_none()
+ || self
+ .buffer
+ .current_measurement_name()
+ .is_some_and(|n| n != measurement_name)
+ {
+ // we are on the "iox::measurement" column, which gives the name of the time series
+ // if we are on the first row, or if the measurement changes, we push into the
+ // buffer queue
+ self.buffer.push_next_measurement(measurement_name);
+ }
+ }
+ continue;
+ }
+ if column_name == TIME_COLUMN_NAME {
+ if let Some(precision) = self.epoch {
+ cell_value = convert_ns_epoch(cell_value, precision)?
+ }
}
+ let col_position = column_map
+ .get(column_name)
+ .context("failed to retrieve column position")?;
+ row[*col_position] = cell_value;
}
self.buffer.push_row(Row(row))?;
}
@@ -580,6 +591,109 @@ fn convert_ns_epoch(value: Value, precision: Precision) -> Result<Value, anyhow:
.into())
}
+/// Converts a value from an Arrow `ArrayRef` at a given row index into a `serde_json::Value`.
+///
+/// This function handles various Arrow data types, converting them into their corresponding
+/// JSON representations. For unsupported data types, it returns an error using the `anyhow` crate.
+fn cast_column_value(column: &ArrayRef, row_index: usize) -> Result<Value, anyhow::Error> {
+ let value = match column.data_type() {
+ DataType::Boolean => Value::Bool(column.as_boolean().value(row_index)),
+ DataType::Null => Value::Null,
+ DataType::Int8 => Value::Number(column.as_primitive::<Int8Type>().value(row_index).into()),
+ DataType::Int16 => {
+ Value::Number(column.as_primitive::<Int16Type>().value(row_index).into())
+ }
+ DataType::Int32 => {
+ Value::Number(column.as_primitive::<Int32Type>().value(row_index).into())
+ }
+ DataType::Int64 => {
+ Value::Number(column.as_primitive::<Int64Type>().value(row_index).into())
+ }
+ DataType::UInt8 => {
+ Value::Number(column.as_primitive::<UInt8Type>().value(row_index).into())
+ }
+ DataType::UInt16 => {
+ Value::Number(column.as_primitive::<UInt16Type>().value(row_index).into())
+ }
+ DataType::UInt32 => {
+ Value::Number(column.as_primitive::<UInt32Type>().value(row_index).into())
+ }
+ DataType::UInt64 => {
+ Value::Number(column.as_primitive::<UInt64Type>().value(row_index).into())
+ }
+ DataType::Float16 => Value::Number(
+ serde_json::Number::from_f64(
+ column
+ .as_primitive::<Float16Type>()
+ .value(row_index)
+ .to_f64(),
+ )
+ .context("failed to downcast Float16 column")?,
+ ),
+ DataType::Float32 => Value::Number(
+ serde_json::Number::from_f64(
+ column.as_primitive::<Float32Type>().value(row_index).into(),
+ )
+ .context("failed to downcast Float32 column")?,
+ ),
+ DataType::Float64 => Value::Number(
+ serde_json::Number::from_f64(column.as_primitive::<Float64Type>().value(row_index))
+ .context("failed to downcast Float64 column")?,
+ ),
+ DataType::Utf8 => Value::String(column.as_string::<i32>().value(row_index).to_string()),
+ DataType::LargeUtf8 => {
+ Value::String(column.as_string::<i64>().value(row_index).to_string())
+ }
+ DataType::Dictionary(key, value) => match (key.as_ref(), value.as_ref()) {
+ (DataType::Int32, DataType::Utf8) => {
+ let dict_array = column.as_dictionary::<Int32Type>();
+ let keys = dict_array.keys();
+ let values = as_string_array(dict_array.values());
+ Value::String(values.value(keys.value(row_index) as usize).to_string())
+ }
+ _ => Value::Null,
+ },
+ DataType::Timestamp(TimeUnit::Nanosecond, None) => Value::String(
+ DateTime::from_timestamp_nanos(
+ column
+ .as_primitive::<TimestampNanosecondType>()
+ .value(row_index),
+ )
+ .to_rfc3339_opts(SecondsFormat::AutoSi, true),
+ ),
+ DataType::Timestamp(TimeUnit::Microsecond, None) => Value::String(
+ DateTime::from_timestamp_micros(
+ column
+ .as_primitive::<TimestampMicrosecondType>()
+ .value(row_index),
+ )
+ .context("failed to downcast TimestampMicrosecondType column")?
+ .to_rfc3339_opts(SecondsFormat::AutoSi, true),
+ ),
+ DataType::Timestamp(TimeUnit::Millisecond, None) => Value::String(
+ DateTime::from_timestamp_millis(
+ column
+ .as_primitive::<TimestampMillisecondType>()
+ .value(row_index),
+ )
+ .context("failed to downcast TimestampNillisecondType column")?
+ .to_rfc3339_opts(SecondsFormat::AutoSi, true),
+ ),
+ DataType::Timestamp(TimeUnit::Second, None) => Value::String(
+ DateTime::from_timestamp(
+ column
+ .as_primitive::<TimestampSecondType>()
+ .value(row_index),
+ 0,
+ )
+ .context("failed to downcast TimestampSecondType column")?
+ .to_rfc3339_opts(SecondsFormat::AutoSi, true),
+ ),
+ t => bail!("Unsupported data type: {:?}", t),
+ };
+ Ok(value)
+}
+
impl Stream for QueryResponseStream {
type Item = Result<QueryResponse, anyhow::Error>;
|
0fffcc8c37bf51c0b72ab67d7d1e2e2129c132be
|
wayne
|
2025-02-03 11:28:47
|
introduce influxdb3_types crate (#25946)
|
Partially fixes https://github.com/influxdata/influxdb/issues/24672
* move most HTTP req/resp types into `influxdb3_types` crate
* removes the use of locally-scoped request type structs from the `influxdb3_client` crate
* fix plugin dependency/package install bug
* it looks like the `DELETE` http method was being used where `POST` was expected for `/api/v3/configure/plugin_environment/install_packages` and `/api/v3/configure/plugin_environment/install_requirements`
| null |
refactor: introduce influxdb3_types crate (#25946)
Partially fixes https://github.com/influxdata/influxdb/issues/24672
* move most HTTP req/resp types into `influxdb3_types` crate
* removes the use of locally-scoped request type structs from the `influxdb3_client` crate
* fix plugin dependency/package install bug
* it looks like the `DELETE` http method was being used where `POST` was expected for `/api/v3/configure/plugin_environment/install_packages` and `/api/v3/configure/plugin_environment/install_requirements`
|
diff --git a/Cargo.lock b/Cargo.lock
index 8050997e83..2262adf918 100644
--- a/Cargo.lock
+++ b/Cargo.lock
@@ -2779,6 +2779,7 @@ dependencies = [
"influxdb3_server",
"influxdb3_sys_events",
"influxdb3_telemetry",
+ "influxdb3_types",
"influxdb3_wal",
"influxdb3_write",
"influxdb_iox_client",
@@ -2917,6 +2918,7 @@ version = "0.1.0"
dependencies = [
"bytes",
"hashbrown 0.15.2",
+ "influxdb3_types",
"iox_query_params",
"mockito",
"reqwest 0.11.27",
@@ -3012,6 +3014,7 @@ dependencies = [
"influxdb3_client",
"influxdb3_internal_api",
"influxdb3_py_api",
+ "influxdb3_types",
"influxdb3_wal",
"influxdb3_write",
"iox_query",
@@ -3088,6 +3091,7 @@ dependencies = [
"influxdb3_processing_engine",
"influxdb3_sys_events",
"influxdb3_telemetry",
+ "influxdb3_types",
"influxdb3_wal",
"influxdb3_write",
"influxdb_influxql_parser",
@@ -3188,6 +3192,18 @@ dependencies = [
"tokio",
]
+[[package]]
+name = "influxdb3_types"
+version = "0.1.0"
+dependencies = [
+ "hashbrown 0.15.2",
+ "hyper 0.14.32",
+ "influxdb3_cache",
+ "iox_http",
+ "serde",
+ "thiserror 1.0.69",
+]
+
[[package]]
name = "influxdb3_wal"
version = "0.1.0"
@@ -3244,13 +3260,13 @@ dependencies = [
"influxdb-line-protocol",
"influxdb3_cache",
"influxdb3_catalog",
- "influxdb3_client",
"influxdb3_id",
"influxdb3_internal_api",
"influxdb3_py_api",
"influxdb3_sys_events",
"influxdb3_telemetry",
"influxdb3_test_helpers",
+ "influxdb3_types",
"influxdb3_wal",
"insta",
"iox_catalog",
diff --git a/Cargo.toml b/Cargo.toml
index deb69e719b..6be2930944 100644
--- a/Cargo.toml
+++ b/Cargo.toml
@@ -14,7 +14,7 @@ members = [
"influxdb3_py_api",
"influxdb3_server",
"influxdb3_telemetry",
- "influxdb3_test_helpers",
+ "influxdb3_test_helpers", "influxdb3_types",
"influxdb3_wal",
"influxdb3_write",
"iox_query_influxql_rewrite",
diff --git a/influxdb3/Cargo.toml b/influxdb3/Cargo.toml
index ea4c5f4ecc..189a318fa6 100644
--- a/influxdb3/Cargo.toml
+++ b/influxdb3/Cargo.toml
@@ -33,6 +33,7 @@ influxdb3_server = { path = "../influxdb3_server" }
influxdb3_wal = { path = "../influxdb3_wal" }
influxdb3_write = { path = "../influxdb3_write" }
influxdb3_telemetry = { path = "../influxdb3_telemetry" }
+influxdb3_types = { path = "../influxdb3_types" }
influxdb3_sys_events = { path = "../influxdb3_sys_events" }
# Crates.io dependencies
diff --git a/influxdb3/src/commands/test.rs b/influxdb3/src/commands/test.rs
index 39f3b9f3e7..c6bf2b2dd3 100644
--- a/influxdb3/src/commands/test.rs
+++ b/influxdb3/src/commands/test.rs
@@ -1,8 +1,8 @@
use crate::commands::common::{InfluxDb3Config, SeparatedKeyValue, SeparatedList};
use anyhow::Context;
use hashbrown::HashMap;
-use influxdb3_client::plugin_development::{SchedulePluginTestRequest, WalPluginTestRequest};
use influxdb3_client::Client;
+use influxdb3_types::http::{SchedulePluginTestRequest, WalPluginTestRequest};
use secrecy::ExposeSecret;
use std::error::Error;
diff --git a/influxdb3/tests/server/client.rs b/influxdb3/tests/server/client.rs
index d04718a773..68060995eb 100644
--- a/influxdb3/tests/server/client.rs
+++ b/influxdb3/tests/server/client.rs
@@ -2,7 +2,8 @@
//!
//! This is useful for verifying that the client can parse API responses from the server
-use influxdb3_client::{Format, LastCacheCreatedResponse, Precision};
+use influxdb3_client::{Format, Precision};
+use influxdb3_types::http::LastCacheCreatedResponse;
use crate::server::TestServer;
diff --git a/influxdb3_client/Cargo.toml b/influxdb3_client/Cargo.toml
index 19d7104f9b..b746af201b 100644
--- a/influxdb3_client/Cargo.toml
+++ b/influxdb3_client/Cargo.toml
@@ -9,6 +9,9 @@ license.workspace = true
# core dependencies
iox_query_params.workspace = true
+# Local deps
+influxdb3_types = { path = "../influxdb3_types" }
+
# crates.io dependencies
bytes.workspace = true
hashbrown.workspace = true
diff --git a/influxdb3_client/src/lib.rs b/influxdb3_client/src/lib.rs
index 97606f078e..10e1e07a09 100644
--- a/influxdb3_client/src/lib.rs
+++ b/influxdb3_client/src/lib.rs
@@ -1,18 +1,15 @@
-pub mod plugin_development;
-
-use crate::plugin_development::{
- SchedulePluginTestRequest, SchedulePluginTestResponse, WalPluginTestRequest,
- WalPluginTestResponse,
-};
use bytes::Bytes;
use hashbrown::HashMap;
use iox_query_params::StatementParam;
use reqwest::{Body, IntoUrl, Method, StatusCode};
use secrecy::{ExposeSecret, Secret};
-use serde::{Deserialize, Serialize};
+use serde::Serialize;
use std::{fmt::Display, num::NonZeroUsize, string::FromUtf8Error, time::Duration};
use url::Url;
+use influxdb3_types::http::*;
+pub use influxdb3_types::write::Precision;
+
/// Primary error type for the [`Client`]
#[derive(Debug, thiserror::Error)]
pub enum Error {
@@ -54,9 +51,6 @@ pub enum Error {
#[source]
source: reqwest::Error,
},
-
- #[error("unrecognized precision unit: {0}")]
- UnrecognizedUnit(String),
}
impl Error {
@@ -241,13 +235,7 @@ impl Client {
name: impl Into<String> + Send,
) -> Result<()> {
let url = self.base_url.join("/api/v3/configure/last_cache")?;
- #[derive(Serialize)]
- struct Req {
- db: String,
- table: String,
- name: String,
- }
- let mut req = self.http_client.delete(url).json(&Req {
+ let mut req = self.http_client.delete(url).json(&LastCacheDeleteRequest {
db: db.into(),
table: table.into(),
name: name.into(),
@@ -306,17 +294,14 @@ impl Client {
name: impl Into<String> + Send,
) -> Result<()> {
let url = self.base_url.join("/api/v3/configure/distinct_cache")?;
- #[derive(Serialize)]
- struct Req {
- db: String,
- table: String,
- name: String,
- }
- let mut req = self.http_client.delete(url).json(&Req {
- db: db.into(),
- table: table.into(),
- name: name.into(),
- });
+ let mut req = self
+ .http_client
+ .delete(url)
+ .json(&DistinctCacheDeleteRequest {
+ db: db.into(),
+ table: table.into(),
+ name: name.into(),
+ });
if let Some(token) = &self.auth_token {
req = req.bearer_auth(token.expose_secret());
}
@@ -348,12 +333,10 @@ impl Client {
let url = self.base_url.join(api_path)?;
- #[derive(Serialize)]
- struct Req {
- db: String,
- }
-
- let mut req = self.http_client.post(url).json(&Req { db: db.into() });
+ let mut req = self
+ .http_client
+ .post(url)
+ .json(&CreateDatabaseRequest { db: db.into() });
if let Some(token) = &self.auth_token {
req = req.bearer_auth(token.expose_secret());
@@ -439,26 +422,13 @@ impl Client {
let url = self.base_url.join(api_path)?;
- #[derive(Serialize)]
- struct Req {
- db: String,
- table: String,
- tags: Vec<String>,
- fields: Vec<Field>,
- }
- #[derive(Serialize)]
- struct Field {
- name: String,
- r#type: String,
- }
-
- let mut req = self.http_client.post(url).json(&Req {
+ let mut req = self.http_client.post(url).json(&CreateTableRequest {
db: db.into(),
table: table.into(),
tags: tags.into_iter().map(Into::into).collect(),
fields: fields
.into_iter()
- .map(|(name, r#type)| Field {
+ .map(|(name, r#type)| CreateTableField {
name: name.into(),
r#type: r#type.into(),
})
@@ -494,20 +464,15 @@ impl Client {
let url = self.base_url.join(api_path)?;
- #[derive(Serialize)]
- struct Req {
- db: String,
- plugin_name: String,
- file_name: String,
- plugin_type: String,
- }
-
- let mut req = self.http_client.post(url).json(&Req {
- db: db.into(),
- plugin_name: plugin_name.into(),
- file_name: file_name.into(),
- plugin_type: plugin_type.into(),
- });
+ let mut req = self
+ .http_client
+ .post(url)
+ .json(&ProcessingEnginePluginCreateRequest {
+ db: db.into(),
+ plugin_name: plugin_name.into(),
+ file_name: file_name.into(),
+ plugin_type: plugin_type.into(),
+ });
if let Some(token) = &self.auth_token {
req = req.bearer_auth(token.expose_secret());
@@ -535,16 +500,13 @@ impl Client {
let url = self.base_url.join(api_path)?;
- #[derive(Serialize)]
- struct Req {
- db: String,
- plugin_name: String,
- }
-
- let mut req = self.http_client.delete(url).json(&Req {
- db: db.into(),
- plugin_name: plugin_name.into(),
- });
+ let mut req = self
+ .http_client
+ .delete(url)
+ .json(&ProcessingEnginePluginDeleteRequest {
+ db: db.into(),
+ plugin_name: plugin_name.into(),
+ });
if let Some(token) = &self.auth_token {
req = req.bearer_auth(token.expose_secret());
@@ -576,23 +538,17 @@ impl Client {
let url = self.base_url.join(api_path)?;
- #[derive(Serialize)]
- struct Req {
- db: String,
- trigger_name: String,
- plugin_filename: String,
- trigger_specification: String,
- trigger_arguments: Option<HashMap<String, String>>,
- disabled: bool,
- }
- let mut req = self.http_client.post(url).json(&Req {
- db: db.into(),
- trigger_name: trigger_name.into(),
- plugin_filename: plugin_filename.into(),
- trigger_specification: trigger_spec.into(),
- trigger_arguments,
- disabled,
- });
+ let mut req = self
+ .http_client
+ .post(url)
+ .json(&ProcessingEngineTriggerCreateRequest {
+ db: db.into(),
+ trigger_name: trigger_name.into(),
+ plugin_filename: plugin_filename.into(),
+ trigger_specification: trigger_spec.into(),
+ trigger_arguments,
+ disabled,
+ });
if let Some(token) = &self.auth_token {
req = req.bearer_auth(token.expose_secret());
@@ -621,18 +577,14 @@ impl Client {
let url = self.base_url.join(api_path)?;
- #[derive(Serialize)]
- struct Req {
- db: String,
- trigger_name: String,
- force: bool,
- }
-
- let mut req = self.http_client.delete(url).json(&Req {
- db: db.into(),
- trigger_name: trigger_name.into(),
- force,
- });
+ let mut req = self
+ .http_client
+ .delete(url)
+ .json(&ProcessingEngineTriggerDeleteRequest {
+ db: db.into(),
+ trigger_name: trigger_name.into(),
+ force,
+ });
if let Some(token) = &self.auth_token {
req = req.bearer_auth(token.expose_secret());
@@ -682,25 +634,24 @@ impl Client {
}
}
- /// Make a request to api/v3/configure/plugin_environment/install_packages
+ /// Make a request to `POST /api/v3/configure/plugin_environment/install_packages`
pub async fn api_v3_configure_plugin_environment_install_packages(
&self,
packages: Vec<String>,
) -> Result<()> {
let api_path = "/api/v3/configure/plugin_environment/install_packages";
let url = self.base_url.join(api_path)?;
- #[derive(Serialize)]
- struct Req {
- packages: Vec<String>,
- }
- let mut req = self.http_client.post(url).json(&Req { packages });
+ let mut req = self
+ .http_client
+ .post(url)
+ .json(&ProcessingEngineInstallPackagesRequest { packages });
if let Some(token) = &self.auth_token {
req = req.bearer_auth(token.expose_secret());
}
let resp = req
.send()
.await
- .map_err(|src| Error::request_send(Method::DELETE, api_path, src))?;
+ .map_err(|src| Error::request_send(Method::POST, api_path, src))?;
let status = resp.status();
match status {
StatusCode::OK => Ok(()),
@@ -711,27 +662,26 @@ impl Client {
}
}
- /// Make a request to api/v3/configure/plugin_environment/install_requirements
+ /// Make a request to `POST /api/v3/configure/plugin_environment/install_requirements`
pub async fn api_v3_configure_processing_engine_trigger_install_requirements(
&self,
requirements_location: impl Into<String> + Send,
) -> Result<()> {
let api_path = "/api/v3/configure/plugin_environment/install_requirements";
let url = self.base_url.join(api_path)?;
- #[derive(Serialize)]
- struct Req {
- requirements_location: String,
- }
- let mut req = self.http_client.post(url).json(&Req {
- requirements_location: requirements_location.into(),
- });
+ let mut req =
+ self.http_client
+ .post(url)
+ .json(&ProcessingEngineInstallRequirementsRequest {
+ requirements_location: requirements_location.into(),
+ });
if let Some(token) = &self.auth_token {
req = req.bearer_auth(token.expose_secret());
}
let resp = req
.send()
.await
- .map_err(|src| Error::request_send(Method::DELETE, api_path, src))?;
+ .map_err(|src| Error::request_send(Method::POST, api_path, src))?;
let status = resp.status();
match status {
StatusCode::OK => Ok(()),
@@ -855,25 +805,6 @@ impl Client {
}
}
-/// The response of the `/ping` API on `influxdb3`
-#[derive(Debug, Serialize, Deserialize)]
-pub struct PingResponse {
- version: String,
- revision: String,
-}
-
-impl PingResponse {
- /// Get the `version` from the response
- pub fn version(&self) -> &str {
- &self.version
- }
-
- /// Get the `revision` from the response
- pub fn revision(&self) -> &str {
- &self.revision
- }
-}
-
/// The URL parameters of the request to the `/api/v3/write_lp` API
// TODO - this should re-use a type defined in the server code, or a separate crate,
// central to both.
@@ -894,33 +825,6 @@ impl<'a, B> From<&'a WriteRequestBuilder<'a, B>> for WriteParams<'a> {
}
}
-/// Time series precision
-// TODO - this should re-use a type defined in the server code, or a separate crate,
-// central to both.
-#[derive(Debug, Copy, Clone, Serialize)]
-#[serde(rename_all = "lowercase")]
-pub enum Precision {
- Second,
- Millisecond,
- Microsecond,
- Nanosecond,
-}
-
-impl std::str::FromStr for Precision {
- type Err = Error;
-
- fn from_str(s: &str) -> Result<Self> {
- let p = match s {
- "s" => Self::Second,
- "ms" => Self::Millisecond,
- "us" => Self::Microsecond,
- "ns" => Self::Nanosecond,
- _ => return Err(Error::UnrecognizedUnit(s.into())),
- };
- Ok(p)
- }
-}
-
/// Builder type for composing a request to `/api/v3/write_lp`
///
/// Produced by [`Client::api_v3_write_lp`]
@@ -1340,33 +1244,6 @@ impl<'c> CreateLastCacheRequestBuilder<'c> {
}
}
-#[derive(Debug, Serialize, Deserialize)]
-pub struct LastCacheCreatedResponse {
- /// The table name the cache is associated with
- pub table: String,
- /// Given name of the cache
- pub name: String,
- /// Columns intended to be used as predicates in the cache
- pub key_columns: Vec<u32>,
- /// Columns that store values in the cache
- pub value_columns: LastCacheValueColumnsDef,
- /// The number of last values to hold in the cache
- pub count: usize,
- /// The time-to-live (TTL) in seconds for entries in the cache
- pub ttl: u64,
-}
-
-/// A last cache will either store values for an explicit set of columns, or will accept all
-/// non-key columns
-#[derive(Debug, Serialize, Deserialize, Eq, PartialEq, Clone)]
-#[serde(rename_all = "snake_case")]
-pub enum LastCacheValueColumnsDef {
- /// Explicit list of column names
- Explicit { columns: Vec<u32> },
- /// Stores all non-key columns
- AllNonKeyColumns,
-}
-
/// Type for composing requests to the `POST /api/v3/configure/distinct_cache` API created by the
/// [`Client::api_v3_configure_distinct_cache_create`] method
#[derive(Debug, Serialize)]
@@ -1451,22 +1328,6 @@ impl<'c> CreateDistinctCacheRequestBuilder<'c> {
}
}
-#[derive(Debug, Serialize, Deserialize)]
-pub struct DistinctCacheCreatedResponse {
- /// The id of the table the cache was created on
- pub table_id: u32,
- /// The name of the table the cache was created on
- pub table_name: String,
- /// The name of the created cache
- pub cache_name: String,
- /// The columns in the cache
- pub column_ids: Vec<u32>,
- /// The maximum number of unique value combinations the cache will hold
- pub max_cardinality: usize,
- /// The maximum age for entries in the cache
- pub max_age_seconds: u64,
-}
-
#[cfg(test)]
mod tests {
use mockito::{Matcher, Server};
diff --git a/influxdb3_client/src/plugin_development.rs b/influxdb3_client/src/plugin_development.rs
deleted file mode 100644
index dcf80f2488..0000000000
--- a/influxdb3_client/src/plugin_development.rs
+++ /dev/null
@@ -1,39 +0,0 @@
-//! Request structs for the /api/v3/plugin_test API
-
-use hashbrown::HashMap;
-use serde::{Deserialize, Serialize};
-
-/// Request definition for `POST /api/v3/plugin_test/wal` API
-#[derive(Debug, Serialize, Deserialize)]
-pub struct WalPluginTestRequest {
- pub filename: String,
- pub database: String,
- pub input_lp: String,
- pub input_arguments: Option<HashMap<String, String>>,
-}
-
-/// Response definition for `POST /api/v3/plugin_test/wal` API
-#[derive(Debug, Serialize, Deserialize)]
-pub struct WalPluginTestResponse {
- pub log_lines: Vec<String>,
- pub database_writes: HashMap<String, Vec<String>>,
- pub errors: Vec<String>,
-}
-
-/// Request definition for `POST /api/v3/plugin_test/schedule` API
-#[derive(Debug, Serialize, Deserialize)]
-pub struct SchedulePluginTestRequest {
- pub filename: String,
- pub database: String,
- pub schedule: Option<String>,
- pub input_arguments: Option<HashMap<String, String>>,
-}
-
-/// Response definition for `POST /api/v3/plugin_test/schedule` API
-#[derive(Debug, Serialize, Deserialize)]
-pub struct SchedulePluginTestResponse {
- pub trigger_time: Option<String>,
- pub log_lines: Vec<String>,
- pub database_writes: HashMap<String, Vec<String>>,
- pub errors: Vec<String>,
-}
diff --git a/influxdb3_processing_engine/Cargo.toml b/influxdb3_processing_engine/Cargo.toml
index b371167df9..17352913c4 100644
--- a/influxdb3_processing_engine/Cargo.toml
+++ b/influxdb3_processing_engine/Cargo.toml
@@ -23,6 +23,7 @@ influxdb3_catalog = { path = "../influxdb3_catalog" }
influxdb3_client = { path = "../influxdb3_client" }
influxdb3_internal_api = { path = "../influxdb3_internal_api" }
influxdb3_py_api = { path = "../influxdb3_py_api" }
+influxdb3_types = { path = "../influxdb3_types" }
influxdb3_wal = { path = "../influxdb3_wal" }
influxdb3_write = { path = "../influxdb3_write" }
observability_deps.workspace = true
diff --git a/influxdb3_processing_engine/src/lib.rs b/influxdb3_processing_engine/src/lib.rs
index bf2663f46a..4027d6dc52 100644
--- a/influxdb3_processing_engine/src/lib.rs
+++ b/influxdb3_processing_engine/src/lib.rs
@@ -9,11 +9,11 @@ use hashbrown::HashMap;
use hyper::{Body, Response};
use influxdb3_catalog::catalog::Catalog;
use influxdb3_catalog::catalog::Error::ProcessingEngineTriggerNotFound;
-use influxdb3_client::plugin_development::{
+use influxdb3_internal_api::query_executor::QueryExecutor;
+use influxdb3_types::http::{
SchedulePluginTestRequest, SchedulePluginTestResponse, WalPluginTestRequest,
WalPluginTestResponse,
};
-use influxdb3_internal_api::query_executor::QueryExecutor;
#[cfg(feature = "system-py")]
use influxdb3_wal::PluginType;
use influxdb3_wal::{
diff --git a/influxdb3_processing_engine/src/manager.rs b/influxdb3_processing_engine/src/manager.rs
index 113887acdd..8397cccd00 100644
--- a/influxdb3_processing_engine/src/manager.rs
+++ b/influxdb3_processing_engine/src/manager.rs
@@ -2,11 +2,11 @@ use crate::environment::{PluginEnvironmentError, PythonEnvironmentManager};
use bytes::Bytes;
use hashbrown::HashMap;
use hyper::{Body, Response};
-use influxdb3_client::plugin_development::{
+use influxdb3_internal_api::query_executor::QueryExecutor;
+use influxdb3_types::http::{
SchedulePluginTestRequest, SchedulePluginTestResponse, WalPluginTestRequest,
WalPluginTestResponse,
};
-use influxdb3_internal_api::query_executor::QueryExecutor;
use influxdb3_wal::TriggerSpecificationDefinition;
use influxdb3_write::WriteBuffer;
use std::fmt::Debug;
diff --git a/influxdb3_processing_engine/src/plugins.rs b/influxdb3_processing_engine/src/plugins.rs
index c5ecef2c7d..b2aa643092 100644
--- a/influxdb3_processing_engine/src/plugins.rs
+++ b/influxdb3_processing_engine/src/plugins.rs
@@ -7,9 +7,9 @@ use data_types::NamespaceName;
use hashbrown::HashMap;
use influxdb3_catalog::catalog::Catalog;
#[cfg(feature = "system-py")]
-use influxdb3_client::plugin_development::{WalPluginTestRequest, WalPluginTestResponse};
-#[cfg(feature = "system-py")]
use influxdb3_internal_api::query_executor::QueryExecutor;
+#[cfg(feature = "system-py")]
+use influxdb3_types::http::{WalPluginTestRequest, WalPluginTestResponse};
use influxdb3_wal::Gen1Duration;
#[cfg(feature = "system-py")]
use influxdb3_wal::TriggerDefinition;
@@ -742,8 +742,8 @@ pub(crate) fn run_test_schedule_plugin(
catalog: Arc<Catalog>,
query_executor: Arc<dyn QueryExecutor>,
code: String,
- request: influxdb3_client::plugin_development::SchedulePluginTestRequest,
-) -> Result<influxdb3_client::plugin_development::SchedulePluginTestResponse, PluginError> {
+ request: influxdb3_types::http::SchedulePluginTestRequest,
+) -> Result<influxdb3_types::http::SchedulePluginTestResponse, PluginError> {
let database = request.database;
let db = catalog.db_schema(&database).ok_or(PluginError::MissingDb)?;
@@ -775,14 +775,12 @@ pub(crate) fn run_test_schedule_plugin(
let errors = test_write_handler.validate_all_writes(&database_writes);
let trigger_time = schedule_time.to_rfc3339_opts(chrono::SecondsFormat::AutoSi, true);
- Ok(
- influxdb3_client::plugin_development::SchedulePluginTestResponse {
- trigger_time: Some(trigger_time),
- log_lines,
- database_writes,
- errors,
- },
- )
+ Ok(influxdb3_types::http::SchedulePluginTestResponse {
+ trigger_time: Some(trigger_time),
+ log_lines,
+ database_writes,
+ errors,
+ })
}
#[cfg(feature = "system-py")]
diff --git a/influxdb3_server/Cargo.toml b/influxdb3_server/Cargo.toml
index f420853a1c..a21305c1ba 100644
--- a/influxdb3_server/Cargo.toml
+++ b/influxdb3_server/Cargo.toml
@@ -38,6 +38,7 @@ influxdb3_id = { path = "../influxdb3_id" }
influxdb3_internal_api = { path = "../influxdb3_internal_api" }
influxdb3_process = { path = "../influxdb3_process", default-features = false }
influxdb3_processing_engine = { path = "../influxdb3_processing_engine" }
+influxdb3_types = { path = "../influxdb3_types"}
influxdb3_wal = { path = "../influxdb3_wal"}
influxdb3_write = { path = "../influxdb3_write" }
iox_query_influxql_rewrite = { path = "../iox_query_influxql_rewrite" }
diff --git a/influxdb3_server/src/http.rs b/influxdb3_server/src/http.rs
index e4f3ceeaa7..0cad2a240e 100644
--- a/influxdb3_server/src/http.rs
+++ b/influxdb3_server/src/http.rs
@@ -13,20 +13,19 @@ use datafusion::execution::RecordBatchStream;
use datafusion::physical_plan::SendableRecordBatchStream;
use futures::FutureExt;
use futures::{StreamExt, TryStreamExt};
-use hashbrown::HashMap;
-use hyper::header::ACCEPT;
use hyper::header::AUTHORIZATION;
use hyper::header::CONTENT_ENCODING;
use hyper::header::CONTENT_TYPE;
use hyper::http::HeaderValue;
use hyper::HeaderMap;
use hyper::{Body, Method, Request, Response, StatusCode};
-use influxdb3_cache::distinct_cache::{self, CreateDistinctCacheArgs, MaxAge, MaxCardinality};
+use influxdb3_cache::distinct_cache::{self, CreateDistinctCacheArgs, MaxAge};
use influxdb3_cache::last_cache;
use influxdb3_catalog::catalog::Error as CatalogError;
use influxdb3_internal_api::query_executor::{QueryExecutor, QueryExecutorError};
use influxdb3_process::{INFLUXDB3_GIT_HASH_SHORT, INFLUXDB3_VERSION};
use influxdb3_processing_engine::manager::{ProcessingEngineError, ProcessingEngineManager};
+use influxdb3_types::http::*;
use influxdb3_wal::TriggerSpecificationDefinition;
use influxdb3_write::persister::TrackedMemoryArrowWriter;
use influxdb3_write::write_buffer::Error as WriteBufferError;
@@ -226,6 +225,9 @@ pub enum Error {
#[error("Processing engine error: {0}")]
ProcessingEngine(#[from] influxdb3_processing_engine::manager::ProcessingEngineError),
+
+ #[error(transparent)]
+ Influxdb3TypesHttp(#[from] influxdb3_types::http::Error),
}
#[derive(Debug, Error)]
@@ -598,15 +600,9 @@ where
}
fn ping(&self) -> Result<Response<Body>> {
- #[derive(Debug, Serialize)]
- struct PingResponse<'a> {
- version: &'a str,
- revision: &'a str,
- }
-
let body = serde_json::to_string(&PingResponse {
- version: &INFLUXDB3_VERSION,
- revision: INFLUXDB3_GIT_HASH_SHORT,
+ version: INFLUXDB3_VERSION.to_string(),
+ revision: INFLUXDB3_GIT_HASH_SHORT.to_string(),
})?;
Ok(Response::new(Body::from(body)))
@@ -1004,7 +1000,7 @@ where
&self,
req: Request<Body>,
) -> Result<Response<Body>> {
- let ProcessEngineTriggerCreateRequest {
+ let ProcessingEngineTriggerCreateRequest {
db,
plugin_filename,
trigger_name,
@@ -1052,7 +1048,7 @@ where
}
async fn delete_processing_engine_trigger(&self, req: Request<Body>) -> Result<Response<Body>> {
- let ProcessEngineTriggerDeleteRequest {
+ let ProcessingEngineTriggerDeleteRequest {
db,
trigger_name,
force,
@@ -1172,8 +1168,7 @@ where
&self,
req: Request<Body>,
) -> Result<Response<Body>> {
- let request: influxdb3_client::plugin_development::WalPluginTestRequest =
- self.read_body_json(req).await?;
+ let request: influxdb3_types::http::WalPluginTestRequest = self.read_body_json(req).await?;
let output = self
.processing_engine
@@ -1200,7 +1195,7 @@ where
&self,
req: Request<Body>,
) -> Result<Response<Body>> {
- let request: influxdb3_client::plugin_development::SchedulePluginTestRequest =
+ let request: influxdb3_types::http::SchedulePluginTestRequest =
self.read_body_json(req).await?;
let output = self
@@ -1220,6 +1215,8 @@ where
trigger_path: &str,
req: Request<Body>,
) -> Result<Response<Body>> {
+ use hashbrown::HashMap;
+
// pull out the query params into a hashmap
let uri = req.uri();
let query_str = uri.query().unwrap_or("");
@@ -1487,62 +1484,6 @@ pub enum ValidateDbNameError {
Empty,
}
-#[derive(Debug, Deserialize)]
-pub(crate) struct QueryRequest<D, F, P> {
- #[serde(rename = "db")]
- pub(crate) database: D,
- #[serde(rename = "q")]
- pub(crate) query_str: String,
- pub(crate) format: F,
- pub(crate) params: Option<P>,
-}
-
-#[derive(Debug, Deserialize)]
-#[serde(rename_all = "snake_case")]
-pub(crate) enum QueryFormat {
- Parquet,
- Csv,
- Pretty,
- Json,
- #[serde(alias = "jsonl")]
- JsonLines,
-}
-
-impl QueryFormat {
- fn as_content_type(&self) -> &str {
- match self {
- Self::Parquet => "application/vnd.apache.parquet",
- Self::Csv => "text/csv",
- Self::Pretty => "text/plain; charset=utf-8",
- Self::Json => "application/json",
- Self::JsonLines => "application/jsonl",
- }
- }
-
- fn try_from_headers(headers: &HeaderMap) -> Result<Self> {
- match headers.get(ACCEPT).map(HeaderValue::as_bytes) {
- // Accept Headers use the MIME types maintained by IANA here:
- // https://www.iana.org/assignments/media-types/media-types.xhtml
- // Note parquet hasn't been accepted yet just Arrow, but there
- // is the possibility it will be:
- // https://issues.apache.org/jira/browse/PARQUET-1889
- Some(b"application/vnd.apache.parquet") => Ok(Self::Parquet),
- Some(b"text/csv") => Ok(Self::Csv),
- Some(b"text/plain") => Ok(Self::Pretty),
- Some(b"application/json" | b"*/*") | None => Ok(Self::Json),
- Some(mime_type) => match String::from_utf8(mime_type.to_vec()) {
- Ok(s) => {
- if s.contains("text/html") || s.contains("*/*") {
- return Ok(Self::Json);
- }
- Err(Error::InvalidMimeType(s))
- }
- Err(e) => Err(Error::NonUtf8MimeType(e)),
- },
- }
- }
-}
-
async fn record_batch_stream_to_body(
mut stream: Pin<Box<dyn RecordBatchStream + Send>>,
format: QueryFormat,
@@ -1767,127 +1708,6 @@ impl From<iox_http::write::WriteParams> for WriteParams {
}
}
-/// Request definition for the `POST /api/v3/configure/distinct_cache` API
-#[derive(Debug, Deserialize)]
-struct DistinctCacheCreateRequest {
- /// The name of the database associated with the cache
- db: String,
- /// The name of the table associated with the cache
- table: String,
- /// The name of the cache. If not provided, the cache name will be generated from the table
- /// name and selected column names.
- name: Option<String>,
- /// The columns to create the cache on.
- // TODO: this should eventually be made optional, so that if not provided, the columns used will
- // correspond to the series key columns for the table, i.e., the tags. See:
- // https://github.com/influxdata/influxdb/issues/25585
- columns: Vec<String>,
- /// The maximumn number of distinct value combinations to hold in the cache
- max_cardinality: Option<MaxCardinality>,
- /// The duration in seconds that entries will be kept in the cache before being evicted
- max_age: Option<u64>,
-}
-
-/// Request definition for the `DELETE /api/v3/configure/distinct_cache` API
-#[derive(Debug, Deserialize)]
-struct DistinctCacheDeleteRequest {
- db: String,
- table: String,
- name: String,
-}
-
-/// Request definition for the `POST /api/v3/configure/last_cache` API
-#[derive(Debug, Deserialize)]
-struct LastCacheCreateRequest {
- db: String,
- table: String,
- name: Option<String>,
- key_columns: Option<Vec<String>>,
- value_columns: Option<Vec<String>>,
- count: Option<usize>,
- ttl: Option<u64>,
-}
-
-/// Request definition for the `DELETE /api/v3/configure/last_cache` API
-#[derive(Debug, Deserialize)]
-struct LastCacheDeleteRequest {
- db: String,
- table: String,
- name: String,
-}
-
-/// Request definition for `POST /api/v3/configure/processing_engine_trigger` API
-#[derive(Debug, Deserialize)]
-struct ProcessEngineTriggerCreateRequest {
- db: String,
- plugin_filename: String,
- trigger_name: String,
- trigger_specification: String,
- trigger_arguments: Option<HashMap<String, String>>,
- disabled: bool,
-}
-
-#[derive(Debug, Deserialize)]
-struct ProcessEngineTriggerDeleteRequest {
- db: String,
- trigger_name: String,
- #[serde(default)]
- force: bool,
-}
-
-#[derive(Debug, Deserialize)]
-struct ProcessingEngineInstallPackagesRequest {
- packages: Vec<String>,
-}
-
-#[derive(Debug, Deserialize)]
-struct ProcessingEngineInstallRequirementsRequest {
- requirements_location: String,
-}
-
-#[derive(Debug, Deserialize)]
-struct ProcessingEngineTriggerIdentifier {
- db: String,
- trigger_name: String,
-}
-
-#[derive(Debug, Deserialize)]
-struct ShowDatabasesRequest {
- format: QueryFormat,
- #[serde(default)]
- show_deleted: bool,
-}
-
-#[derive(Debug, Deserialize)]
-struct CreateDatabaseRequest {
- db: String,
-}
-
-#[derive(Debug, Deserialize)]
-struct DeleteDatabaseRequest {
- db: String,
-}
-
-#[derive(Debug, Deserialize)]
-struct CreateTableRequest {
- db: String,
- table: String,
- tags: Vec<String>,
- fields: Vec<CreateTableField>,
-}
-
-#[derive(Debug, Deserialize)]
-struct CreateTableField {
- name: String,
- r#type: String,
-}
-
-#[derive(Debug, Deserialize)]
-struct DeleteTableRequest {
- db: String,
- table: String,
-}
-
pub(crate) async fn route_request<T: TimeProvider>(
http_server: Arc<HttpApi<T>>,
mut req: Request<Body>,
@@ -2049,7 +1869,7 @@ fn legacy_write_error_to_response(e: WriteParseError) -> Response<Body> {
mod tests {
use http::{header::ACCEPT, HeaderMap, HeaderValue};
- use crate::http::QueryFormat;
+ use super::QueryFormat;
use super::validate_db_name;
use super::ValidateDbNameError;
diff --git a/influxdb3_types/Cargo.toml b/influxdb3_types/Cargo.toml
new file mode 100644
index 0000000000..d99faef27d
--- /dev/null
+++ b/influxdb3_types/Cargo.toml
@@ -0,0 +1,22 @@
+[package]
+name = "influxdb3_types"
+version.workspace = true
+authors.workspace = true
+edition.workspace = true
+license.workspace = true
+
+[dependencies]
+# Core Crates
+iox_http.workspace = true
+
+# Local deps
+influxdb3_cache = { path = "../influxdb3_cache" }
+
+# crates.io dependencies
+serde.workspace = true
+hashbrown.workspace = true
+hyper.workspace = true
+thiserror.workspace = true
+
+[lints]
+workspace = true
diff --git a/influxdb3_types/src/http.rs b/influxdb3_types/src/http.rs
new file mode 100644
index 0000000000..8703031700
--- /dev/null
+++ b/influxdb3_types/src/http.rs
@@ -0,0 +1,315 @@
+use hashbrown::HashMap;
+
+use hyper::header::ACCEPT;
+use hyper::http::HeaderValue;
+use hyper::HeaderMap;
+use influxdb3_cache::distinct_cache::MaxCardinality;
+use serde::{Deserialize, Serialize};
+
+#[derive(Debug, thiserror::Error)]
+pub enum Error {
+ #[error("invalid mime type ({0})")]
+ InvalidMimeType(String),
+
+ #[error("the mime type specified was not valid UTF8: {0}")]
+ NonUtf8MimeType(#[from] std::string::FromUtf8Error),
+}
+
+#[derive(Clone, Debug, Serialize, Deserialize)]
+pub struct PingResponse {
+ pub version: String,
+ pub revision: String,
+}
+
+impl PingResponse {
+ /// Get the `version` from the response
+ pub fn version(&self) -> &str {
+ &self.version
+ }
+
+ /// Get the `revision` from the response
+ pub fn revision(&self) -> &str {
+ &self.revision
+ }
+}
+
+/// A last cache will either store values for an explicit set of columns, or will accept all
+/// non-key columns
+#[derive(Debug, Serialize, Deserialize, Eq, PartialEq, Clone)]
+#[serde(rename_all = "snake_case")]
+pub enum LastCacheValueColumnsDef {
+ /// Explicit list of column names
+ Explicit { columns: Vec<u32> },
+ /// Stores all non-key columns
+ AllNonKeyColumns,
+}
+
+#[derive(Debug, Serialize, Deserialize)]
+pub struct LastCacheCreatedResponse {
+ /// The table name the cache is associated with
+ pub table: String,
+ /// Given name of the cache
+ pub name: String,
+ /// Columns intended to be used as predicates in the cache
+ pub key_columns: Vec<u32>,
+ /// Columns that store values in the cache
+ pub value_columns: LastCacheValueColumnsDef,
+ /// The number of last values to hold in the cache
+ pub count: usize,
+ /// The time-to-live (TTL) in seconds for entries in the cache
+ pub ttl: u64,
+}
+
+/// Request definition for the `POST /api/v3/configure/distinct_cache` API
+#[derive(Debug, Deserialize)]
+pub struct DistinctCacheCreateRequest {
+ /// The name of the database associated with the cache
+ pub db: String,
+ /// The name of the table associated with the cache
+ pub table: String,
+ /// The name of the cache. If not provided, the cache name will be generated from the table
+ /// name and selected column names.
+ pub name: Option<String>,
+ /// The columns to create the cache on.
+ // TODO: this should eventually be made optional, so that if not provided, the columns used will
+ // correspond to the series key columns for the table, i.e., the tags. See:
+ // https://github.com/influxdata/influxdb/issues/25585
+ pub columns: Vec<String>,
+ /// The maximumn number of distinct value combinations to hold in the cache
+ pub max_cardinality: Option<MaxCardinality>,
+ /// The duration in seconds that entries will be kept in the cache before being evicted
+ pub max_age: Option<u64>,
+}
+
+/// Resposne definition for the `POST /api/v3/configure/distinct_cache` API
+#[derive(Debug, Serialize, Deserialize)]
+pub struct DistinctCacheCreatedResponse {
+ /// The id of the table the cache was created on
+ pub table_id: u32,
+ /// The name of the table the cache was created on
+ pub table_name: String,
+ /// The name of the created cache
+ pub cache_name: String,
+ /// The columns in the cache
+ pub column_ids: Vec<u32>,
+ /// The maximum number of unique value combinations the cache will hold
+ pub max_cardinality: usize,
+ /// The maximum age for entries in the cache
+ pub max_age_seconds: u64,
+}
+
+/// Request definition for the `DELETE /api/v3/configure/distinct_cache` API
+#[derive(Debug, Deserialize, Serialize)]
+pub struct DistinctCacheDeleteRequest {
+ pub db: String,
+ pub table: String,
+ pub name: String,
+}
+
+/// Request definition for the `POST /api/v3/configure/last_cache` API
+#[derive(Debug, Deserialize)]
+pub struct LastCacheCreateRequest {
+ pub db: String,
+ pub table: String,
+ pub name: Option<String>,
+ pub key_columns: Option<Vec<String>>,
+ pub value_columns: Option<Vec<String>>,
+ pub count: Option<usize>,
+ pub ttl: Option<u64>,
+}
+
+/// Request definition for the `DELETE /api/v3/configure/last_cache` API
+#[derive(Debug, Deserialize, Serialize)]
+pub struct LastCacheDeleteRequest {
+ pub db: String,
+ pub table: String,
+ pub name: String,
+}
+
+/// Request definition for the `POST /api/v3/configure/processing_engine_plugin` API
+#[derive(Debug, Deserialize, Serialize)]
+pub struct ProcessingEnginePluginCreateRequest {
+ pub db: String,
+ pub plugin_name: String,
+ pub file_name: String,
+ pub plugin_type: String,
+}
+
+/// Request definition for the `DELETE /api/v3/configure/processing_engine_plugin` API
+#[derive(Debug, Deserialize, Serialize)]
+pub struct ProcessingEnginePluginDeleteRequest {
+ pub db: String,
+ pub plugin_name: String,
+}
+
+/// Request definition for the `POST /api/v3/configure/processing_engine_trigger` API
+#[derive(Debug, Deserialize, Serialize)]
+pub struct ProcessingEngineTriggerCreateRequest {
+ pub db: String,
+ pub plugin_filename: String,
+ pub trigger_name: String,
+ pub trigger_specification: String,
+ pub trigger_arguments: Option<HashMap<String, String>>,
+ pub disabled: bool,
+}
+
+/// Request definition for the `DELETE /api/v3/configure/processing_engine_trigger` API
+#[derive(Debug, Deserialize, Serialize)]
+pub struct ProcessingEngineTriggerDeleteRequest {
+ pub db: String,
+ pub trigger_name: String,
+ #[serde(default)]
+ pub force: bool,
+}
+
+/// Request definition for the `POST /api/v3/configure/plugin_environment/install_packages` API
+#[derive(Debug, Deserialize, Serialize)]
+pub struct ProcessingEngineInstallPackagesRequest {
+ pub packages: Vec<String>,
+}
+
+/// Request definition for the `POST /api/v3/configure/plugin_environment/install_requirements` API
+#[derive(Debug, Deserialize, Serialize)]
+pub struct ProcessingEngineInstallRequirementsRequest {
+ pub requirements_location: String,
+}
+
+#[derive(Debug, Deserialize)]
+pub struct ProcessingEngineTriggerIdentifier {
+ pub db: String,
+ pub trigger_name: String,
+}
+
+/// Request definition for the `POST /api/v3/plugin_test/wal` API
+#[derive(Debug, Serialize, Deserialize)]
+pub struct WalPluginTestRequest {
+ pub filename: String,
+ pub database: String,
+ pub input_lp: String,
+ pub input_arguments: Option<HashMap<String, String>>,
+}
+
+/// Response definition for the `POST /api/v3/plugin_test/wal` API
+#[derive(Debug, Serialize, Deserialize)]
+pub struct WalPluginTestResponse {
+ pub log_lines: Vec<String>,
+ pub database_writes: HashMap<String, Vec<String>>,
+ pub errors: Vec<String>,
+}
+
+/// Request definition for the `POST /api/v3/plugin_test/schedule` API
+#[derive(Debug, Serialize, Deserialize)]
+pub struct SchedulePluginTestRequest {
+ pub filename: String,
+ pub database: String,
+ pub schedule: Option<String>,
+ pub input_arguments: Option<HashMap<String, String>>,
+}
+
+/// Response definition for the `POST /api/v3/plugin_test/schedule` API
+#[derive(Debug, Serialize, Deserialize)]
+pub struct SchedulePluginTestResponse {
+ pub trigger_time: Option<String>,
+ pub log_lines: Vec<String>,
+ pub database_writes: HashMap<String, Vec<String>>,
+ pub errors: Vec<String>,
+}
+
+/// Request definition for the `GET /api/v3/configure/database` API
+#[derive(Clone, Copy, Debug, Deserialize)]
+pub struct ShowDatabasesRequest {
+ pub format: QueryFormat,
+ #[serde(default)]
+ pub show_deleted: bool,
+}
+
+/// Request definition for the `POST /api/v3/configure/database` API
+#[derive(Debug, Deserialize, Serialize)]
+pub struct CreateDatabaseRequest {
+ pub db: String,
+}
+
+/// Request definition for the `DELETE /api/v3/configure/database` API
+#[derive(Debug, Deserialize)]
+pub struct DeleteDatabaseRequest {
+ pub db: String,
+}
+
+/// Request definition for the `POST /api/v3/configure/table` API
+#[derive(Debug, Deserialize, Serialize)]
+pub struct CreateTableRequest {
+ pub db: String,
+ pub table: String,
+ pub tags: Vec<String>,
+ pub fields: Vec<CreateTableField>,
+}
+
+#[derive(Debug, Deserialize, Serialize)]
+pub struct CreateTableField {
+ pub name: String,
+ pub r#type: String,
+}
+
+/// Request definition for the `DELETE /api/v3/configure/table` API
+#[derive(Debug, Deserialize)]
+pub struct DeleteTableRequest {
+ pub db: String,
+ pub table: String,
+}
+
+/// Request definition for the `POST /api/v3/query_sql` and `POST /api/v3/query_influxql` APIs
+#[derive(Debug, Deserialize)]
+pub struct QueryRequest<D, F, P> {
+ #[serde(rename = "db")]
+ pub database: D,
+ #[serde(rename = "q")]
+ pub query_str: String,
+ pub format: F,
+ pub params: Option<P>,
+}
+
+#[derive(Copy, Clone, Debug, Deserialize)]
+#[serde(rename_all = "snake_case")]
+pub enum QueryFormat {
+ Parquet,
+ Csv,
+ Pretty,
+ Json,
+ #[serde(alias = "jsonl")]
+ JsonLines,
+}
+
+impl QueryFormat {
+ pub fn as_content_type(&self) -> &str {
+ match self {
+ Self::Parquet => "application/vnd.apache.parquet",
+ Self::Csv => "text/csv",
+ Self::Pretty => "text/plain; charset=utf-8",
+ Self::Json => "application/json",
+ Self::JsonLines => "application/jsonl",
+ }
+ }
+
+ pub fn try_from_headers(headers: &HeaderMap) -> std::result::Result<Self, Error> {
+ match headers.get(ACCEPT).map(HeaderValue::as_bytes) {
+ // Accept Headers use the MIME types maintained by IANA here:
+ // https://www.iana.org/assignments/media-types/media-types.xhtml
+ // Note parquet hasn't been accepted yet just Arrow, but there
+ // is the possibility it will be:
+ // https://issues.apache.org/jira/browse/PARQUET-1889
+ Some(b"application/vnd.apache.parquet") => Ok(Self::Parquet),
+ Some(b"text/csv") => Ok(Self::Csv),
+ Some(b"text/plain") => Ok(Self::Pretty),
+ Some(b"application/json" | b"*/*") | None => Ok(Self::Json),
+ Some(mime_type) => match String::from_utf8(mime_type.to_vec()) {
+ Ok(s) => {
+ if s.contains("text/html") || s.contains("*/*") {
+ return Ok(Self::Json);
+ }
+ Err(Error::InvalidMimeType(s))
+ }
+ Err(e) => Err(Error::NonUtf8MimeType(e)),
+ },
+ }
+ }
+}
diff --git a/influxdb3_types/src/lib.rs b/influxdb3_types/src/lib.rs
new file mode 100644
index 0000000000..8ce9140052
--- /dev/null
+++ b/influxdb3_types/src/lib.rs
@@ -0,0 +1,2 @@
+pub mod http;
+pub mod write;
diff --git a/influxdb3_types/src/write.rs b/influxdb3_types/src/write.rs
new file mode 100644
index 0000000000..57ad3f3b47
--- /dev/null
+++ b/influxdb3_types/src/write.rs
@@ -0,0 +1,44 @@
+use serde::{Deserialize, Serialize};
+
+/// The precision of the timestamp
+#[derive(Clone, Copy, Debug, Serialize, Deserialize, PartialEq, Eq)]
+#[serde(rename_all = "lowercase")]
+pub enum Precision {
+ Auto,
+ Second,
+ Millisecond,
+ Microsecond,
+ Nanosecond,
+}
+
+impl Default for Precision {
+ fn default() -> Self {
+ Self::Auto
+ }
+}
+
+impl From<iox_http::write::Precision> for Precision {
+ fn from(legacy: iox_http::write::Precision) -> Self {
+ match legacy {
+ iox_http::write::Precision::Second => Precision::Second,
+ iox_http::write::Precision::Millisecond => Precision::Millisecond,
+ iox_http::write::Precision::Microsecond => Precision::Microsecond,
+ iox_http::write::Precision::Nanosecond => Precision::Nanosecond,
+ }
+ }
+}
+
+impl std::str::FromStr for Precision {
+ type Err = String;
+
+ fn from_str(s: &str) -> std::result::Result<Self, Self::Err> {
+ let p = match s {
+ "s" => Self::Second,
+ "ms" => Self::Millisecond,
+ "us" => Self::Microsecond,
+ "ns" => Self::Nanosecond,
+ _ => return Err(format!("unrecognized precision unit: {s}")),
+ };
+ Ok(p)
+ }
+}
diff --git a/influxdb3_write/Cargo.toml b/influxdb3_write/Cargo.toml
index 58841a800a..88f77f9491 100644
--- a/influxdb3_write/Cargo.toml
+++ b/influxdb3_write/Cargo.toml
@@ -26,12 +26,12 @@ schema.workspace = true
# Local deps
influxdb3_cache = { path = "../influxdb3_cache" }
influxdb3_catalog = { path = "../influxdb3_catalog" }
-influxdb3_client = { path = "../influxdb3_client" }
influxdb3_id = { path = "../influxdb3_id" }
influxdb3_internal_api = { path = "../influxdb3_internal_api" }
influxdb3_test_helpers = { path = "../influxdb3_test_helpers" }
influxdb3_wal = { path = "../influxdb3_wal" }
influxdb3_telemetry = { path = "../influxdb3_telemetry" }
+influxdb3_types = { path = "../influxdb3_types" }
influxdb3_sys_events = { path = "../influxdb3_sys_events" }
influxdb3_py_api = {path = "../influxdb3_py_api"}
diff --git a/influxdb3_write/src/lib.rs b/influxdb3_write/src/lib.rs
index 288ed0b622..55b847b9f4 100644
--- a/influxdb3_write/src/lib.rs
+++ b/influxdb3_write/src/lib.rs
@@ -28,6 +28,7 @@ use influxdb3_cache::{
};
use influxdb3_catalog::catalog::{Catalog, CatalogSequenceNumber, DatabaseSchema, TableDefinition};
use influxdb3_id::{ColumnId, DbId, ParquetFileId, SerdeVecMap, TableId};
+pub use influxdb3_types::write::Precision;
use influxdb3_wal::{
DistinctCacheDefinition, LastCacheDefinition, SnapshotSequenceNumber, Wal,
WalFileSequenceNumber,
@@ -360,34 +361,6 @@ impl ParquetFile {
}
}
-/// The precision of the timestamp
-#[derive(Clone, Copy, Debug, Serialize, Deserialize, PartialEq, Eq)]
-#[serde(rename_all = "lowercase")]
-pub enum Precision {
- Auto,
- Second,
- Millisecond,
- Microsecond,
- Nanosecond,
-}
-
-impl Default for Precision {
- fn default() -> Self {
- Self::Auto
- }
-}
-
-impl From<iox_http::write::Precision> for Precision {
- fn from(legacy: iox_http::write::Precision) -> Self {
- match legacy {
- iox_http::write::Precision::Second => Precision::Second,
- iox_http::write::Precision::Millisecond => Precision::Millisecond,
- iox_http::write::Precision::Microsecond => Precision::Microsecond,
- iox_http::write::Precision::Nanosecond => Precision::Nanosecond,
- }
- }
-}
-
/// Guess precision based off of a given timestamp.
// Note that this will fail in June 2128, but that's not our problem
pub(crate) fn guess_precision(timestamp: i64) -> Precision {
|
6d6fd8f66392e9b527611f6a9d9c551572ee3b3a
|
Andrew Lamb
|
2023-03-15 22:52:59
|
implement basic `CommandGetCatalogs` support (#7212)
|
* refactor: reduce redundancy in test
* chore: implement basic get_catalog support
* fix: clippy
| null |
feat(flightsql): implement basic `CommandGetCatalogs` support (#7212)
* refactor: reduce redundancy in test
* chore: implement basic get_catalog support
* fix: clippy
|
diff --git a/flightsql/src/cmd.rs b/flightsql/src/cmd.rs
index 2344cba42b..6b2ccc7af2 100644
--- a/flightsql/src/cmd.rs
+++ b/flightsql/src/cmd.rs
@@ -4,7 +4,7 @@ use std::fmt::Display;
use arrow_flight::sql::{
ActionClosePreparedStatementRequest, ActionCreatePreparedStatementRequest, Any,
- CommandPreparedStatementQuery, CommandStatementQuery,
+ CommandGetCatalogs, CommandPreparedStatementQuery, CommandStatementQuery,
};
use bytes::Bytes;
use prost::Message;
@@ -14,7 +14,7 @@ use crate::error::*;
/// Represents a prepared statement "handle". IOx passes all state
/// required to run the prepared statement back and forth to the
-/// client so any querier instance can run it
+/// client, so any querier instance can run it
#[derive(Debug, Clone, PartialEq)]
pub struct PreparedStatementHandle {
/// The raw SQL query text
@@ -57,12 +57,17 @@ impl From<PreparedStatementHandle> for Bytes {
}
}
-/// Decoded / validated FlightSQL command messages
+/// Decoded / validated FlightSQL command messages
+///
+/// Handles encoding/decoding prost::Any messages back
+/// and forth to native Rust types
#[derive(Debug, Clone, PartialEq)]
pub enum FlightSQLCommand {
CommandStatementQuery(String),
/// Run a prepared statement
CommandPreparedStatementQuery(PreparedStatementHandle),
+ /// Get a list of the available catalogs
+ CommandGetCatalogs(),
/// Create a prepared statement
ActionCreatePreparedStatementRequest(String),
/// Close a prepared statement
@@ -74,6 +79,7 @@ impl Display for FlightSQLCommand {
match self {
Self::CommandStatementQuery(q) => write!(f, "CommandStatementQuery{q}"),
Self::CommandPreparedStatementQuery(h) => write!(f, "CommandPreparedStatementQuery{h}"),
+ Self::CommandGetCatalogs() => write!(f, "CommandGetCatalogs"),
Self::ActionCreatePreparedStatementRequest(q) => {
write!(f, "ActionCreatePreparedStatementRequest{q}")
}
@@ -100,6 +106,10 @@ impl FlightSQLCommand {
let handle = PreparedStatementHandle::try_decode(prepared_statement_handle)?;
Ok(Self::CommandPreparedStatementQuery(handle))
+ } else if let Some(decoded_cmd) = Any::unpack::<CommandGetCatalogs>(&msg)? {
+ let CommandGetCatalogs {} = decoded_cmd;
+
+ Ok(Self::CommandGetCatalogs())
} else if let Some(decoded_cmd) = Any::unpack::<ActionCreatePreparedStatementRequest>(&msg)?
{
let ActionCreatePreparedStatementRequest { query } = decoded_cmd;
@@ -131,6 +141,7 @@ impl FlightSQLCommand {
prepared_statement_handle,
})
}
+ FlightSQLCommand::CommandGetCatalogs() => Any::pack(&CommandGetCatalogs {}),
FlightSQLCommand::ActionCreatePreparedStatementRequest(query) => {
Any::pack(&ActionCreatePreparedStatementRequest { query })
}
diff --git a/flightsql/src/planner.rs b/flightsql/src/planner.rs
index 6779cc3931..b7ca27ba93 100644
--- a/flightsql/src/planner.rs
+++ b/flightsql/src/planner.rs
@@ -1,13 +1,13 @@
//! FlightSQL handling
use std::sync::Arc;
-use arrow::{error::ArrowError, ipc::writer::IpcWriteOptions};
+use arrow::{datatypes::Schema, error::ArrowError, ipc::writer::IpcWriteOptions};
use arrow_flight::{
sql::{ActionCreatePreparedStatementResult, Any},
IpcMessage, SchemaAsIpc,
};
use bytes::Bytes;
-use datafusion::physical_plan::ExecutionPlan;
+use datafusion::{logical_expr::LogicalPlan, physical_plan::ExecutionPlan};
use iox_query::{exec::IOxSessionContext, QueryNamespace};
use observability_deps::tracing::debug;
use prost::Message;
@@ -35,12 +35,17 @@ impl FlightSQLPlanner {
match cmd {
FlightSQLCommand::CommandStatementQuery(query) => {
- Self::get_schema_for_query(&query, ctx).await
+ get_schema_for_query(&query, ctx).await
}
FlightSQLCommand::CommandPreparedStatementQuery(handle) => {
- Self::get_schema_for_query(handle.query(), ctx).await
+ get_schema_for_query(handle.query(), ctx).await
}
- _ => ProtocolSnafu {
+ FlightSQLCommand::CommandGetCatalogs() => {
+ let plan = plan_get_catalogs(ctx).await?;
+ get_schema_for_plan(plan)
+ }
+ FlightSQLCommand::ActionCreatePreparedStatementRequest(_)
+ | FlightSQLCommand::ActionClosePreparedStatementRequest(_) => ProtocolSnafu {
cmd: format!("{cmd:?}"),
method: "GetFlightInfo",
}
@@ -48,24 +53,6 @@ impl FlightSQLPlanner {
}
}
- /// Return the schema for the specified query
- ///
- /// returns: IPC encoded (schema_bytes) for this query
- async fn get_schema_for_query(query: &str, ctx: &IOxSessionContext) -> Result<Bytes> {
- // gather real schema, but only
- let logical_plan = ctx.plan_sql(query).await?;
- let schema = arrow::datatypes::Schema::from(logical_plan.schema().as_ref());
- let options = IpcWriteOptions::default();
-
- // encode the schema into the correct form
- let message: Result<IpcMessage, ArrowError> =
- SchemaAsIpc::new(&schema, &options).try_into();
-
- let IpcMessage(schema) = message?;
-
- Ok(schema)
- }
-
/// Returns a plan that computes results requested in msg
pub async fn do_get(
namespace_name: impl Into<String>,
@@ -86,7 +73,14 @@ impl FlightSQLPlanner {
debug!(%query, "Planning FlightSQL prepared query");
Ok(ctx.prepare_sql(query).await?)
}
- _ => ProtocolSnafu {
+ FlightSQLCommand::CommandGetCatalogs() => {
+ debug!("Planning GetCatalogs query");
+ let plan = plan_get_catalogs(ctx).await?;
+ Ok(ctx.create_physical_plan(&plan).await?)
+ }
+
+ FlightSQLCommand::ActionClosePreparedStatementRequest(_)
+ | FlightSQLCommand::ActionCreatePreparedStatementRequest(_) => ProtocolSnafu {
cmd: format!("{cmd:?}"),
method: "DoGet",
}
@@ -114,7 +108,7 @@ impl FlightSQLPlanner {
// see https://github.com/apache/arrow-datafusion/pull/4701
let parameter_schema = vec![];
- let dataset_schema = Self::get_schema_for_query(&query, ctx).await?;
+ let dataset_schema = get_schema_for_query(&query, ctx).await?;
let handle = PreparedStatementHandle::new(query);
let result = ActionCreatePreparedStatementResult {
@@ -141,3 +135,41 @@ impl FlightSQLPlanner {
}
}
}
+
+/// Return the schema for the specified query
+///
+/// returns: IPC encoded (schema_bytes) for this query
+async fn get_schema_for_query(query: &str, ctx: &IOxSessionContext) -> Result<Bytes> {
+ get_schema_for_plan(ctx.plan_sql(query).await?)
+}
+
+/// Return the schema for the specified logical plan
+///
+/// returns: IPC encoded (schema_bytes) for this query
+fn get_schema_for_plan(logical_plan: LogicalPlan) -> Result<Bytes> {
+ // gather real schema, but only
+ let schema = Schema::from(logical_plan.schema().as_ref());
+ encode_schema(&schema)
+}
+
+/// Encodes the schema IPC encoded (schema_bytes)
+fn encode_schema(schema: &Schema) -> Result<Bytes> {
+ let options = IpcWriteOptions::default();
+
+ // encode the schema into the correct form
+ let message: Result<IpcMessage, ArrowError> = SchemaAsIpc::new(schema, &options).try_into();
+
+ let IpcMessage(schema) = message?;
+
+ Ok(schema)
+}
+
+/// Return a `LogicalPlan` for GetCatalogs
+///
+/// In the future this could be made more efficient by building the
+/// response directly from the IOx catalog rather than running an
+/// entire DataFusion plan.
+async fn plan_get_catalogs(ctx: &IOxSessionContext) -> Result<LogicalPlan> {
+ let query = "SELECT DISTINCT table_catalog AS catalog_name FROM information_schema.tables ORDER BY table_catalog";
+ Ok(ctx.plan_sql(query).await?)
+}
diff --git a/influxdb_iox/tests/end_to_end_cases/flightsql.rs b/influxdb_iox/tests/end_to_end_cases/flightsql.rs
index a0411ccb64..17e57379d8 100644
--- a/influxdb_iox/tests/end_to_end_cases/flightsql.rs
+++ b/influxdb_iox/tests/end_to_end_cases/flightsql.rs
@@ -1,5 +1,7 @@
use std::path::PathBuf;
+use arrow::record_batch::RecordBatch;
+use arrow_flight::decode::FlightRecordBatchStream;
use arrow_util::assert_batches_sorted_eq;
use assert_cmd::Command;
use datafusion::common::assert_contains;
@@ -37,22 +39,10 @@ async fn flightsql_adhoc_query() {
"+------+------+--------------------------------+-----+",
];
- let connection = state.cluster().querier().querier_grpc_connection();
- let (channel, _headers) = connection.into_grpc_connection().into_parts();
+ let mut client = flightsql_client(state.cluster());
- let mut client = FlightSqlClient::new(channel);
-
- // Add namespace to client headers until it is fully supported by FlightSQL
- let namespace = state.cluster().namespace();
- client.add_header("iox-namespace-name", namespace).unwrap();
-
- let batches: Vec<_> = client
- .query(sql)
- .await
- .expect("ran SQL query")
- .try_collect()
- .await
- .expect("got batches");
+ let stream = client.query(sql).await.unwrap();
+ let batches = collect_stream(stream).await;
assert_batches_sorted_eq!(&expected, &batches);
}
@@ -84,14 +74,7 @@ async fn flightsql_adhoc_query_error() {
async move {
let sql = String::from("select * from incorrect_table");
- let connection = state.cluster().querier().querier_grpc_connection();
- let (channel, _headers) = connection.into_grpc_connection().into_parts();
-
- let mut client = FlightSqlClient::new(channel);
-
- // Add namespace to client headers until it is fully supported by FlightSQL
- let namespace = state.cluster().namespace();
- client.add_header("iox-namespace-name", namespace).unwrap();
+ let mut client = flightsql_client(state.cluster());
let err = client.query(sql).await.unwrap_err();
@@ -138,24 +121,54 @@ async fn flightsql_prepared_query() {
"+------+------+--------------------------------+-----+",
];
- let connection = state.cluster().querier().querier_grpc_connection();
- let (channel, _headers) = connection.into_grpc_connection().into_parts();
+ let mut client = flightsql_client(state.cluster());
- let mut client = FlightSqlClient::new(channel);
+ let handle = client.prepare(sql).await.unwrap();
+ let stream = client.execute(handle).await.unwrap();
- // Add namespace to client headers until it is fully supported by FlightSQL
- let namespace = state.cluster().namespace();
- client.add_header("iox-namespace-name", namespace).unwrap();
+ let batches = collect_stream(stream).await;
- let handle = client.prepare(sql).await.unwrap();
+ assert_batches_sorted_eq!(&expected, &batches);
+ }
+ .boxed()
+ })),
+ ],
+ )
+ .run()
+ .await
+}
- let batches: Vec<_> = client
- .execute(handle)
- .await
- .expect("ran SQL query")
- .try_collect()
- .await
- .expect("got batches");
+#[tokio::test]
+async fn flightsql_get_catalogs() {
+ test_helpers::maybe_start_logging();
+ let database_url = maybe_skip_integration!();
+
+ let table_name = "the_table";
+
+ // Set up the cluster ====================================
+ let mut cluster = MiniCluster::create_shared2(database_url).await;
+
+ StepTest::new(
+ &mut cluster,
+ vec![
+ Step::WriteLineProtocol(format!(
+ "{table_name},tag1=A,tag2=B val=42i 123456\n\
+ {table_name},tag1=A,tag2=C val=43i 123457"
+ )),
+ Step::Custom(Box::new(move |state: &mut StepTestState| {
+ async move {
+ let expected = vec![
+ "+--------------+",
+ "| catalog_name |",
+ "+--------------+",
+ "| public |",
+ "+--------------+",
+ ];
+
+ let mut client = flightsql_client(state.cluster());
+
+ let stream = client.get_catalogs().await.unwrap();
+ let batches = collect_stream(stream).await;
assert_batches_sorted_eq!(&expected, &batches);
}
@@ -243,6 +256,22 @@ async fn flightsql_jdbc() {
.success()
.stdout(predicate::str::contains("Running Prepared SQL Query"))
.stdout(predicate::str::contains("A, B"));
+
+ // CommandGetCatalogs output
+ let expected_catalogs = "**************\n\
+ Catalogs:\n\
+ **************\n\
+ TABLE_CAT\n\
+ ------------\n\
+ public";
+
+ // Validate metadata: jdbc_client <url> metadata
+ Command::from_std(std::process::Command::new(&path))
+ .arg(&jdbc_url)
+ .arg("metadata")
+ .assert()
+ .success()
+ .stdout(predicate::str::contains(expected_catalogs));
}
.boxed()
})),
@@ -251,3 +280,21 @@ async fn flightsql_jdbc() {
.run()
.await
}
+
+/// Return a [`FlightSqlClient`] configured for use
+fn flightsql_client(cluster: &MiniCluster) -> FlightSqlClient {
+ let connection = cluster.querier().querier_grpc_connection();
+ let (channel, _headers) = connection.into_grpc_connection().into_parts();
+
+ let mut client = FlightSqlClient::new(channel);
+
+ // Add namespace to client headers until it is fully supported by FlightSQL
+ let namespace = cluster.namespace();
+ client.add_header("iox-namespace-name", namespace).unwrap();
+
+ client
+}
+
+async fn collect_stream(stream: FlightRecordBatchStream) -> Vec<RecordBatch> {
+ stream.try_collect().await.expect("collecting batches")
+}
diff --git a/influxdb_iox/tests/jdbc_client/Main.java b/influxdb_iox/tests/jdbc_client/Main.java
index 6cca662e58..4b1e16f61a 100644
--- a/influxdb_iox/tests/jdbc_client/Main.java
+++ b/influxdb_iox/tests/jdbc_client/Main.java
@@ -19,7 +19,7 @@ public class Main {
System.err.println("# Run specified prepared query without parameters");
System.err.println("jdbc_client <url> prepared_query <sql>");
System.err.println("# Run metadata tests");
- System.err.println("jdbc_client <url> props");
+ System.err.println("jdbc_client <url> metadata");
System.exit(1);
}
@@ -63,9 +63,9 @@ public class Main {
}
break;
- case "props":
+ case "metadata":
{
- run_props(url);
+ run_metadata(url);
}
break;
@@ -115,17 +115,27 @@ public class Main {
print_result_set(rs);
}
- static void run_props(String url) throws SQLException {
+ static void run_metadata(String url) throws SQLException {
Connection conn = connect(url);
System.out.println(conn.getCatalog());
DatabaseMetaData md = conn.getMetaData();
- System.out.println("isReadOnly: " + md.isReadOnly());
- System.out.println("getSearchStringEscape: " + md.getSearchStringEscape());
- System.out.println("getDriverVersion: " + md.getDriverVersion());
- System.out.println("getDatabaseProductVersion: " + md.getDatabaseProductVersion());
- System.out.println("getJDBCMajorVersion: " + md.getJDBCMajorVersion());
- System.out.println("getJDBCMinorVersion: " + md.getJDBCMinorVersion());
- System.out.println("getDriverName: " + md.getDriverName());
+ // Note yet implemented
+ // (see https://github.com/influxdata/influxdb_iox/issues/7210 )
+
+ System.out.println("**************");
+ System.out.println("Catalogs:");
+ System.out.println("**************");
+ ResultSet rs = md.getCatalogs();
+ print_result_set(rs);
+
+ //System.out.println("isReadOnly: " + md.isReadOnly());
+ //System.out.println("getSearchStringEscape: " + md.getSearchStringEscape());
+ //System.out.println("getDriverVersion: " + md.getDriverVersion());
+ //System.out.println("getDatabaseProductVersion: " + md.getDatabaseProductVersion());
+ //System.out.println("getJDBCMajorVersion: " + md.getJDBCMajorVersion());
+ //System.out.println("getJDBCMinorVersion: " + md.getJDBCMinorVersion());
+ //System.out.println("getDriverName: " + md.getDriverName());
+
}
// Print out the ResultSet in a whitespace delimited form
diff --git a/influxdb_iox_client/src/client/flightsql.rs b/influxdb_iox_client/src/client/flightsql.rs
index 8136357135..116c365dd0 100644
--- a/influxdb_iox_client/src/client/flightsql.rs
+++ b/influxdb_iox_client/src/client/flightsql.rs
@@ -29,7 +29,7 @@ use arrow_flight::{
error::{FlightError, Result},
sql::{
ActionCreatePreparedStatementRequest, ActionCreatePreparedStatementResult, Any,
- CommandPreparedStatementQuery, CommandStatementQuery, ProstMessageExt,
+ CommandGetCatalogs, CommandPreparedStatementQuery, CommandStatementQuery, ProstMessageExt,
},
Action, FlightClient, FlightDescriptor, FlightInfo, IpcMessage, Ticket,
};
@@ -124,6 +124,22 @@ impl FlightSqlClient {
self.do_get_with_cmd(msg.as_any()).await
}
+ /// List the catalogs on this server using a [`CommandGetCatalogs`] message.
+ ///
+ /// This implementation does not support alternate endpoints
+ ///
+ /// [`CommandGetCatalogs`]: https://github.com/apache/arrow/blob/3a6fc1f9eedd41df2d8ffbcbdfbdab911ff6d82e/format/FlightSql.proto#L1125-L1140
+ pub async fn get_catalogs(&mut self) -> Result<FlightRecordBatchStream> {
+ let msg = CommandGetCatalogs {};
+ self.do_get_with_cmd(msg.as_any()).await
+ }
+
+ /// Implements the canonical interaction for most FlightSQL messages:
+ ///
+ /// 1. Call `GetFlightInfo` with the provided message, and get a
+ /// [`FlightInfo`] and embedded ticket.
+ ///
+ /// 2. Call `DoGet` with the provided ticket.
async fn do_get_with_cmd(
&mut self,
cmd: arrow_flight::sql::Any,
diff --git a/iox_query/src/exec/context.rs b/iox_query/src/exec/context.rs
index 7793113465..1e8bbdbf82 100644
--- a/iox_query/src/exec/context.rs
+++ b/iox_query/src/exec/context.rs
@@ -329,6 +329,15 @@ impl IOxSessionContext {
pub async fn prepare_sql(&self, sql: &str) -> Result<Arc<dyn ExecutionPlan>> {
let logical_plan = self.plan_sql(sql).await?;
+ let ctx = self.child_ctx("prepare_sql");
+ ctx.create_physical_plan(&logical_plan).await
+ }
+
+ /// Prepare (optimize + plan) a pre-created [`LogicalPlan`] for execution
+ pub async fn create_physical_plan(
+ &self,
+ logical_plan: &LogicalPlan,
+ ) -> Result<Arc<dyn ExecutionPlan>> {
// Make nicer erorrs for unsupported SQL
// (By default datafusion returns Internal Error)
match &logical_plan {
@@ -353,15 +362,9 @@ impl IOxSessionContext {
_ => (),
}
- let ctx = self.child_ctx("prepare_sql");
- ctx.create_physical_plan(&logical_plan).await
- }
-
- /// Prepare (optimize + plan) a pre-created [`LogicalPlan`] for execution
- pub async fn create_physical_plan(&self, plan: &LogicalPlan) -> Result<Arc<dyn ExecutionPlan>> {
let mut ctx = self.child_ctx("create_physical_plan");
- debug!(text=%plan.display_indent_schema(), "create_physical_plan: initial plan");
- let physical_plan = ctx.inner.state().create_physical_plan(plan).await?;
+ debug!(text=%logical_plan.display_indent_schema(), "create_physical_plan: initial plan");
+ let physical_plan = ctx.inner.state().create_physical_plan(logical_plan).await?;
ctx.recorder.event("physical plan");
debug!(text=%displayable(physical_plan.as_ref()).indent(), "create_physical_plan: plan to run");
|
226f14a97fe6fe637440b73ae8fdb58a6e097560
|
Dom Dwyer
|
2022-11-03 13:44:25
|
remove table lookup query
|
Now DML operations contain the table ID, the ingester has all necessary
data to initialise the TableData buffer node without having to query the
catalog.
This also removes the catalog from the buffer_operation() call path,
simplifying testing.
| null |
perf(ingester): remove table lookup query
Now DML operations contain the table ID, the ingester has all necessary
data to initialise the TableData buffer node without having to query the
catalog.
This also removes the catalog from the buffer_operation() call path,
simplifying testing.
|
diff --git a/ingester/src/data.rs b/ingester/src/data.rs
index a5fcbce18c..473df9f702 100644
--- a/ingester/src/data.rs
+++ b/ingester/src/data.rs
@@ -185,7 +185,7 @@ impl IngesterData {
.get(&shard_id)
.context(ShardNotFoundSnafu { shard_id })?;
shard_data
- .buffer_operation(dml_operation, &self.catalog, lifecycle_handle)
+ .buffer_operation(dml_operation, lifecycle_handle)
.await
}
@@ -1393,7 +1393,7 @@ mod tests {
// to 1 already, so it shouldn't be buffered and the buffer should
// remain empty.
let action = data
- .buffer_operation(DmlOperation::Write(w1), &catalog, &manager.handle())
+ .buffer_operation(DmlOperation::Write(w1), &manager.handle())
.await
.unwrap();
{
@@ -1414,7 +1414,7 @@ mod tests {
assert_matches!(action, DmlApplyAction::Skipped);
// w2 should be in the buffer
- data.buffer_operation(DmlOperation::Write(w2), &catalog, &manager.handle())
+ data.buffer_operation(DmlOperation::Write(w2), &manager.handle())
.await
.unwrap();
diff --git a/ingester/src/data/namespace.rs b/ingester/src/data/namespace.rs
index e2f073a5c8..a2d8db0582 100644
--- a/ingester/src/data/namespace.rs
+++ b/ingester/src/data/namespace.rs
@@ -4,11 +4,9 @@ use std::{collections::HashMap, sync::Arc};
use data_types::{NamespaceId, SequenceNumber, ShardId, TableId};
use dml::DmlOperation;
-use iox_catalog::interface::Catalog;
use metric::U64Counter;
use observability_deps::tracing::warn;
use parking_lot::RwLock;
-use snafu::ResultExt;
use write_summary::ShardProgress;
#[cfg(test)]
@@ -175,7 +173,6 @@ impl NamespaceData {
pub(super) async fn buffer_operation(
&self,
dml_operation: DmlOperation,
- catalog: &Arc<dyn Catalog>,
lifecycle_handle: &dyn LifecycleHandle,
) -> Result<DmlApplyAction, super::Error> {
let sequence_number = dml_operation
@@ -199,11 +196,11 @@ impl NamespaceData {
// Extract the partition key derived by the router.
let partition_key = write.partition_key().clone();
- for (t, _, b) in write.into_tables() {
- let t = TableName::from(t);
- let table_data = match self.table_data(&t) {
+ for (table_name, table_id, b) in write.into_tables() {
+ let table_name = TableName::from(table_name);
+ let table_data = match self.table_data(&table_name) {
Some(t) => t,
- None => self.insert_table(&t, catalog).await?,
+ None => self.insert_table(table_name, table_id).await?,
};
let action = table_data
@@ -262,24 +259,11 @@ impl NamespaceData {
/// Inserts the table or returns it if it happens to be inserted by some other thread
async fn insert_table(
&self,
- table_name: &TableName,
- catalog: &Arc<dyn Catalog>,
+ table_name: TableName,
+ table_id: TableId,
) -> Result<Arc<TableData>, super::Error> {
- let mut repos = catalog.repositories().await;
-
- let table_id = repos
- .tables()
- .get_by_namespace_and_name(self.namespace_id, table_name)
- .await
- .context(super::CatalogSnafu)?
- .ok_or_else(|| super::Error::TableNotFound {
- table_name: table_name.to_string(),
- })?
- .id;
-
let mut t = self.tables.write();
-
- Ok(match t.by_name(table_name) {
+ Ok(match t.by_name(&table_name) {
Some(v) => v,
None => {
self.table_count.inc(1);
@@ -287,7 +271,7 @@ impl NamespaceData {
// Insert the table and then return a ref to it.
t.insert(TableData::new(
table_id,
- table_name.clone(),
+ table_name,
self.shard_id,
self.namespace_id,
Arc::clone(&self.partition_provider),
@@ -367,6 +351,7 @@ mod tests {
use std::sync::Arc;
use data_types::{PartitionId, PartitionKey, ShardIndex};
+ use iox_catalog::interface::Catalog;
use metric::{Attributes, Metric};
use crate::{
@@ -430,7 +415,6 @@ mod tests {
0,
r#"bananas,city=Medford day="sun",temp=55 22"#,
)),
- &catalog,
&MockLifecycleHandle::default(),
)
.await
diff --git a/ingester/src/data/shard.rs b/ingester/src/data/shard.rs
index 2dad79c10b..9ca59c2656 100644
--- a/ingester/src/data/shard.rs
+++ b/ingester/src/data/shard.rs
@@ -4,7 +4,6 @@ use std::sync::Arc;
use data_types::{NamespaceId, ShardId, ShardIndex};
use dml::DmlOperation;
-use iox_catalog::interface::Catalog;
use metric::U64Counter;
use parking_lot::RwLock;
use write_summary::ShardProgress;
@@ -30,8 +29,8 @@ impl DoubleRef {
let id = ns.namespace_id();
let ns = Arc::new(ns);
- self.by_name.insert(&name, Arc::clone(&ns));
- self.by_id.insert(&id, Arc::clone(&ns));
+ self.by_name.insert(name, Arc::clone(&ns));
+ self.by_id.insert(id, Arc::clone(&ns));
ns
}
@@ -97,7 +96,6 @@ impl ShardData {
pub(super) async fn buffer_operation(
&self,
dml_operation: DmlOperation,
- catalog: &Arc<dyn Catalog>,
lifecycle_handle: &dyn LifecycleHandle,
) -> Result<DmlApplyAction, super::Error> {
let namespace_data = match self.namespace(&NamespaceName::from(dml_operation.namespace())) {
@@ -109,7 +107,7 @@ impl ShardData {
};
namespace_data
- .buffer_operation(dml_operation, catalog, lifecycle_handle)
+ .buffer_operation(dml_operation, lifecycle_handle)
.await
}
@@ -183,6 +181,7 @@ mod tests {
use std::sync::Arc;
use data_types::{PartitionId, PartitionKey, ShardIndex};
+ use iox_catalog::interface::Catalog;
use metric::{Attributes, Metric};
use crate::{
@@ -243,7 +242,6 @@ mod tests {
0,
r#"bananas,city=Medford day="sun",temp=55 22"#,
)),
- &catalog,
&MockLifecycleHandle::default(),
)
.await
|
1df5948c97c29cc34da4e530364a8e07a614ab9b
|
Joe-Blount
|
2023-08-28 07:59:12
|
Add Compaction Regions (#8559)
|
* feat: add CompactRanges RoundInfo type
* chore: insta test updates for adding CompactRange
* feat: simplify/improve ManySmallFiles logic, now that its problem set is simpler
* chore: insta test updates for ManySmallFiles improvement
* chore: upgrade files more aggressively
* chore: insta updates from more aggressive file upgrades
* chore: addressing review comments
| null |
feat: Add Compaction Regions (#8559)
* feat: add CompactRanges RoundInfo type
* chore: insta test updates for adding CompactRange
* feat: simplify/improve ManySmallFiles logic, now that its problem set is simpler
* chore: insta test updates for ManySmallFiles improvement
* chore: upgrade files more aggressively
* chore: insta updates from more aggressive file upgrades
* chore: addressing review comments
|
diff --git a/compactor/src/components/divide_initial/multiple_branches.rs b/compactor/src/components/divide_initial/multiple_branches.rs
index 8c94d02231..11fe3839ce 100644
--- a/compactor/src/components/divide_initial/multiple_branches.rs
+++ b/compactor/src/components/divide_initial/multiple_branches.rs
@@ -245,6 +245,24 @@ impl DivideInitial for MultipleBranchesDivideInitial {
// RoundSplit already eliminated all the files we don't need to work on.
RoundInfo::VerticalSplit { .. } => (vec![files], more_for_later),
+
+ RoundInfo::CompactRanges { ranges, .. } => {
+ // Each range describes what can be a distinct branch, concurrently compacted.
+
+ let mut branches = Vec::with_capacity(ranges.len());
+ let mut this_branch: Vec<ParquetFile>;
+ let mut files = files;
+
+ for range in &ranges {
+ (this_branch, files) = files.into_iter().partition(|f2| {
+ f2.overlaps_time_range(Timestamp::new(range.min), Timestamp::new(range.max))
+ });
+
+ branches.push(this_branch)
+ }
+ assert!(files.is_empty(), "all files should map to a range");
+ (branches, vec![])
+ }
}
}
}
diff --git a/compactor/src/components/file_classifier/split_based.rs b/compactor/src/components/file_classifier/split_based.rs
index 4fcd05b39c..f27d79912e 100644
--- a/compactor/src/components/file_classifier/split_based.rs
+++ b/compactor/src/components/file_classifier/split_based.rs
@@ -207,11 +207,82 @@ where
files_to_keep,
}
}
+
+ RoundInfo::CompactRanges {
+ max_num_files_to_group,
+ max_total_file_size_to_group,
+ ..
+ } => {
+ let l0_count = files_to_compact
+ .iter()
+ .filter(|f| f.compaction_level == CompactionLevel::Initial)
+ .count();
+
+ if l0_count > *max_num_files_to_group {
+ // Too many L0s, do manySmallFiles within this range.
+ let (files_to_compact, mut files_to_keep) = files_to_compact
+ .into_iter()
+ .partition(|f| f.compaction_level == CompactionLevel::Initial);
+
+ let l0_classification = file_classification_for_many_files(
+ *max_total_file_size_to_group,
+ *max_num_files_to_group,
+ files_to_compact,
+ CompactionLevel::Initial,
+ );
+
+ files_to_keep.extend(l0_classification.files_to_keep);
+
+ assert!(!l0_classification.files_to_make_progress_on.is_empty());
+ FileClassification {
+ target_level: l0_classification.target_level,
+ files_to_make_progress_on: l0_classification.files_to_make_progress_on,
+ files_to_keep,
+ }
+ } else {
+ // There's not too many L0s, so upgrade/split/compact as required to get L0s->L1.
+ let target_level = CompactionLevel::FileNonOverlapped;
+ let (files_to_compact, mut files_to_keep) = self
+ .target_level_split
+ .apply(files_to_compact, target_level);
+
+ // To have efficient compaction performance, we do not need to compact eligible non-overlapped files
+ // Find eligible non-overlapped files and keep for next round of compaction
+ let (files_to_compact, non_overlapping_files) =
+ self.non_overlap_split.apply(files_to_compact, target_level);
+ files_to_keep.extend(non_overlapping_files);
+
+ // To have efficient compaction performance, we only need to upgrade (catalog update only) eligible files
+ let (files_to_compact, files_to_upgrade) =
+ self.upgrade_split.apply(files_to_compact, target_level);
+
+ // See if we need to split start-level files due to over compaction size limit
+ let (files_to_split_or_compact, other_files) =
+ self.split_or_compact
+ .apply(partition_info, files_to_compact, target_level);
+ files_to_keep.extend(other_files);
+
+ let files_to_make_progress_on = FilesForProgress {
+ upgrade: files_to_upgrade,
+ split_or_compact: files_to_split_or_compact,
+ };
+
+ assert!(!files_to_make_progress_on.is_empty());
+ FileClassification {
+ target_level,
+ files_to_make_progress_on,
+ files_to_keep,
+ }
+ }
+ }
}
}
}
// ManySmallFiles assumes the L0 files are tiny and aims to do L0-> L0 compaction to reduce the number of tiny files.
+// With vertical splitting, this only operates on a CompactionRange that's up to the max_compact_size. So while there's
+// many files, we know there's not many bytes (in total). Because of this, We can skip anything that's a sizeable portion
+// of the max_compact_size, knowing that we can still get the L0 quantity down to max_num_files_to_group.
fn file_classification_for_many_files(
max_total_file_size_to_group: usize,
max_num_files_to_group: usize,
@@ -231,27 +302,53 @@ fn file_classification_for_many_files(
let mut files_to_compact = vec![];
let mut files_to_keep: Vec<ParquetFile> = vec![];
+ // The goal is to compact the small files without repeately rewriting the non-small files (that hurts write amp).
+ // Assume tiny files separated by non-tiny files, we need to get down to max_num_files_to_group.
+ // So compute the biggest files we can skip, and still be guaranteed to get down to max_num_files_to_group.
+ let skip_size = max_total_file_size_to_group * 2 / max_num_files_to_group;
+
// Enforce max_num_files_to_group
if files.len() > max_num_files_to_group {
let ordered_files = order_files(files, target_level.prev());
- ordered_files
- .chunks(max_num_files_to_group)
- .for_each(|chunk| {
- let this_chunk_bytes: usize =
- chunk.iter().map(|f| f.file_size_bytes as usize).sum();
- if this_chunk_bytes > max_total_file_size_to_group {
- // This chunk of files are plenty big and don't fit the ManySmallFiles characteristics.
- // If we let ManySmallFiles handle them, it may get stuck with unproductive compactions.
- // So set them aside for later (when we're not in ManySmallFiles mode).
- files_to_keep.append(chunk.to_vec().as_mut());
- } else if files_to_compact.is_empty() {
+ let mut chunk_bytes: usize = 0;
+ let mut chunk: Vec<ParquetFile> = Vec::with_capacity(max_num_files_to_group);
+ for f in ordered_files {
+ if !files_to_compact.is_empty() {
+ // We've already got a batch of files to compact, this can wait.
+ files_to_keep.push(f);
+ } else if chunk_bytes + f.file_size_bytes as usize > max_total_file_size_to_group
+ || chunk.len() + 1 > max_num_files_to_group
+ || f.file_size_bytes >= skip_size as i64
+ {
+ // This file will not be included in this compaction.
+ files_to_keep.push(f);
+ if chunk.len() > 1 {
+ // Several files; we'll do an L0->L0 comapction on them.
files_to_compact = chunk.to_vec();
- } else {
- // We've already got a batch of files to compact, these can wait.
+ chunk = Vec::with_capacity(max_num_files_to_group);
+ } else if !chunk.is_empty() {
+ // Just one file, and we don't want to compact it with 'f', so skip it.
files_to_keep.append(chunk.to_vec().as_mut());
+ chunk = Vec::with_capacity(max_num_files_to_group);
}
- });
+ } else {
+ // This files goes in our draft chunk to compact
+ chunk_bytes += f.file_size_bytes as usize;
+ chunk.push(f);
+ }
+ }
+ if !chunk.is_empty() {
+ assert!(files_to_compact.is_empty());
+ if chunk.len() > 1 {
+ // We need to compact what comes before f
+ files_to_compact = chunk.to_vec();
+ } else if !chunk.is_empty() {
+ files_to_keep.append(chunk.to_vec().as_mut());
+ }
+ }
+
+ assert!(chunk.is_empty() || chunk.len() > 1);
} else {
files_to_compact = files;
}
diff --git a/compactor/src/components/files_split/upgrade_split.rs b/compactor/src/components/files_split/upgrade_split.rs
index 91dd3993dd..b6641b666c 100644
--- a/compactor/src/components/files_split/upgrade_split.rs
+++ b/compactor/src/components/files_split/upgrade_split.rs
@@ -34,13 +34,13 @@ impl Display for UpgradeSplit {
impl FilesSplit for UpgradeSplit {
/// Return (`[files_to_compact]`, `[files_to_upgrade]`) of the given files
- /// so that `files_to_upgrade` does not overlap with any files in previous level
+ /// so that `files_to_upgrade` does not overlap with any files in next level
///
/// The files_to_upgrade must in the (target_level - 1)
///
- /// Eligible upgradable files are large-enough-file (>= max_desired_file_size) files of the previous level of
+ /// Eligible upgradable files are large-enough-file (>= max_desired_file_size/2) files of the previous level of
/// the target level that do not overlap on time range with any files in its level and higher-level files.
- /// Note: we always have to stick the the invariance that the outout files must not overlap
+ /// Note: we always have to stick to the invariance that the outout files must not overlap
///
/// Example:
/// |--L0.1--| |--L0.2--| |--L0.3--|
@@ -54,7 +54,7 @@ impl FilesSplit for UpgradeSplit {
///
/// Algorithm:
/// The non-overlappings files are files of the (target_level -1) files that:
- /// 1. Size >= max_desire_file_size
+ /// 1. Size >= max_desire_file_size/2
/// 2. Completely outside the time range of all higher level files
/// 3. Not overlap with any files in the same level
/// 4. Not overlap with the time range of the files not meet 3 conditions above
@@ -81,7 +81,7 @@ impl FilesSplit for UpgradeSplit {
// Go go over all files of previous level and check if they are NOT eligible to upgrade
// by hit one of this conditions
- // . Size < max_desire_file_size
+ // . Size < max_desire_file_size/2
// . Overlap with time range of target_level_files
// . Overlap with any files in the same level
// Otherwise, they are large and not overlap. Put them in the potential upgradable list
@@ -90,7 +90,7 @@ impl FilesSplit for UpgradeSplit {
let mut potential_upgradable_files = Vec::with_capacity(prev_level_files.len());
while let Some(file) = prev_level_files.pop() {
// size is small
- if file.file_size_bytes < self.max_desired_file_size_bytes as i64 {
+ if file.file_size_bytes < self.max_desired_file_size_bytes as i64 / 2 {
files_to_compact.push(file);
} else if let Some(target_time_range) = target_time_range {
// overlap with target_level_files
@@ -203,13 +203,13 @@ mod tests {
#[test]
fn test_apply_one_level_overlap_small_l0() {
- let files = create_overlapping_l0_files((MAX_SIZE - 1) as i64);
+ let files = create_overlapping_l0_files((MAX_SIZE / 2 - 1) as i64);
insta::assert_yaml_snapshot!(
format_files("initial", &files),
@r###"
---
- initial
- - "L0, all files 99b "
+ - "L0, all files 49b "
- "L0.2[150,180] 0ns |L0.2| "
- "L0.1[100,200] 0ns |--L0.1---| "
- "L0.3[800,900] 0ns |--L0.3---| "
@@ -226,7 +226,7 @@ mod tests {
@r###"
---
- files_to_compact
- - "L0, all files 99b "
+ - "L0, all files 49b "
- "L0.3[800,900] 0ns |--L0.3---| "
- "L0.1[100,200] 0ns |--L0.1---| "
- "L0.2[150,180] 0ns |L0.2| "
@@ -274,13 +274,13 @@ mod tests {
#[test]
fn test_apply_one_level_small_l0() {
- let files = create_l0_files((MAX_SIZE - 1) as i64);
+ let files = create_l0_files((MAX_SIZE / 2 - 1) as i64);
insta::assert_yaml_snapshot!(
format_files("initial", &files),
@r###"
---
- initial
- - "L0, all files 99b "
+ - "L0, all files 49b "
- "L0.2[650,750] 0ns |-------L0.2-------| "
- "L0.1[450,620] 0ns |--------------L0.1--------------| "
- "L0.3[800,900] 0ns |-------L0.3-------|"
@@ -296,7 +296,7 @@ mod tests {
@r###"
---
- files_to_compact
- - "L0, all files 99b "
+ - "L0, all files 49b "
- "L0.3[800,900] 0ns |-------L0.3-------|"
- "L0.1[450,620] 0ns |--------------L0.1--------------| "
- "L0.2[650,750] 0ns |-------L0.2-------| "
@@ -394,7 +394,7 @@ mod tests {
#[test]
fn test_apply_one_level_l1_mix_size() {
- let files = create_l1_files_mix_size(MAX_SIZE as i64);
+ let files = create_l1_files_mix_size((MAX_SIZE / 2) as i64);
// . small files (< size ): L1.1, L1.3
// . Large files (.= size): L1.2, L1.4, L1.5
@@ -407,11 +407,11 @@ mod tests {
---
- initial
- "L1 "
- - "L1.15[1000,1100] 0ns 200b |-L1.15--| "
- - "L1.13[600,700] 0ns 90b |-L1.13--| "
- - "L1.12[400,500] 0ns 101b |-L1.12--| "
- - "L1.11[250,350] 0ns 99b |-L1.11--| "
- - "L1.14[800,900] 0ns 100b |-L1.14--| "
+ - "L1.15[1000,1100] 0ns 150b |-L1.15--| "
+ - "L1.13[600,700] 0ns 40b |-L1.13--| "
+ - "L1.12[400,500] 0ns 51b |-L1.12--| "
+ - "L1.11[250,350] 0ns 49b |-L1.11--| "
+ - "L1.14[800,900] 0ns 50b |-L1.14--| "
"###
);
@@ -425,30 +425,30 @@ mod tests {
---
- files_to_compact
- "L1 "
- - "L1.11[250,350] 0ns 99b |------L1.11-------| "
- - "L1.13[600,700] 0ns 90b |------L1.13-------|"
- - "L1.12[400,500] 0ns 101b |------L1.12-------| "
+ - "L1.11[250,350] 0ns 49b |------L1.11-------| "
+ - "L1.13[600,700] 0ns 40b |------L1.13-------|"
+ - "L1.12[400,500] 0ns 51b |------L1.12-------| "
- files_to_upgrade
- "L1 "
- - "L1.15[1000,1100] 0ns 200b |-----------L1.15------------|"
- - "L1.14[800,900] 0ns 100b |-----------L1.14------------| "
+ - "L1.15[1000,1100] 0ns 150b |-----------L1.15------------|"
+ - "L1.14[800,900] 0ns 50b |-----------L1.14------------| "
"###
);
}
#[test]
fn test_apply_all_small_target_l1() {
- let files = create_overlapped_l0_l1_files((MAX_SIZE - 1) as i64);
+ let files = create_overlapped_l0_l1_files((MAX_SIZE / 2 - 1) as i64);
insta::assert_yaml_snapshot!(
format_files("initial", &files),
@r###"
---
- initial
- - "L0, all files 99b "
+ - "L0, all files 49b "
- "L0.2[650,750] 180s |---L0.2----| "
- "L0.1[450,620] 120s |--------L0.1---------| "
- "L0.3[800,900] 300s |---L0.3----| "
- - "L1, all files 99b "
+ - "L1, all files 49b "
- "L1.13[600,700] 60s |---L1.13---| "
- "L1.12[400,500] 60s |---L1.12---| "
- "L1.11[250,350] 60s |---L1.11---| "
@@ -465,11 +465,11 @@ mod tests {
@r###"
---
- files_to_compact
- - "L0, all files 99b "
+ - "L0, all files 49b "
- "L0.3[800,900] 300s |---L0.3----| "
- "L0.1[450,620] 120s |--------L0.1---------| "
- "L0.2[650,750] 180s |---L0.2----| "
- - "L1, all files 99b "
+ - "L1, all files 49b "
- "L1.13[600,700] 60s |---L1.13---| "
- "L1.12[400,500] 60s |---L1.12---| "
- "L1.11[250,350] 60s |---L1.11---| "
@@ -523,7 +523,7 @@ mod tests {
#[test]
fn test_apply_all_small_target_l2() {
- let files = create_overlapped_l1_l2_files((MAX_SIZE - 1) as i64);
+ let files = create_overlapped_l1_l2_files((MAX_SIZE / 2 - 1) as i64);
let split = UpgradeSplit::new(MAX_SIZE);
let (files_to_compact, files_to_upgrade) = split.apply(files, CompactionLevel::Final);
@@ -533,11 +533,11 @@ mod tests {
@r###"
---
- files_to_compact
- - "L1, all files 99b "
+ - "L1, all files 49b "
- "L1.11[250,350] 0ns |--L1.11---| "
- "L1.12[400,500] 0ns |--L1.12---| "
- "L1.13[600,700] 0ns |--L1.13---| "
- - "L2, all files 99b "
+ - "L2, all files 49b "
- "L2.21[0,100] 0ns |--L2.21---| "
- "L2.22[200,300] 0ns |--L2.22---| "
- files_to_upgrade
@@ -587,7 +587,7 @@ mod tests {
#[test]
fn test_apply_all_small_target_l2_mix_size() {
- let files = create_overlapped_l1_l2_files_mix_size(MAX_SIZE as i64);
+ let files = create_overlapped_l1_l2_files_mix_size((MAX_SIZE / 2) as i64);
// Small files (< size): [L1.3]
// Large files: [L2.1, L2.2, L1.1, L1.2]
// ==> nothing to upgrade
@@ -597,12 +597,12 @@ mod tests {
---
- initial
- "L1 "
- - "L1.13[600,700] 0ns 99b |--L1.13---| "
- - "L1.12[400,500] 0ns 100b |--L1.12---| "
- - "L1.11[250,350] 0ns 100b |--L1.11---| "
+ - "L1.13[600,700] 0ns 49b |--L1.13---| "
+ - "L1.12[400,500] 0ns 50b |--L1.12---| "
+ - "L1.11[250,350] 0ns 50b |--L1.11---| "
- "L2 "
- - "L2.21[0,100] 0ns 100b |--L2.21---| "
- - "L2.22[200,300] 0ns 100b |--L2.22---| "
+ - "L2.21[0,100] 0ns 50b |--L2.21---| "
+ - "L2.22[200,300] 0ns 50b |--L2.22---| "
"###
);
@@ -615,12 +615,12 @@ mod tests {
---
- files_to_compact
- "L1 "
- - "L1.11[250,350] 0ns 100b |--L1.11---| "
- - "L1.13[600,700] 0ns 99b |--L1.13---| "
- - "L1.12[400,500] 0ns 100b |--L1.12---| "
+ - "L1.11[250,350] 0ns 50b |--L1.11---| "
+ - "L1.13[600,700] 0ns 49b |--L1.13---| "
+ - "L1.12[400,500] 0ns 50b |--L1.12---| "
- "L2 "
- - "L2.21[0,100] 0ns 100b |--L2.21---| "
- - "L2.22[200,300] 0ns 100b |--L2.22---| "
+ - "L2.21[0,100] 0ns 50b |--L2.21---| "
+ - "L2.22[200,300] 0ns 50b |--L2.22---| "
- files_to_upgrade
"###
);
@@ -628,7 +628,7 @@ mod tests {
#[test]
fn test_apply_all_small_target_l2_mix_size_2() {
- let files = create_overlapped_l1_l2_files_mix_size_2(MAX_SIZE as i64);
+ let files = create_overlapped_l1_l2_files_mix_size_2((MAX_SIZE / 2) as i64);
// Small files (< size): [L1.2]
// Large files: [L2.1, L2.2, L1.1, L1.3]
// ==> L1.3 is eligible for upgrade
@@ -638,12 +638,12 @@ mod tests {
---
- initial
- "L1 "
- - "L1.13[600,700] 0ns 100b |--L1.13---| "
- - "L1.12[400,500] 0ns 99b |--L1.12---| "
- - "L1.11[250,350] 0ns 100b |--L1.11---| "
+ - "L1.13[600,700] 0ns 50b |--L1.13---| "
+ - "L1.12[400,500] 0ns 49b |--L1.12---| "
+ - "L1.11[250,350] 0ns 50b |--L1.11---| "
- "L2 "
- - "L2.21[0,100] 0ns 100b |--L2.21---| "
- - "L2.22[200,300] 0ns 100b |--L2.22---| "
+ - "L2.21[0,100] 0ns 50b |--L2.21---| "
+ - "L2.22[200,300] 0ns 50b |--L2.22---| "
"###
);
@@ -655,13 +655,13 @@ mod tests {
---
- files_to_compact
- "L1 "
- - "L1.11[250,350] 0ns 100b |-----L1.11------| "
- - "L1.12[400,500] 0ns 99b |-----L1.12------|"
+ - "L1.11[250,350] 0ns 50b |-----L1.11------| "
+ - "L1.12[400,500] 0ns 49b |-----L1.12------|"
- "L2 "
- - "L2.21[0,100] 0ns 100b |-----L2.21------| "
- - "L2.22[200,300] 0ns 100b |-----L2.22------| "
+ - "L2.21[0,100] 0ns 50b |-----L2.21------| "
+ - "L2.22[200,300] 0ns 50b |-----L2.22------| "
- files_to_upgrade
- - "L1, all files 100b "
+ - "L1, all files 50b "
- "L1.13[600,700] 0ns |-----------------------------------------L1.13------------------------------------------|"
"###
);
@@ -711,21 +711,21 @@ mod tests {
#[test]
fn test_apply_all_small_target_l1_2() {
- let files = create_overlapped_files_3((MAX_SIZE - 1) as i64);
+ let files = create_overlapped_files_3((MAX_SIZE / 2 - 1) as i64);
// All small ==> nothing to upgrade
insta::assert_yaml_snapshot!(
format_files("initial", &files),
@r###"
---
- initial
- - "L0, all files 99b "
+ - "L0, all files 49b "
- "L0.3[400,500] 0ns |-L0.3-| "
- "L0.2[200,300] 0ns |-L0.2-| "
- "L0.1[0,100] 0ns |-L0.1-| "
- "L0.4[600,700] 0ns |-L0.4-| "
- "L0.5[800,900] 0ns |-L0.5-| "
- "L0.6[1000,1100] 0ns |-L0.6-| "
- - "L1, all files 99b "
+ - "L1, all files 49b "
- "L1.11[250,350] 0ns |L1.11-| "
- "L1.12[650,750] 0ns |L1.12-| "
"###
@@ -740,14 +740,14 @@ mod tests {
@r###"
---
- files_to_compact
- - "L0, all files 99b "
+ - "L0, all files 49b "
- "L0.6[1000,1100] 0ns |-L0.6-| "
- "L0.5[800,900] 0ns |-L0.5-| "
- "L0.4[600,700] 0ns |-L0.4-| "
- "L0.1[0,100] 0ns |-L0.1-| "
- "L0.2[200,300] 0ns |-L0.2-| "
- "L0.3[400,500] 0ns |-L0.3-| "
- - "L1, all files 99b "
+ - "L1, all files 49b "
- "L1.11[250,350] 0ns |L1.11-| "
- "L1.12[650,750] 0ns |L1.12-| "
- files_to_upgrade
@@ -806,7 +806,7 @@ mod tests {
#[test]
fn test_apply_mix_size_target_l1_2() {
- let files = create_overlapped_files_3_mix_size(MAX_SIZE as i64);
+ let files = create_overlapped_files_3_mix_size((MAX_SIZE / 2) as i64);
// Small files (< size): L0.6
// Large files: the rest
// ==> only L0.1 is eligible for upgrade
@@ -816,15 +816,15 @@ mod tests {
---
- initial
- "L0 "
- - "L0.3[400,500] 0ns 100b |-L0.3-| "
- - "L0.2[200,300] 0ns 100b |-L0.2-| "
- - "L0.1[0,100] 0ns 100b |-L0.1-| "
- - "L0.4[600,700] 0ns 100b |-L0.4-| "
- - "L0.5[800,900] 0ns 100b |-L0.5-| "
- - "L0.6[1000,1100] 0ns 99b |-L0.6-| "
+ - "L0.3[400,500] 0ns 50b |-L0.3-| "
+ - "L0.2[200,300] 0ns 50b |-L0.2-| "
+ - "L0.1[0,100] 0ns 50b |-L0.1-| "
+ - "L0.4[600,700] 0ns 50b |-L0.4-| "
+ - "L0.5[800,900] 0ns 50b |-L0.5-| "
+ - "L0.6[1000,1100] 0ns 49b |-L0.6-| "
- "L1 "
- - "L1.11[250,350] 0ns 100b |L1.11-| "
- - "L1.12[650,750] 0ns 100b |L1.12-| "
+ - "L1.11[250,350] 0ns 50b |L1.11-| "
+ - "L1.12[650,750] 0ns 50b |L1.12-| "
"###
);
@@ -838,16 +838,16 @@ mod tests {
---
- files_to_compact
- "L0 "
- - "L0.6[1000,1100] 0ns 99b |--L0.6--|"
- - "L0.4[600,700] 0ns 100b |--L0.4--| "
- - "L0.2[200,300] 0ns 100b |--L0.2--| "
- - "L0.3[400,500] 0ns 100b |--L0.3--| "
- - "L0.5[800,900] 0ns 100b |--L0.5--| "
+ - "L0.6[1000,1100] 0ns 49b |--L0.6--|"
+ - "L0.4[600,700] 0ns 50b |--L0.4--| "
+ - "L0.2[200,300] 0ns 50b |--L0.2--| "
+ - "L0.3[400,500] 0ns 50b |--L0.3--| "
+ - "L0.5[800,900] 0ns 50b |--L0.5--| "
- "L1 "
- - "L1.11[250,350] 0ns 100b |-L1.11--| "
- - "L1.12[650,750] 0ns 100b |-L1.12--| "
+ - "L1.11[250,350] 0ns 50b |-L1.11--| "
+ - "L1.12[650,750] 0ns 50b |-L1.12--| "
- files_to_upgrade
- - "L0, all files 100b "
+ - "L0, all files 50b "
- "L0.1[0,100] 0ns |------------------------------------------L0.1------------------------------------------|"
"###
);
diff --git a/compactor/src/components/round_info_source/mod.rs b/compactor/src/components/round_info_source/mod.rs
index 803b4ec943..71341dc8b0 100644
--- a/compactor/src/components/round_info_source/mod.rs
+++ b/compactor/src/components/round_info_source/mod.rs
@@ -11,7 +11,7 @@ use crate::components::{
Components,
};
use async_trait::async_trait;
-use data_types::{CompactionLevel, ParquetFile, Timestamp};
+use data_types::{CompactionLevel, FileRange, ParquetFile, Timestamp};
use itertools::Itertools;
use observability_deps::tracing::debug;
@@ -28,6 +28,7 @@ pub trait RoundInfoSource: Debug + Display + Send + Sync {
async fn calculate(
&self,
components: Arc<Components>,
+ last_round_info: Option<RoundInfo>,
partition_info: &PartitionInfo,
files: Vec<ParquetFile>,
) -> Result<(RoundInfo, Vec<Vec<ParquetFile>>, Vec<ParquetFile>), DynError>;
@@ -55,12 +56,13 @@ impl RoundInfoSource for LoggingRoundInfoWrapper {
async fn calculate(
&self,
components: Arc<Components>,
+ last_round_info: Option<RoundInfo>,
partition_info: &PartitionInfo,
files: Vec<ParquetFile>,
) -> Result<(RoundInfo, Vec<Vec<ParquetFile>>, Vec<ParquetFile>), DynError> {
let res = self
.inner
- .calculate(components, partition_info, files)
+ .calculate(components, last_round_info, partition_info, files)
.await;
if let Ok((round_info, branches, files_later)) = &res {
debug!(round_info_source=%self.inner, %round_info, branches=branches.len(), files_later=files_later.len(), "running round");
@@ -90,6 +92,10 @@ impl LevelBasedRoundInfo {
}
/// Returns true if the scenario looks like ManySmallFiles, but we can't group them well into branches.
+ /// TODO: use this or remove it. For now, keep it in case we need the temporary workaround again.
+ /// This can be used to identify criteria to trigger a SimulatedLeadingEdge as a temporary workaround
+ /// for a situation that isn't well handled, when the desire is to postpone optimal handling to a later PR.
+ #[allow(dead_code)]
pub fn many_ungroupable_files(
&self,
files: &[ParquetFile],
@@ -202,19 +208,24 @@ impl LevelBasedRoundInfo {
false
}
- /// vertical_split_times evaluates the files to determine if vertical splitting is necessary. If so,
- /// a vec of split times is returned. The caller will use those split times in a VerticalSplit RoundInfo.
- /// If no split times are returned, that implies veritcal splitting is not appropriate, and the caller
- /// will identify another type of RoundInfo for this round of compaction.
- pub fn vertical_split_times(
+ /// vertical_split_handling determines if vertical splitting is necessary, or has already been done.
+ /// If splitting is necessary, a vec of split times is returned. If a previous split is detected, a
+ /// vec of CompactionRange is returned to preserve the prior split.
+ /// The need for more splitting takes precedence over acting on prior splitting. So if a vec of split times
+ /// is returned, the caller will use those split times in a VerticalSplit RoundInfo for vertical splitting.
+ /// If only a vec of CompactRanges are returned, the caller will use those to preserve the prior split until
+ /// all the L0s are compacted to L1.
+ /// If neither is returned, the caller will identify another type of RoundInfo for this round of compaction.
+ pub fn vertical_split_handling(
&self,
files: Vec<ParquetFile>,
max_compact_size: usize,
- ) -> Vec<i64> {
- let (start_level_files, target_level_files): (Vec<ParquetFile>, Vec<ParquetFile>) = files
- .into_iter()
- .filter(|f| f.compaction_level != CompactionLevel::Final)
- .partition(|f| f.compaction_level == CompactionLevel::Initial);
+ ) -> (Vec<i64>, Vec<FileRange>) {
+ let (start_level_files, mut target_level_files): (Vec<ParquetFile>, Vec<ParquetFile>) =
+ files
+ .into_iter()
+ .filter(|f| f.compaction_level != CompactionLevel::Final)
+ .partition(|f| f.compaction_level == CompactionLevel::Initial);
let len = start_level_files.len();
let mut split_times = Vec::with_capacity(len);
@@ -222,8 +233,10 @@ impl LevelBasedRoundInfo {
// Break up the start level files into chains of files that overlap each other.
// Then we'll determine if vertical splitting is needed within each chain.
let chains = split_into_chains(start_level_files);
+ let chains = merge_small_l0_chains(chains, max_compact_size);
+ let mut ranges = Vec::with_capacity(chains.len());
- for chain in chains {
+ for chain in &chains {
let chain_cap: usize = chain.iter().map(|f| f.file_size_bytes as usize).sum();
// A single file over max size can just get upgraded to L1, then L2, unless it overlaps other L0s.
@@ -233,7 +246,7 @@ impl LevelBasedRoundInfo {
// We can't know the data distribution within each file without reading the file (too expensive), but we can
// still learn a lot about the data distribution accross the set of files by assuming even distribtuion within each
// file and considering the distribution of files within the chain's time range.
- let linear_ranges = linear_dist_ranges(&chain, chain_cap, max_compact_size);
+ let linear_ranges = linear_dist_ranges(chain, chain_cap, max_compact_size);
for range in linear_ranges {
// split at every time range of linear distribution.
@@ -284,9 +297,64 @@ impl LevelBasedRoundInfo {
}
}
+ // If we're not doing vertical splitting, while we've got the chains, lets check for a previous vertical split.
+ // We'll preserve prior splitting activity by creating CompactionRange for each of the previous splits.
+ if chains.len() > 1 {
+ let mut prior_overlapping_max = Timestamp::new(0);
+ let mut prior_chain_max: i64 = 0;
+ let mut overlaps: Vec<ParquetFile>;
+
+ for chain in &chains {
+ let mut min = chain.iter().map(|f| f.min_time).min().unwrap();
+
+ let max = chain.iter().map(|f| f.max_time).max().unwrap();
+
+ if min <= prior_overlapping_max && prior_overlapping_max != Timestamp::new(0) {
+ // Target level files overlap more than one start level file, and there is a target level file overlapping
+ // the prior chain of L0s and this one. We'll split the target level file at the pror range/chain max before
+ // proceeding with compactions.
+ split_times.push(prior_chain_max)
+ }
+
+ // As we identify overlaps, we'll include some don't quite overlap, but are between the prior chain and this one.
+ // By including them here, we preserve the opportunity to grow small L1s in a "gappy" leading edge pattern.
+ // If they're large, they'll be excluded from the L0->L1 compaction, so there's no harm including them.
+ let search_min =
+ (prior_overlapping_max + 1).max(Timestamp::new(prior_chain_max + 1));
+ (overlaps, target_level_files) = target_level_files.into_iter().partition(|f2| {
+ f2.overlaps_time_range(search_min, max)
+ && f2.compaction_level != CompactionLevel::Final
+ });
+ let cap: usize = chain
+ .iter()
+ .map(|f| f.file_size_bytes as usize)
+ .sum::<usize>()
+ + overlaps
+ .iter()
+ .map(|f| f.file_size_bytes as usize)
+ .sum::<usize>();
+
+ if !overlaps.is_empty() {
+ prior_overlapping_max = overlaps.iter().map(|f| f.max_time).max().unwrap();
+ let prior_smallest_max = overlaps.iter().map(|f| f.max_time).min().unwrap();
+ if prior_smallest_max < min {
+ // Expand the region to include this file, so it can be included (if its small and we'd like to grow it).
+ min = prior_smallest_max;
+ }
+ }
+ prior_chain_max = max.get();
+
+ ranges.push(FileRange {
+ min: min.get(),
+ max: max.get(),
+ cap,
+ });
+ }
+ }
+
split_times.sort();
split_times.dedup();
- split_times
+ (split_times, ranges)
}
}
@@ -297,9 +365,30 @@ impl RoundInfoSource for LevelBasedRoundInfo {
async fn calculate(
&self,
components: Arc<Components>,
+ last_round_info: Option<RoundInfo>,
_partition_info: &PartitionInfo,
files: Vec<ParquetFile>,
) -> Result<(RoundInfo, Vec<Vec<ParquetFile>>, Vec<ParquetFile>), DynError> {
+ let mut ranges: Vec<FileRange> = vec![];
+
+ if let Some(last_round_info) = last_round_info {
+ if let Some(last_ranges) = last_round_info.ranges() {
+ // Last round had L0 CompactRange. If we have unfinished business from that,
+ // we need to continue with those ranges.
+ for range in last_ranges {
+ // If this range still has overapping L0 files, we need to keep it.
+ for f in &files {
+ if f.compaction_level == CompactionLevel::Initial
+ && f.overlaps_ranges(&vec![range])
+ {
+ ranges.push(range);
+ break;
+ }
+ }
+ }
+ }
+ }
+
// start_level is usually the lowest level we have files in, but occasionally we decide to
// compact L1->L2 when L0s still exist. If this comes back as L1, we'll ignore L0s for this
// round and force an early L1-L2 compaction.
@@ -309,14 +398,21 @@ impl RoundInfoSource for LevelBasedRoundInfo {
self.max_total_file_size_per_plan,
);
- let round_info = if start_level == CompactionLevel::Initial {
- let split_times = self
- .vertical_split_times(files.clone().to_vec(), self.max_total_file_size_per_plan);
+ let round_info = if !ranges.is_empty() {
+ RoundInfo::CompactRanges {
+ ranges,
+ max_num_files_to_group: self.max_num_files_per_plan,
+ max_total_file_size_to_group: self.max_total_file_size_per_plan,
+ }
+ } else if start_level == CompactionLevel::Initial {
+ let (split_times, ranges) = self
+ .vertical_split_handling(files.clone().to_vec(), self.max_total_file_size_per_plan);
+
if !split_times.is_empty() {
RoundInfo::VerticalSplit { split_times }
- } else if self.many_ungroupable_files(&files, start_level, self.max_num_files_per_plan)
- {
- RoundInfo::SimulatedLeadingEdge {
+ } else if !ranges.is_empty() {
+ RoundInfo::CompactRanges {
+ ranges,
max_num_files_to_group: self.max_num_files_per_plan,
max_total_file_size_to_group: self.max_total_file_size_per_plan,
}
diff --git a/compactor/src/components/round_split/many_files.rs b/compactor/src/components/round_split/many_files.rs
index 236826563f..2d7ada1466 100644
--- a/compactor/src/components/round_split/many_files.rs
+++ b/compactor/src/components/round_split/many_files.rs
@@ -67,12 +67,26 @@ impl RoundSplit for ManyFilesRoundSplit {
// We're splitting L0 files at split_times. So any L0 that overlaps a split_time needs processed, and all other files are ignored until later.
let (split_files, rest): (Vec<ParquetFile>, Vec<ParquetFile>) =
files.into_iter().partition(|f| {
- f.compaction_level == CompactionLevel::Initial
- && f.needs_split(&split_times)
+ f.compaction_level != CompactionLevel::Final && f.needs_split(&split_times)
});
+ assert!(
+ !split_files.is_empty(),
+ "if we decided to split, there should be something to split"
+ );
(split_files, rest)
}
+
+ RoundInfo::CompactRanges { ranges, .. } => {
+ // We're compacting L0 & L1s in the specified ranges. Files outside these ranges are
+ // ignored until a later round.
+ let (compact_files, rest): (Vec<ParquetFile>, Vec<ParquetFile>) =
+ files.into_iter().partition(|f| {
+ f.compaction_level != CompactionLevel::Final && f.overlaps_ranges(&ranges)
+ });
+
+ (compact_files, rest)
+ }
}
}
}
diff --git a/compactor/src/components/split_or_compact/start_level_files_to_split.rs b/compactor/src/components/split_or_compact/start_level_files_to_split.rs
index f882721f09..0b285b06c6 100644
--- a/compactor/src/components/split_or_compact/start_level_files_to_split.rs
+++ b/compactor/src/components/split_or_compact/start_level_files_to_split.rs
@@ -335,6 +335,7 @@ pub fn merge_small_l0_chains(
// matching max_lo_created_at times indicates that the files were deliberately split. We shouldn't merge
// chains with matching max_lo_created_at times, because that would encourage undoing the previous split,
// which minimally increases write amplification, and may cause unproductive split/compact loops.
+ // TODO: this may not be necessary long term (with CompactRanges this might be ok)
let mut matches = 0;
if prior_chain_bytes > 0 {
for f in chain.iter() {
@@ -362,6 +363,9 @@ pub fn merge_small_l0_chains(
}
}
+ // Put it back in the standard order.
+ merged_chains.sort_by_key(|a| a[0].min_time);
+
merged_chains
}
diff --git a/compactor/src/driver.rs b/compactor/src/driver.rs
index 51628679e5..fbad622ad9 100644
--- a/compactor/src/driver.rs
+++ b/compactor/src/driver.rs
@@ -215,6 +215,7 @@ async fn try_compact_partition(
let mut files = components.partition_files_source.fetch(partition_id).await;
let partition_info = components.partition_info_source.fetch(partition_id).await?;
let transmit_progress_signal = Arc::new(transmit_progress_signal);
+ let mut last_round_info: Option<RoundInfo> = None;
// loop for each "Round", consider each file in the partition
// for partitions with a lot of compaction work to do, keeping the work divided into multiple rounds,
@@ -246,6 +247,7 @@ async fn try_compact_partition(
.round_info_source
.calculate(
Arc::<Components>::clone(&components),
+ last_round_info,
&partition_info,
files,
)
@@ -292,6 +294,7 @@ async fn try_compact_partition(
.await?;
files.extend(branches_output.into_iter().flatten());
+ last_round_info = Some(round_info);
}
}
diff --git a/compactor/src/round_info.rs b/compactor/src/round_info.rs
index 79fe99858e..51b69da86a 100644
--- a/compactor/src/round_info.rs
+++ b/compactor/src/round_info.rs
@@ -2,7 +2,7 @@
use std::fmt::Display;
-use data_types::CompactionLevel;
+use data_types::{CompactionLevel, FileRange};
/// Information about the current compaction round (see driver.rs for
/// more details about a round)
@@ -52,6 +52,17 @@ pub enum RoundInfo {
/// need split.
split_times: Vec<i64>,
},
+
+ /// CompactRanges are overlapping chains of L0s are less than max_compact_size, with no L0 or L1 overlaps
+ /// between ranges.
+ CompactRanges {
+ /// Ranges describing distinct chains of L0s to be compacted.
+ ranges: Vec<FileRange>,
+ /// max number of files to group in each plan
+ max_num_files_to_group: usize,
+ /// max total size limit of files to group in each plan
+ max_total_file_size_to_group: usize,
+ },
}
impl Display for RoundInfo {
@@ -68,6 +79,7 @@ impl Display for RoundInfo {
max_total_file_size_to_group,
} => write!(f, "SimulatedLeadingEdge: {max_num_files_to_group}, {max_total_file_size_to_group}",),
Self::VerticalSplit { split_times } => write!(f, "VerticalSplit: {split_times:?}"),
+ Self::CompactRanges { ranges, max_num_files_to_group, max_total_file_size_to_group } => write!(f, "{:?}, {max_num_files_to_group}, {max_total_file_size_to_group}", ranges)
}
}
}
@@ -81,6 +93,7 @@ impl RoundInfo {
Self::ManySmallFiles { start_level, .. } => *start_level,
Self::SimulatedLeadingEdge { .. } => CompactionLevel::FileNonOverlapped,
Self::VerticalSplit { .. } => CompactionLevel::Initial,
+ Self::CompactRanges { .. } => CompactionLevel::Initial,
}
}
@@ -107,6 +120,10 @@ impl RoundInfo {
..
} => Some(*max_num_files_to_group),
Self::VerticalSplit { .. } => None,
+ Self::CompactRanges {
+ max_num_files_to_group,
+ ..
+ } => Some(*max_num_files_to_group),
}
}
@@ -123,6 +140,25 @@ impl RoundInfo {
..
} => Some(*max_total_file_size_to_group),
Self::VerticalSplit { .. } => None,
+ Self::CompactRanges {
+ max_total_file_size_to_group,
+ ..
+ } => Some(*max_total_file_size_to_group),
+ }
+ }
+
+ /// return compaction ranges, when available.
+ /// We could generate ranges from VerticalSplit split times, but that asssumes the splits resulted in
+ /// no ranges > max_compact_size, which is not guaranteed. Instead, we'll detect the ranges the first
+ /// time after VerticalSplit, and may decide to resplit subset of the files again if data was more
+ /// non-linear than expected.
+ pub fn ranges(&self) -> Option<Vec<FileRange>> {
+ match self {
+ Self::TargetLevel { .. } => None,
+ Self::ManySmallFiles { .. } => None,
+ Self::SimulatedLeadingEdge { .. } => None,
+ Self::VerticalSplit { .. } => None,
+ Self::CompactRanges { ranges, .. } => Some(ranges.clone()),
}
}
}
diff --git a/compactor/tests/integration.rs b/compactor/tests/integration.rs
index 31ee42ec11..19ad513d2f 100644
--- a/compactor/tests/integration.rs
+++ b/compactor/tests/integration.rs
@@ -56,9 +56,9 @@ async fn test_num_files_over_limit() {
setup.run_compact().await;
//
- // read files and verify 2 files
+ // read files and verify 3 files
let files = setup.list_by_table_not_to_delete().await;
- assert_eq!(files.len(), 2);
+ assert_eq!(files.len(), 3);
//
// verify ID and compaction level of the files
@@ -68,8 +68,9 @@ async fn test_num_files_over_limit() {
assert_levels(
&files,
vec![
+ (7, CompactionLevel::FileNonOverlapped),
+ (8, CompactionLevel::FileNonOverlapped),
(9, CompactionLevel::FileNonOverlapped),
- (10, CompactionLevel::FileNonOverlapped),
],
);
}
@@ -129,7 +130,7 @@ async fn test_compact_target_level() {
// This is the result of 2-round compaction fomr L0s -> L1s and then L1s -> L2s
// The first round will create two L1 files IDs 7 and 8
// The second round will create tow L2 file IDs 9 and 10
- vec![(9, CompactionLevel::Final), (10, CompactionLevel::Final)],
+ vec![(10, CompactionLevel::Final), (11, CompactionLevel::Final)],
);
assert_max_l0_created_at(
@@ -137,8 +138,8 @@ async fn test_compact_target_level() {
// both files have max_l0_created time_5_minutes_future
// which is the max of all L0 input's max_l0_created_at
vec![
- (9, times.time_5_minutes_future),
(10, times.time_5_minutes_future),
+ (11, times.time_5_minutes_future),
],
);
@@ -229,13 +230,14 @@ async fn test_compact_large_overlapes() {
---
- initial
- "L2 "
- - "L2.6[6000,36000] 300s 3kb|-------L2.6-------| "
- - "L2.7[68000,68000] 300s 2kb |L2.7| "
- - "L2.8[136000,136000] 300s 3kb |L2.8|"
+ - "L2.5[136000,136000] 300s 2kb |L2.5|"
+ - "L2.6[6000,30000] 240s 3kb|-----L2.6-----| "
+ - "L2.7[36000,36000] 240s 3kb |L2.7| "
+ - "L2.8[68000,68000] 240s 2kb |L2.8| "
"###
);
- assert_eq!(files.len(), 3);
+ assert_eq!(files.len(), 4);
// order files on their min_time
files.sort_by_key(|f| f.min_time);
@@ -253,7 +255,6 @@ async fn test_compact_large_overlapes() {
"| 1500 | WA | | | 1970-01-01T00:00:00.000008Z |",
"| 1601 | | PA | 15 | 1970-01-01T00:00:00.000028Z |",
"| 1601 | | PA | 15 | 1970-01-01T00:00:00.000030Z |",
- "| 21 | | OH | 21 | 1970-01-01T00:00:00.000036Z |",
"| 270 | UT | | | 1970-01-01T00:00:00.000025Z |",
"| 70 | UT | | | 1970-01-01T00:00:00.000020Z |",
"| 99 | OR | | | 1970-01-01T00:00:00.000012Z |",
@@ -270,7 +271,7 @@ async fn test_compact_large_overlapes() {
"+-----------+------+------+------+-----------------------------+",
"| field_int | tag1 | tag2 | tag3 | time |",
"+-----------+------+------+------+-----------------------------+",
- "| 10 | VT | | | 1970-01-01T00:00:00.000068Z |",
+ "| 21 | | OH | 21 | 1970-01-01T00:00:00.000036Z |",
"+-----------+------+------+------+-----------------------------+",
],
&batches
@@ -284,11 +285,24 @@ async fn test_compact_large_overlapes() {
"+-----------+------+------+------+-----------------------------+",
"| field_int | tag1 | tag2 | tag3 | time |",
"+-----------+------+------+------+-----------------------------+",
- "| 210 | | OH | 21 | 1970-01-01T00:00:00.000136Z |",
+ "| 10 | VT | | | 1970-01-01T00:00:00.000068Z |",
"+-----------+------+------+------+-----------------------------+",
],
&batches
);
+
+ let file = files[3].clone();
+ let batches = setup.read_parquet_file(file).await;
+ assert_batches_sorted_eq!(
+ &[
+ "+-----------+------+------+-----------------------------+",
+ "| field_int | tag2 | tag3 | time |",
+ "+-----------+------+------+-----------------------------+",
+ "| 210 | OH | 21 | 1970-01-01T00:00:00.000136Z |",
+ "+-----------+------+------+-----------------------------+",
+ ],
+ &batches
+ );
}
#[tokio::test]
diff --git a/compactor/tests/layouts/backfill.rs b/compactor/tests/layouts/backfill.rs
index 35f5760d56..2e9e509660 100644
--- a/compactor/tests/layouts/backfill.rs
+++ b/compactor/tests/layouts/backfill.rs
@@ -559,54 +559,7 @@ async fn random_backfill_empty_partition() {
- "Committing partition 1:"
- " Soft Deleting 20 files: L0.51, L0.52, L0.55, L0.58, L0.61, L0.63, L0.66, L0.69, L0.72, L0.74, L0.77, L0.80, L0.83, L0.85, L0.88, L0.91, L0.94, L0.96, L0.99, L0.102"
- " Creating 1 files"
- - "**** Simulation run 51, type=compact(ManySmallFiles). 20 Input Files, 71mb total:"
- - "L0 "
- - "L0.105[50,355] 1.02us 5mb |---------------------------------------L0.105----------------------------------------| "
- - "L0.107[76,355] 1.02us 3mb |------------------------------------L0.107------------------------------------| "
- - "L0.110[42,355] 1.02us 3mb|-----------------------------------------L0.110-----------------------------------------|"
- - "L0.113[173,355] 1.02us 2mb |----------------------L0.113----------------------| "
- - "L0.116[50,355] 1.02us 5mb |---------------------------------------L0.116----------------------------------------| "
- - "L0.118[76,355] 1.02us 3mb |------------------------------------L0.118------------------------------------| "
- - "L0.121[42,355] 1.02us 3mb|-----------------------------------------L0.121-----------------------------------------|"
- - "L0.124[173,355] 1.03us 2mb |----------------------L0.124----------------------| "
- - "L0.127[50,355] 1.03us 5mb |---------------------------------------L0.127----------------------------------------| "
- - "L0.129[76,355] 1.03us 3mb |------------------------------------L0.129------------------------------------| "
- - "L0.132[42,355] 1.03us 3mb|-----------------------------------------L0.132-----------------------------------------|"
- - "L0.135[173,355] 1.03us 2mb |----------------------L0.135----------------------| "
- - "L0.138[50,355] 1.03us 5mb |---------------------------------------L0.138----------------------------------------| "
- - "L0.140[76,355] 1.03us 3mb |------------------------------------L0.140------------------------------------| "
- - "L0.143[42,355] 1.03us 3mb|-----------------------------------------L0.143-----------------------------------------|"
- - "L0.146[173,355] 1.03us 2mb |----------------------L0.146----------------------| "
- - "L0.149[50,355] 1.03us 5mb |---------------------------------------L0.149----------------------------------------| "
- - "L0.151[76,355] 1.04us 3mb |------------------------------------L0.151------------------------------------| "
- - "L0.154[42,355] 1.04us 3mb|-----------------------------------------L0.154-----------------------------------------|"
- - "L0.157[173,355] 1.04us 2mb |----------------------L0.157----------------------| "
- - "**** 1 Output Files (parquet_file_id not yet assigned), 71mb total:"
- - "L0, all files 71mb "
- - "L0.?[42,355] 1.04us |------------------------------------------L0.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 20 files: L0.105, L0.107, L0.110, L0.113, L0.116, L0.118, L0.121, L0.124, L0.127, L0.129, L0.132, L0.135, L0.138, L0.140, L0.143, L0.146, L0.149, L0.151, L0.154, L0.157"
- - " Creating 1 files"
- - "**** Simulation run 52, type=compact(ManySmallFiles). 11 Input Files, 40mb total:"
- - "L0 "
- - "L0.160[50,355] 1.04us 5mb |---------------------------------------L0.160----------------------------------------| "
- - "L0.162[76,355] 1.04us 3mb |------------------------------------L0.162------------------------------------| "
- - "L0.165[42,355] 1.04us 3mb|-----------------------------------------L0.165-----------------------------------------|"
- - "L0.168[173,355] 1.04us 2mb |----------------------L0.168----------------------| "
- - "L0.171[50,355] 1.04us 5mb |---------------------------------------L0.171----------------------------------------| "
- - "L0.173[76,355] 1.04us 3mb |------------------------------------L0.173------------------------------------| "
- - "L0.176[42,355] 1.05us 3mb|-----------------------------------------L0.176-----------------------------------------|"
- - "L0.179[173,355] 1.05us 2mb |----------------------L0.179----------------------| "
- - "L0.182[50,355] 1.05us 5mb |---------------------------------------L0.182----------------------------------------| "
- - "L0.184[76,355] 1.05us 3mb |------------------------------------L0.184------------------------------------| "
- - "L0.187[42,355] 1.05us 3mb|-----------------------------------------L0.187-----------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 40mb total:"
- - "L0, all files 40mb "
- - "L0.?[42,355] 1.05us |------------------------------------------L0.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 11 files: L0.160, L0.162, L0.165, L0.168, L0.171, L0.173, L0.176, L0.179, L0.182, L0.184, L0.187"
- - " Creating 1 files"
- - "**** Simulation run 53, type=compact(ManySmallFiles). 20 Input Files, 79mb total:"
+ - "**** Simulation run 51, type=compact(ManySmallFiles). 20 Input Files, 79mb total:"
- "L0 "
- "L0.53[356,668] 1us 4mb |-----------------------------------------L0.53------------------------------------------|"
- "L0.56[356,668] 1us 3mb |-----------------------------------------L0.56------------------------------------------|"
@@ -634,35 +587,7 @@ async fn random_backfill_empty_partition() {
- "Committing partition 1:"
- " Soft Deleting 20 files: L0.53, L0.56, L0.59, L0.62, L0.64, L0.67, L0.70, L0.73, L0.75, L0.78, L0.81, L0.84, L0.86, L0.89, L0.92, L0.95, L0.97, L0.100, L0.103, L0.106"
- " Creating 1 files"
- - "**** Simulation run 54, type=compact(ManySmallFiles). 20 Input Files, 79mb total:"
- - "L0 "
- - "L0.108[356,668] 1.02us 4mb|-----------------------------------------L0.108-----------------------------------------|"
- - "L0.111[356,668] 1.02us 3mb|-----------------------------------------L0.111-----------------------------------------|"
- - "L0.114[356,668] 1.02us 4mb|-----------------------------------------L0.114-----------------------------------------|"
- - "L0.117[356,629] 1.02us 5mb|-----------------------------------L0.117-----------------------------------| "
- - "L0.119[356,668] 1.02us 4mb|-----------------------------------------L0.119-----------------------------------------|"
- - "L0.122[356,668] 1.02us 3mb|-----------------------------------------L0.122-----------------------------------------|"
- - "L0.125[356,668] 1.03us 4mb|-----------------------------------------L0.125-----------------------------------------|"
- - "L0.128[356,629] 1.03us 5mb|-----------------------------------L0.128-----------------------------------| "
- - "L0.130[356,668] 1.03us 4mb|-----------------------------------------L0.130-----------------------------------------|"
- - "L0.133[356,668] 1.03us 3mb|-----------------------------------------L0.133-----------------------------------------|"
- - "L0.136[356,668] 1.03us 4mb|-----------------------------------------L0.136-----------------------------------------|"
- - "L0.139[356,629] 1.03us 5mb|-----------------------------------L0.139-----------------------------------| "
- - "L0.141[356,668] 1.03us 4mb|-----------------------------------------L0.141-----------------------------------------|"
- - "L0.144[356,668] 1.03us 3mb|-----------------------------------------L0.144-----------------------------------------|"
- - "L0.147[356,668] 1.03us 4mb|-----------------------------------------L0.147-----------------------------------------|"
- - "L0.150[356,629] 1.03us 5mb|-----------------------------------L0.150-----------------------------------| "
- - "L0.152[356,668] 1.04us 4mb|-----------------------------------------L0.152-----------------------------------------|"
- - "L0.155[356,668] 1.04us 3mb|-----------------------------------------L0.155-----------------------------------------|"
- - "L0.158[356,668] 1.04us 4mb|-----------------------------------------L0.158-----------------------------------------|"
- - "L0.161[356,629] 1.04us 5mb|-----------------------------------L0.161-----------------------------------| "
- - "**** 1 Output Files (parquet_file_id not yet assigned), 79mb total:"
- - "L0, all files 79mb "
- - "L0.?[356,668] 1.04us |------------------------------------------L0.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 20 files: L0.108, L0.111, L0.114, L0.117, L0.119, L0.122, L0.125, L0.128, L0.130, L0.133, L0.136, L0.139, L0.141, L0.144, L0.147, L0.150, L0.152, L0.155, L0.158, L0.161"
- - " Creating 1 files"
- - "**** Simulation run 55, type=compact(ManySmallFiles). 20 Input Files, 67mb total:"
+ - "**** Simulation run 52, type=compact(ManySmallFiles). 20 Input Files, 67mb total:"
- "L0 "
- "L0.54[669,932] 1us 3mb |---------------------------------L0.54----------------------------------| "
- "L0.57[669,986] 1us 3mb |-----------------------------------------L0.57------------------------------------------|"
@@ -690,158 +615,153 @@ async fn random_backfill_empty_partition() {
- "Committing partition 1:"
- " Soft Deleting 20 files: L0.54, L0.57, L0.60, L0.65, L0.68, L0.71, L0.76, L0.79, L0.82, L0.87, L0.90, L0.93, L0.98, L0.101, L0.104, L0.109, L0.112, L0.115, L0.120, L0.123"
- " Creating 1 files"
- - "**** Simulation run 56, type=compact(ManySmallFiles). 18 Input Files, 60mb total:"
+ - "**** Simulation run 53, type=compact(ManySmallFiles). 20 Input Files, 71mb total:"
- "L0 "
- - "L0.126[669,950] 1.03us 4mb|-----------------------------------L0.126------------------------------------| "
- - "L0.131[669,932] 1.03us 3mb|---------------------------------L0.131---------------------------------| "
- - "L0.134[669,986] 1.03us 3mb|-----------------------------------------L0.134-----------------------------------------|"
- - "L0.137[669,950] 1.03us 4mb|-----------------------------------L0.137------------------------------------| "
- - "L0.142[669,932] 1.03us 3mb|---------------------------------L0.142---------------------------------| "
- - "L0.145[669,986] 1.03us 3mb|-----------------------------------------L0.145-----------------------------------------|"
- - "L0.148[669,950] 1.03us 4mb|-----------------------------------L0.148------------------------------------| "
- - "L0.153[669,932] 1.04us 3mb|---------------------------------L0.153---------------------------------| "
- - "L0.156[669,986] 1.04us 3mb|-----------------------------------------L0.156-----------------------------------------|"
- - "L0.159[669,950] 1.04us 4mb|-----------------------------------L0.159------------------------------------| "
- - "L0.164[669,932] 1.04us 3mb|---------------------------------L0.164---------------------------------| "
- - "L0.167[669,986] 1.04us 3mb|-----------------------------------------L0.167-----------------------------------------|"
- - "L0.170[669,950] 1.04us 4mb|-----------------------------------L0.170------------------------------------| "
- - "L0.175[669,932] 1.04us 3mb|---------------------------------L0.175---------------------------------| "
- - "L0.178[669,986] 1.05us 3mb|-----------------------------------------L0.178-----------------------------------------|"
- - "L0.181[669,950] 1.05us 4mb|-----------------------------------L0.181------------------------------------| "
- - "L0.186[669,932] 1.05us 3mb|---------------------------------L0.186---------------------------------| "
- - "L0.189[669,986] 1.05us 3mb|-----------------------------------------L0.189-----------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 60mb total:"
- - "L0, all files 60mb "
- - "L0.?[669,986] 1.05us |------------------------------------------L0.?------------------------------------------|"
+ - "L0.105[50,355] 1.02us 5mb |---------------------------------------L0.105----------------------------------------| "
+ - "L0.107[76,355] 1.02us 3mb |------------------------------------L0.107------------------------------------| "
+ - "L0.110[42,355] 1.02us 3mb|-----------------------------------------L0.110-----------------------------------------|"
+ - "L0.113[173,355] 1.02us 2mb |----------------------L0.113----------------------| "
+ - "L0.116[50,355] 1.02us 5mb |---------------------------------------L0.116----------------------------------------| "
+ - "L0.118[76,355] 1.02us 3mb |------------------------------------L0.118------------------------------------| "
+ - "L0.121[42,355] 1.02us 3mb|-----------------------------------------L0.121-----------------------------------------|"
+ - "L0.124[173,355] 1.03us 2mb |----------------------L0.124----------------------| "
+ - "L0.127[50,355] 1.03us 5mb |---------------------------------------L0.127----------------------------------------| "
+ - "L0.129[76,355] 1.03us 3mb |------------------------------------L0.129------------------------------------| "
+ - "L0.132[42,355] 1.03us 3mb|-----------------------------------------L0.132-----------------------------------------|"
+ - "L0.135[173,355] 1.03us 2mb |----------------------L0.135----------------------| "
+ - "L0.138[50,355] 1.03us 5mb |---------------------------------------L0.138----------------------------------------| "
+ - "L0.140[76,355] 1.03us 3mb |------------------------------------L0.140------------------------------------| "
+ - "L0.143[42,355] 1.03us 3mb|-----------------------------------------L0.143-----------------------------------------|"
+ - "L0.146[173,355] 1.03us 2mb |----------------------L0.146----------------------| "
+ - "L0.149[50,355] 1.03us 5mb |---------------------------------------L0.149----------------------------------------| "
+ - "L0.151[76,355] 1.04us 3mb |------------------------------------L0.151------------------------------------| "
+ - "L0.154[42,355] 1.04us 3mb|-----------------------------------------L0.154-----------------------------------------|"
+ - "L0.157[173,355] 1.04us 2mb |----------------------L0.157----------------------| "
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 71mb total:"
+ - "L0, all files 71mb "
+ - "L0.?[42,355] 1.04us |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 18 files: L0.126, L0.131, L0.134, L0.137, L0.142, L0.145, L0.148, L0.153, L0.156, L0.159, L0.164, L0.167, L0.170, L0.175, L0.178, L0.181, L0.186, L0.189"
+ - " Soft Deleting 20 files: L0.105, L0.107, L0.110, L0.113, L0.116, L0.118, L0.121, L0.124, L0.127, L0.129, L0.132, L0.135, L0.138, L0.140, L0.143, L0.146, L0.149, L0.151, L0.154, L0.157"
- " Creating 1 files"
- - "**** Simulation run 57, type=compact(ManySmallFiles). 10 Input Files, 38mb total:"
+ - "**** Simulation run 54, type=compact(ManySmallFiles). 20 Input Files, 79mb total:"
- "L0 "
- - "L0.163[356,668] 1.04us 4mb|-----------------------------------------L0.163-----------------------------------------|"
- - "L0.166[356,668] 1.04us 3mb|-----------------------------------------L0.166-----------------------------------------|"
- - "L0.169[356,668] 1.04us 4mb|-----------------------------------------L0.169-----------------------------------------|"
- - "L0.172[356,629] 1.04us 5mb|-----------------------------------L0.172-----------------------------------| "
- - "L0.174[356,668] 1.04us 4mb|-----------------------------------------L0.174-----------------------------------------|"
- - "L0.177[356,668] 1.05us 3mb|-----------------------------------------L0.177-----------------------------------------|"
- - "L0.180[356,668] 1.05us 4mb|-----------------------------------------L0.180-----------------------------------------|"
- - "L0.183[356,629] 1.05us 5mb|-----------------------------------L0.183-----------------------------------| "
- - "L0.185[356,668] 1.05us 4mb|-----------------------------------------L0.185-----------------------------------------|"
- - "L0.188[356,668] 1.05us 3mb|-----------------------------------------L0.188-----------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 38mb total:"
- - "L0, all files 38mb "
- - "L0.?[356,668] 1.05us |------------------------------------------L0.?------------------------------------------|"
+ - "L0.108[356,668] 1.02us 4mb|-----------------------------------------L0.108-----------------------------------------|"
+ - "L0.111[356,668] 1.02us 3mb|-----------------------------------------L0.111-----------------------------------------|"
+ - "L0.114[356,668] 1.02us 4mb|-----------------------------------------L0.114-----------------------------------------|"
+ - "L0.117[356,629] 1.02us 5mb|-----------------------------------L0.117-----------------------------------| "
+ - "L0.119[356,668] 1.02us 4mb|-----------------------------------------L0.119-----------------------------------------|"
+ - "L0.122[356,668] 1.02us 3mb|-----------------------------------------L0.122-----------------------------------------|"
+ - "L0.125[356,668] 1.03us 4mb|-----------------------------------------L0.125-----------------------------------------|"
+ - "L0.128[356,629] 1.03us 5mb|-----------------------------------L0.128-----------------------------------| "
+ - "L0.130[356,668] 1.03us 4mb|-----------------------------------------L0.130-----------------------------------------|"
+ - "L0.133[356,668] 1.03us 3mb|-----------------------------------------L0.133-----------------------------------------|"
+ - "L0.136[356,668] 1.03us 4mb|-----------------------------------------L0.136-----------------------------------------|"
+ - "L0.139[356,629] 1.03us 5mb|-----------------------------------L0.139-----------------------------------| "
+ - "L0.141[356,668] 1.03us 4mb|-----------------------------------------L0.141-----------------------------------------|"
+ - "L0.144[356,668] 1.03us 3mb|-----------------------------------------L0.144-----------------------------------------|"
+ - "L0.147[356,668] 1.03us 4mb|-----------------------------------------L0.147-----------------------------------------|"
+ - "L0.150[356,629] 1.03us 5mb|-----------------------------------L0.150-----------------------------------| "
+ - "L0.152[356,668] 1.04us 4mb|-----------------------------------------L0.152-----------------------------------------|"
+ - "L0.155[356,668] 1.04us 3mb|-----------------------------------------L0.155-----------------------------------------|"
+ - "L0.158[356,668] 1.04us 4mb|-----------------------------------------L0.158-----------------------------------------|"
+ - "L0.161[356,629] 1.04us 5mb|-----------------------------------L0.161-----------------------------------| "
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 79mb total:"
+ - "L0, all files 79mb "
+ - "L0.?[356,668] 1.04us |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 10 files: L0.163, L0.166, L0.169, L0.172, L0.174, L0.177, L0.180, L0.183, L0.185, L0.188"
+ - " Soft Deleting 20 files: L0.108, L0.111, L0.114, L0.117, L0.119, L0.122, L0.125, L0.128, L0.130, L0.133, L0.136, L0.139, L0.141, L0.144, L0.147, L0.150, L0.152, L0.155, L0.158, L0.161"
- " Creating 1 files"
- - "**** Simulation run 58, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[338, 676]). 4 Input Files, 292mb total:"
+ - "**** Simulation run 55, type=split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))(split_times=[919]). 19 Input Files, 127mb total:"
- "L0 "
- - "L0.190[0,355] 1.02us 76mb|------------L0.190------------| "
- - "L0.193[356,668] 1.02us 79mb |----------L0.193----------| "
- - "L0.195[669,986] 1.02us 67mb |----------L0.195----------| "
- - "L0.191[42,355] 1.04us 71mb |----------L0.191----------| "
- - "**** 3 Output Files (parquet_file_id not yet assigned), 292mb total:"
- - "L1 "
- - "L1.?[0,338] 1.04us 100mb |------------L1.?------------| "
- - "L1.?[339,676] 1.04us 100mb |------------L1.?------------| "
- - "L1.?[677,986] 1.04us 92mb |-----------L1.?-----------| "
- - "Committing partition 1:"
- - " Soft Deleting 4 files: L0.190, L0.191, L0.193, L0.195"
- - " Creating 3 files"
- - "**** Simulation run 59, type=split(ReduceOverlap)(split_times=[676]). 1 Input Files, 60mb total:"
- - "L0, all files 60mb "
- - "L0.196[669,986] 1.05us |-----------------------------------------L0.196-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 60mb total:"
- - "L0 "
- - "L0.?[669,676] 1.05us 2mb |L0.?| "
- - "L0.?[677,986] 1.05us 59mb |----------------------------------------L0.?-----------------------------------------| "
- - "**** Simulation run 60, type=split(ReduceOverlap)(split_times=[338]). 1 Input Files, 40mb total:"
- - "L0, all files 40mb "
- - "L0.192[42,355] 1.05us |-----------------------------------------L0.192-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 40mb total:"
- - "L0 "
- - "L0.?[42,338] 1.05us 38mb |---------------------------------------L0.?----------------------------------------| "
- - "L0.?[339,355] 1.05us 2mb |L0.?|"
- - "Committing partition 1:"
- - " Soft Deleting 2 files: L0.192, L0.196"
- - " Creating 4 files"
- - "**** Simulation run 61, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[528]). 2 Input Files, 179mb total:"
- - "L0 "
- - "L0.194[356,668] 1.04us 79mb |-------------------------------------L0.194--------------------------------------| "
- - "L1 "
- - "L1.199[339,676] 1.04us 100mb|-----------------------------------------L1.199-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 179mb total:"
+ - "L0.189[669,986] 1.05us 3mb|-----------------------------------------L0.189-----------------------------------------|"
+ - "L0.186[669,932] 1.05us 3mb|---------------------------------L0.186---------------------------------| "
+ - "L0.181[669,950] 1.05us 4mb|-----------------------------------L0.181------------------------------------| "
+ - "L0.178[669,986] 1.05us 3mb|-----------------------------------------L0.178-----------------------------------------|"
+ - "L0.175[669,932] 1.04us 3mb|---------------------------------L0.175---------------------------------| "
+ - "L0.170[669,950] 1.04us 4mb|-----------------------------------L0.170------------------------------------| "
+ - "L0.167[669,986] 1.04us 3mb|-----------------------------------------L0.167-----------------------------------------|"
+ - "L0.164[669,932] 1.04us 3mb|---------------------------------L0.164---------------------------------| "
+ - "L0.159[669,950] 1.04us 4mb|-----------------------------------L0.159------------------------------------| "
+ - "L0.156[669,986] 1.04us 3mb|-----------------------------------------L0.156-----------------------------------------|"
+ - "L0.153[669,932] 1.04us 3mb|---------------------------------L0.153---------------------------------| "
+ - "L0.148[669,950] 1.03us 4mb|-----------------------------------L0.148------------------------------------| "
+ - "L0.145[669,986] 1.03us 3mb|-----------------------------------------L0.145-----------------------------------------|"
+ - "L0.142[669,932] 1.03us 3mb|---------------------------------L0.142---------------------------------| "
+ - "L0.137[669,950] 1.03us 4mb|-----------------------------------L0.137------------------------------------| "
+ - "L0.134[669,986] 1.03us 3mb|-----------------------------------------L0.134-----------------------------------------|"
+ - "L0.131[669,932] 1.03us 3mb|---------------------------------L0.131---------------------------------| "
+ - "L0.126[669,950] 1.03us 4mb|-----------------------------------L0.126------------------------------------| "
+ - "L0.192[669,986] 1.02us 67mb|-----------------------------------------L0.192-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 127mb total:"
- "L1 "
- - "L1.?[339,528] 1.04us 100mb|----------------------L1.?----------------------| "
- - "L1.?[529,676] 1.04us 78mb |----------------L1.?-----------------| "
- - "Committing partition 1:"
- - " Soft Deleting 2 files: L0.194, L1.199"
- - " Creating 2 files"
- - "**** Simulation run 62, type=split(ReduceOverlap)(split_times=[528]). 1 Input Files, 38mb total:"
- - "L0, all files 38mb "
- - "L0.197[356,668] 1.05us |-----------------------------------------L0.197-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 38mb total:"
- - "L0 "
- - "L0.?[356,528] 1.05us 21mb|---------------------L0.?----------------------| "
- - "L0.?[529,668] 1.05us 17mb |-----------------L0.?-----------------| "
+ - "L1.?[669,919] 1.05us 100mb|--------------------------------L1.?--------------------------------| "
+ - "L1.?[920,986] 1.05us 27mb |------L1.?------| "
- "Committing partition 1:"
- - " Soft Deleting 1 files: L0.197"
+ - " Soft Deleting 19 files: L0.126, L0.131, L0.134, L0.137, L0.142, L0.145, L0.148, L0.153, L0.156, L0.159, L0.164, L0.167, L0.170, L0.175, L0.178, L0.181, L0.186, L0.189, L0.192"
- " Creating 2 files"
- - "**** Simulation run 63, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[202, 404]). 5 Input Files, 262mb total:"
- - "L0 "
- - "L0.203[42,338] 1.05us 38mb |---------------------L0.203---------------------| "
- - "L0.204[339,355] 1.05us 2mb |L0.204| "
- - "L0.207[356,528] 1.05us 21mb |----------L0.207-----------| "
+ - "**** Simulation run 56, type=split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))(split_times=[190]). 13 Input Files, 187mb total:"
+ - "L0 "
+ - "L0.187[42,355] 1.05us 3mb |-----------------------------------L0.187------------------------------------| "
+ - "L0.184[76,355] 1.05us 3mb |-------------------------------L0.184-------------------------------| "
+ - "L0.182[50,355] 1.05us 5mb |----------------------------------L0.182-----------------------------------| "
+ - "L0.179[173,355] 1.05us 2mb |-------------------L0.179-------------------| "
+ - "L0.176[42,355] 1.05us 3mb |-----------------------------------L0.176------------------------------------| "
+ - "L0.173[76,355] 1.04us 3mb |-------------------------------L0.173-------------------------------| "
+ - "L0.171[50,355] 1.04us 5mb |----------------------------------L0.171-----------------------------------| "
+ - "L0.168[173,355] 1.04us 2mb |-------------------L0.168-------------------| "
+ - "L0.165[42,355] 1.04us 3mb |-----------------------------------L0.165------------------------------------| "
+ - "L0.162[76,355] 1.04us 3mb |-------------------------------L0.162-------------------------------| "
+ - "L0.160[50,355] 1.04us 5mb |----------------------------------L0.160-----------------------------------| "
+ - "L0.190[0,355] 1.02us 76mb|-----------------------------------------L0.190-----------------------------------------|"
+ - "L0.193[42,355] 1.04us 71mb |-----------------------------------L0.193------------------------------------| "
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 187mb total:"
- "L1 "
- - "L1.198[0,338] 1.04us 100mb|------------------------L1.198-------------------------| "
- - "L1.205[339,528] 1.04us 100mb |------------L1.205------------| "
- - "**** 3 Output Files (parquet_file_id not yet assigned), 262mb total:"
- - "L1 "
- - "L1.?[0,202] 1.05us 101mb |--------------L1.?--------------| "
- - "L1.?[203,404] 1.05us 100mb |--------------L1.?--------------| "
- - "L1.?[405,528] 1.05us 61mb |-------L1.?-------| "
+ - "L1.?[0,190] 1.05us 100mb |---------------------L1.?---------------------| "
+ - "L1.?[191,355] 1.05us 87mb |-----------------L1.?------------------| "
- "Committing partition 1:"
- - " Soft Deleting 5 files: L1.198, L0.203, L0.204, L1.205, L0.207"
- - " Creating 3 files"
- - "**** Simulation run 64, type=split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))(split_times=[714, 899]). 5 Input Files, 248mb total:"
+ - " Soft Deleting 13 files: L0.160, L0.162, L0.165, L0.168, L0.171, L0.173, L0.176, L0.179, L0.182, L0.184, L0.187, L0.190, L0.193"
+ - " Creating 2 files"
+ - "**** Simulation run 57, type=split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))(split_times=[516]). 12 Input Files, 196mb total:"
- "L0 "
- - "L0.202[677,986] 1.05us 59mb |--------------------------L0.202--------------------------| "
- - "L0.201[669,676] 1.05us 2mb |L0.201| "
- - "L0.208[529,668] 1.05us 17mb|---------L0.208----------| "
- - "L1 "
- - "L1.200[677,986] 1.04us 92mb |--------------------------L1.200--------------------------| "
- - "L1.206[529,676] 1.04us 78mb|----------L1.206----------| "
- - "**** 3 Output Files (parquet_file_id not yet assigned), 248mb total:"
+ - "L0.188[356,668] 1.05us 3mb|-----------------------------------------L0.188-----------------------------------------|"
+ - "L0.185[356,668] 1.05us 4mb|-----------------------------------------L0.185-----------------------------------------|"
+ - "L0.183[356,629] 1.05us 5mb|-----------------------------------L0.183-----------------------------------| "
+ - "L0.180[356,668] 1.05us 4mb|-----------------------------------------L0.180-----------------------------------------|"
+ - "L0.177[356,668] 1.05us 3mb|-----------------------------------------L0.177-----------------------------------------|"
+ - "L0.174[356,668] 1.04us 4mb|-----------------------------------------L0.174-----------------------------------------|"
+ - "L0.172[356,629] 1.04us 5mb|-----------------------------------L0.172-----------------------------------| "
+ - "L0.169[356,668] 1.04us 4mb|-----------------------------------------L0.169-----------------------------------------|"
+ - "L0.166[356,668] 1.04us 3mb|-----------------------------------------L0.166-----------------------------------------|"
+ - "L0.163[356,668] 1.04us 4mb|-----------------------------------------L0.163-----------------------------------------|"
+ - "L0.191[356,668] 1.02us 79mb|-----------------------------------------L0.191-----------------------------------------|"
+ - "L0.194[356,668] 1.04us 79mb|-----------------------------------------L0.194-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 196mb total:"
- "L1 "
- - "L1.?[529,714] 1.05us 101mb|---------------L1.?---------------| "
- - "L1.?[715,899] 1.05us 100mb |---------------L1.?---------------| "
- - "L1.?[900,986] 1.05us 47mb |-----L1.?-----| "
+ - "L1.?[356,516] 1.05us 101mb|--------------------L1.?--------------------| "
+ - "L1.?[517,668] 1.05us 95mb |------------------L1.?-------------------| "
- "Committing partition 1:"
- - " Soft Deleting 5 files: L1.200, L0.201, L0.202, L1.206, L0.208"
- - " Creating 3 files"
- - "**** Simulation run 65, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[594, 783]). 3 Input Files, 262mb total:"
- - "L1 "
- - "L1.211[405,528] 1.05us 61mb|-------L1.211-------| "
- - "L1.212[529,714] 1.05us 101mb |------------L1.212-------------| "
- - "L1.213[715,899] 1.05us 100mb |------------L1.213-------------| "
- - "**** 3 Output Files (parquet_file_id not yet assigned), 262mb total:"
+ - " Soft Deleting 12 files: L0.163, L0.166, L0.169, L0.172, L0.174, L0.177, L0.180, L0.183, L0.185, L0.188, L0.191, L0.194"
+ - " Creating 2 files"
+ - "**** Simulation run 58, type=split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))(split_times=[972]). 1 Input Files, 27mb total:"
+ - "L1, all files 27mb "
+ - "L1.196[920,986] 1.05us |-----------------------------------------L1.196-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 27mb total:"
- "L2 "
- - "L2.?[405,594] 1.05us 101mb|--------------L2.?--------------| "
- - "L2.?[595,783] 1.05us 100mb |--------------L2.?--------------| "
- - "L2.?[784,899] 1.05us 61mb |-------L2.?-------| "
+ - "L2.?[920,972] 1.05us 21mb|--------------------------------L2.?--------------------------------| "
+ - "L2.?[973,986] 1.05us 6mb |-----L2.?------| "
- "Committing partition 1:"
- - " Soft Deleting 3 files: L1.211, L1.212, L1.213"
- - " Upgrading 2 files level to CompactionLevel::L2: L1.209, L1.210"
- - " Creating 3 files"
- - "**** Final Output Files (2.34gb written)"
- - "L1 "
- - "L1.214[900,986] 1.05us 47mb |L1.214|"
+ - " Soft Deleting 1 files: L1.196"
+ - " Upgrading 5 files level to CompactionLevel::L2: L1.195, L1.197, L1.198, L1.199, L1.200"
+ - " Creating 2 files"
+ - "**** Final Output Files (1.37gb written)"
- "L2 "
- - "L2.209[0,202] 1.05us 101mb|-----L2.209-----| "
- - "L2.210[203,404] 1.05us 100mb |-----L2.210-----| "
- - "L2.215[405,594] 1.05us 101mb |----L2.215-----| "
- - "L2.216[595,783] 1.05us 100mb |----L2.216-----| "
- - "L2.217[784,899] 1.05us 61mb |-L2.217-| "
+ - "L2.195[669,919] 1.05us 100mb |-------L2.195-------| "
+ - "L2.197[0,190] 1.05us 100mb|----L2.197-----| "
+ - "L2.198[191,355] 1.05us 87mb |---L2.198---| "
+ - "L2.199[356,516] 1.05us 101mb |---L2.199---| "
+ - "L2.200[517,668] 1.05us 95mb |--L2.200---| "
+ - "L2.201[920,972] 1.05us 21mb |L2.201|"
+ - "L2.202[973,986] 1.05us 6mb |L2.202|"
"###
);
}
@@ -1402,79 +1322,7 @@ async fn random_backfill_over_l2s() {
- "Committing partition 1:"
- " Soft Deleting 10 files: L0.61, L0.64, L0.67, L0.70, L0.72, L0.75, L0.78, L0.81, L0.83, L0.86"
- " Creating 1 files"
- - "**** Simulation run 51, type=compact(ManySmallFiles). 10 Input Files, 36mb total:"
- - "L0 "
- - "L0.89[173,355] 1.01us 2mb |----------------------L0.89-----------------------| "
- - "L0.92[50,355] 1.01us 5mb |----------------------------------------L0.92----------------------------------------| "
- - "L0.94[76,355] 1.01us 3mb |------------------------------------L0.94-------------------------------------| "
- - "L0.97[42,355] 1.01us 3mb |-----------------------------------------L0.97------------------------------------------|"
- - "L0.100[173,355] 1.01us 2mb |----------------------L0.100----------------------| "
- - "L0.103[50,355] 1.01us 5mb |---------------------------------------L0.103----------------------------------------| "
- - "L0.105[76,355] 1.02us 3mb |------------------------------------L0.105------------------------------------| "
- - "L0.108[42,355] 1.02us 3mb|-----------------------------------------L0.108-----------------------------------------|"
- - "L0.111[173,355] 1.02us 2mb |----------------------L0.111----------------------| "
- - "L0.114[50,355] 1.02us 5mb |---------------------------------------L0.114----------------------------------------| "
- - "**** 1 Output Files (parquet_file_id not yet assigned), 36mb total:"
- - "L0, all files 36mb "
- - "L0.?[42,355] 1.02us |------------------------------------------L0.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 10 files: L0.89, L0.92, L0.94, L0.97, L0.100, L0.103, L0.105, L0.108, L0.111, L0.114"
- - " Creating 1 files"
- - "**** Simulation run 52, type=compact(ManySmallFiles). 10 Input Files, 35mb total:"
- - "L0 "
- - "L0.116[76,355] 1.02us 3mb |------------------------------------L0.116------------------------------------| "
- - "L0.119[42,355] 1.02us 3mb|-----------------------------------------L0.119-----------------------------------------|"
- - "L0.122[173,355] 1.02us 2mb |----------------------L0.122----------------------| "
- - "L0.125[50,355] 1.02us 5mb |---------------------------------------L0.125----------------------------------------| "
- - "L0.127[76,355] 1.02us 3mb |------------------------------------L0.127------------------------------------| "
- - "L0.130[42,355] 1.02us 3mb|-----------------------------------------L0.130-----------------------------------------|"
- - "L0.133[173,355] 1.03us 2mb |----------------------L0.133----------------------| "
- - "L0.136[50,355] 1.03us 5mb |---------------------------------------L0.136----------------------------------------| "
- - "L0.138[76,355] 1.03us 3mb |------------------------------------L0.138------------------------------------| "
- - "L0.141[42,355] 1.03us 3mb|-----------------------------------------L0.141-----------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 35mb total:"
- - "L0, all files 35mb "
- - "L0.?[42,355] 1.03us |------------------------------------------L0.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 10 files: L0.116, L0.119, L0.122, L0.125, L0.127, L0.130, L0.133, L0.136, L0.138, L0.141"
- - " Creating 1 files"
- - "**** Simulation run 53, type=compact(ManySmallFiles). 10 Input Files, 36mb total:"
- - "L0 "
- - "L0.144[173,355] 1.03us 2mb |----------------------L0.144----------------------| "
- - "L0.147[50,355] 1.03us 5mb |---------------------------------------L0.147----------------------------------------| "
- - "L0.149[76,355] 1.03us 3mb |------------------------------------L0.149------------------------------------| "
- - "L0.152[42,355] 1.03us 3mb|-----------------------------------------L0.152-----------------------------------------|"
- - "L0.155[173,355] 1.03us 2mb |----------------------L0.155----------------------| "
- - "L0.158[50,355] 1.03us 5mb |---------------------------------------L0.158----------------------------------------| "
- - "L0.160[76,355] 1.04us 3mb |------------------------------------L0.160------------------------------------| "
- - "L0.163[42,355] 1.04us 3mb|-----------------------------------------L0.163-----------------------------------------|"
- - "L0.166[173,355] 1.04us 2mb |----------------------L0.166----------------------| "
- - "L0.169[50,355] 1.04us 5mb |---------------------------------------L0.169----------------------------------------| "
- - "**** 1 Output Files (parquet_file_id not yet assigned), 36mb total:"
- - "L0, all files 36mb "
- - "L0.?[42,355] 1.04us |------------------------------------------L0.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 10 files: L0.144, L0.147, L0.149, L0.152, L0.155, L0.158, L0.160, L0.163, L0.166, L0.169"
- - " Creating 1 files"
- - "**** Simulation run 54, type=compact(ManySmallFiles). 10 Input Files, 35mb total:"
- - "L0 "
- - "L0.171[76,355] 1.04us 3mb |------------------------------------L0.171------------------------------------| "
- - "L0.174[42,355] 1.04us 3mb|-----------------------------------------L0.174-----------------------------------------|"
- - "L0.177[173,355] 1.04us 2mb |----------------------L0.177----------------------| "
- - "L0.180[50,355] 1.04us 5mb |---------------------------------------L0.180----------------------------------------| "
- - "L0.182[76,355] 1.04us 3mb |------------------------------------L0.182------------------------------------| "
- - "L0.185[42,355] 1.05us 3mb|-----------------------------------------L0.185-----------------------------------------|"
- - "L0.188[173,355] 1.05us 2mb |----------------------L0.188----------------------| "
- - "L0.191[50,355] 1.05us 5mb |---------------------------------------L0.191----------------------------------------| "
- - "L0.193[76,355] 1.05us 3mb |------------------------------------L0.193------------------------------------| "
- - "L0.196[42,355] 1.05us 3mb|-----------------------------------------L0.196-----------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 35mb total:"
- - "L0, all files 35mb "
- - "L0.?[42,355] 1.05us |------------------------------------------L0.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 10 files: L0.171, L0.174, L0.177, L0.180, L0.182, L0.185, L0.188, L0.191, L0.193, L0.196"
- - " Creating 1 files"
- - "**** Simulation run 55, type=compact(ManySmallFiles). 10 Input Files, 38mb total:"
+ - "**** Simulation run 51, type=compact(ManySmallFiles). 10 Input Files, 38mb total:"
- "L0 "
- "L0.62[356,668] 1us 4mb |-----------------------------------------L0.62------------------------------------------|"
- "L0.65[356,668] 1us 3mb |-----------------------------------------L0.65------------------------------------------|"
@@ -1492,79 +1340,7 @@ async fn random_backfill_over_l2s() {
- "Committing partition 1:"
- " Soft Deleting 10 files: L0.62, L0.65, L0.68, L0.71, L0.73, L0.76, L0.79, L0.82, L0.84, L0.87"
- " Creating 1 files"
- - "**** Simulation run 56, type=compact(ManySmallFiles). 10 Input Files, 40mb total:"
- - "L0 "
- - "L0.90[356,668] 1.01us 4mb|-----------------------------------------L0.90------------------------------------------|"
- - "L0.93[356,629] 1.01us 5mb|-----------------------------------L0.93------------------------------------| "
- - "L0.95[356,668] 1.01us 4mb|-----------------------------------------L0.95------------------------------------------|"
- - "L0.98[356,668] 1.01us 3mb|-----------------------------------------L0.98------------------------------------------|"
- - "L0.101[356,668] 1.01us 4mb|-----------------------------------------L0.101-----------------------------------------|"
- - "L0.104[356,629] 1.01us 5mb|-----------------------------------L0.104-----------------------------------| "
- - "L0.106[356,668] 1.02us 4mb|-----------------------------------------L0.106-----------------------------------------|"
- - "L0.109[356,668] 1.02us 3mb|-----------------------------------------L0.109-----------------------------------------|"
- - "L0.112[356,668] 1.02us 4mb|-----------------------------------------L0.112-----------------------------------------|"
- - "L0.115[356,629] 1.02us 5mb|-----------------------------------L0.115-----------------------------------| "
- - "**** 1 Output Files (parquet_file_id not yet assigned), 40mb total:"
- - "L0, all files 40mb "
- - "L0.?[356,668] 1.02us |------------------------------------------L0.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 10 files: L0.90, L0.93, L0.95, L0.98, L0.101, L0.104, L0.106, L0.109, L0.112, L0.115"
- - " Creating 1 files"
- - "**** Simulation run 57, type=compact(ManySmallFiles). 10 Input Files, 38mb total:"
- - "L0 "
- - "L0.117[356,668] 1.02us 4mb|-----------------------------------------L0.117-----------------------------------------|"
- - "L0.120[356,668] 1.02us 3mb|-----------------------------------------L0.120-----------------------------------------|"
- - "L0.123[356,668] 1.02us 4mb|-----------------------------------------L0.123-----------------------------------------|"
- - "L0.126[356,629] 1.02us 5mb|-----------------------------------L0.126-----------------------------------| "
- - "L0.128[356,668] 1.02us 4mb|-----------------------------------------L0.128-----------------------------------------|"
- - "L0.131[356,668] 1.02us 3mb|-----------------------------------------L0.131-----------------------------------------|"
- - "L0.134[356,668] 1.03us 4mb|-----------------------------------------L0.134-----------------------------------------|"
- - "L0.137[356,629] 1.03us 5mb|-----------------------------------L0.137-----------------------------------| "
- - "L0.139[356,668] 1.03us 4mb|-----------------------------------------L0.139-----------------------------------------|"
- - "L0.142[356,668] 1.03us 3mb|-----------------------------------------L0.142-----------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 38mb total:"
- - "L0, all files 38mb "
- - "L0.?[356,668] 1.03us |------------------------------------------L0.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 10 files: L0.117, L0.120, L0.123, L0.126, L0.128, L0.131, L0.134, L0.137, L0.139, L0.142"
- - " Creating 1 files"
- - "**** Simulation run 58, type=compact(ManySmallFiles). 10 Input Files, 40mb total:"
- - "L0 "
- - "L0.145[356,668] 1.03us 4mb|-----------------------------------------L0.145-----------------------------------------|"
- - "L0.148[356,629] 1.03us 5mb|-----------------------------------L0.148-----------------------------------| "
- - "L0.150[356,668] 1.03us 4mb|-----------------------------------------L0.150-----------------------------------------|"
- - "L0.153[356,668] 1.03us 3mb|-----------------------------------------L0.153-----------------------------------------|"
- - "L0.156[356,668] 1.03us 4mb|-----------------------------------------L0.156-----------------------------------------|"
- - "L0.159[356,629] 1.03us 5mb|-----------------------------------L0.159-----------------------------------| "
- - "L0.161[356,668] 1.04us 4mb|-----------------------------------------L0.161-----------------------------------------|"
- - "L0.164[356,668] 1.04us 3mb|-----------------------------------------L0.164-----------------------------------------|"
- - "L0.167[356,668] 1.04us 4mb|-----------------------------------------L0.167-----------------------------------------|"
- - "L0.170[356,629] 1.04us 5mb|-----------------------------------L0.170-----------------------------------| "
- - "**** 1 Output Files (parquet_file_id not yet assigned), 40mb total:"
- - "L0, all files 40mb "
- - "L0.?[356,668] 1.04us |------------------------------------------L0.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 10 files: L0.145, L0.148, L0.150, L0.153, L0.156, L0.159, L0.161, L0.164, L0.167, L0.170"
- - " Creating 1 files"
- - "**** Simulation run 59, type=compact(ManySmallFiles). 10 Input Files, 38mb total:"
- - "L0 "
- - "L0.172[356,668] 1.04us 4mb|-----------------------------------------L0.172-----------------------------------------|"
- - "L0.175[356,668] 1.04us 3mb|-----------------------------------------L0.175-----------------------------------------|"
- - "L0.178[356,668] 1.04us 4mb|-----------------------------------------L0.178-----------------------------------------|"
- - "L0.181[356,629] 1.04us 5mb|-----------------------------------L0.181-----------------------------------| "
- - "L0.183[356,668] 1.04us 4mb|-----------------------------------------L0.183-----------------------------------------|"
- - "L0.186[356,668] 1.05us 3mb|-----------------------------------------L0.186-----------------------------------------|"
- - "L0.189[356,668] 1.05us 4mb|-----------------------------------------L0.189-----------------------------------------|"
- - "L0.192[356,629] 1.05us 5mb|-----------------------------------L0.192-----------------------------------| "
- - "L0.194[356,668] 1.05us 4mb|-----------------------------------------L0.194-----------------------------------------|"
- - "L0.197[356,668] 1.05us 3mb|-----------------------------------------L0.197-----------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 38mb total:"
- - "L0, all files 38mb "
- - "L0.?[356,668] 1.05us |------------------------------------------L0.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 10 files: L0.172, L0.175, L0.178, L0.181, L0.183, L0.186, L0.189, L0.192, L0.194, L0.197"
- - " Creating 1 files"
- - "**** Simulation run 60, type=compact(ManySmallFiles). 10 Input Files, 33mb total:"
+ - "**** Simulation run 52, type=compact(ManySmallFiles). 10 Input Files, 33mb total:"
- "L0 "
- "L0.63[669,932] 1us 3mb |---------------------------------L0.63----------------------------------| "
- "L0.66[669,986] 1us 3mb |-----------------------------------------L0.66------------------------------------------|"
@@ -1582,8 +1358,45 @@ async fn random_backfill_over_l2s() {
- "Committing partition 1:"
- " Soft Deleting 10 files: L0.63, L0.66, L0.69, L0.74, L0.77, L0.80, L0.85, L0.88, L0.91, L0.96"
- " Creating 1 files"
- - "**** Simulation run 61, type=compact(ManySmallFiles). 10 Input Files, 34mb total:"
+ - "**** Simulation run 53, type=compact(ManySmallFiles). 10 Input Files, 66mb total:"
+ - "L0 "
+ - "L0.199[42,355] 1.01us 35mb|-----------------------------------------L0.199-----------------------------------------|"
+ - "L0.89[173,355] 1.01us 2mb |----------------------L0.89-----------------------| "
+ - "L0.92[50,355] 1.01us 5mb |----------------------------------------L0.92----------------------------------------| "
+ - "L0.94[76,355] 1.01us 3mb |------------------------------------L0.94-------------------------------------| "
+ - "L0.97[42,355] 1.01us 3mb |-----------------------------------------L0.97------------------------------------------|"
+ - "L0.100[173,355] 1.01us 2mb |----------------------L0.100----------------------| "
+ - "L0.103[50,355] 1.01us 5mb |---------------------------------------L0.103----------------------------------------| "
+ - "L0.105[76,355] 1.02us 3mb |------------------------------------L0.105------------------------------------| "
+ - "L0.108[42,355] 1.02us 3mb|-----------------------------------------L0.108-----------------------------------------|"
+ - "L0.111[173,355] 1.02us 2mb |----------------------L0.111----------------------| "
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 66mb total:"
+ - "L0, all files 66mb "
+ - "L0.?[42,355] 1.02us |------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 10 files: L0.89, L0.92, L0.94, L0.97, L0.100, L0.103, L0.105, L0.108, L0.111, L0.199"
+ - " Creating 1 files"
+ - "**** Simulation run 54, type=compact(ManySmallFiles). 10 Input Files, 74mb total:"
+ - "L0 "
+ - "L0.200[356,668] 1.01us 38mb|-----------------------------------------L0.200-----------------------------------------|"
+ - "L0.90[356,668] 1.01us 4mb|-----------------------------------------L0.90------------------------------------------|"
+ - "L0.93[356,629] 1.01us 5mb|-----------------------------------L0.93------------------------------------| "
+ - "L0.95[356,668] 1.01us 4mb|-----------------------------------------L0.95------------------------------------------|"
+ - "L0.98[356,668] 1.01us 3mb|-----------------------------------------L0.98------------------------------------------|"
+ - "L0.101[356,668] 1.01us 4mb|-----------------------------------------L0.101-----------------------------------------|"
+ - "L0.104[356,629] 1.01us 5mb|-----------------------------------L0.104-----------------------------------| "
+ - "L0.106[356,668] 1.02us 4mb|-----------------------------------------L0.106-----------------------------------------|"
+ - "L0.109[356,668] 1.02us 3mb|-----------------------------------------L0.109-----------------------------------------|"
+ - "L0.112[356,668] 1.02us 4mb|-----------------------------------------L0.112-----------------------------------------|"
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 74mb total:"
+ - "L0, all files 74mb "
+ - "L0.?[356,668] 1.02us |------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 10 files: L0.90, L0.93, L0.95, L0.98, L0.101, L0.104, L0.106, L0.109, L0.112, L0.200"
+ - " Creating 1 files"
+ - "**** Simulation run 55, type=compact(ManySmallFiles). 10 Input Files, 64mb total:"
- "L0 "
+ - "L0.201[669,986] 1.01us 33mb|-----------------------------------------L0.201-----------------------------------------|"
- "L0.99[669,986] 1.01us 3mb|-----------------------------------------L0.99------------------------------------------|"
- "L0.102[669,950] 1.01us 4mb|-----------------------------------L0.102------------------------------------| "
- "L0.107[669,932] 1.02us 3mb|---------------------------------L0.107---------------------------------| "
@@ -1593,15 +1406,51 @@ async fn random_backfill_over_l2s() {
- "L0.121[669,986] 1.02us 3mb|-----------------------------------------L0.121-----------------------------------------|"
- "L0.124[669,950] 1.02us 4mb|-----------------------------------L0.124------------------------------------| "
- "L0.129[669,932] 1.02us 3mb|---------------------------------L0.129---------------------------------| "
- - "L0.132[669,986] 1.02us 3mb|-----------------------------------------L0.132-----------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 34mb total:"
- - "L0, all files 34mb "
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 64mb total:"
+ - "L0, all files 64mb "
- "L0.?[669,986] 1.02us |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 10 files: L0.99, L0.102, L0.107, L0.110, L0.113, L0.118, L0.121, L0.124, L0.129, L0.132"
+ - " Soft Deleting 10 files: L0.99, L0.102, L0.107, L0.110, L0.113, L0.118, L0.121, L0.124, L0.129, L0.201"
+ - " Creating 1 files"
+ - "**** Simulation run 56, type=compact(ManySmallFiles). 10 Input Files, 37mb total:"
+ - "L0 "
+ - "L0.114[50,355] 1.02us 5mb |---------------------------------------L0.114----------------------------------------| "
+ - "L0.116[76,355] 1.02us 3mb |------------------------------------L0.116------------------------------------| "
+ - "L0.119[42,355] 1.02us 3mb|-----------------------------------------L0.119-----------------------------------------|"
+ - "L0.122[173,355] 1.02us 2mb |----------------------L0.122----------------------| "
+ - "L0.125[50,355] 1.02us 5mb |---------------------------------------L0.125----------------------------------------| "
+ - "L0.127[76,355] 1.02us 3mb |------------------------------------L0.127------------------------------------| "
+ - "L0.130[42,355] 1.02us 3mb|-----------------------------------------L0.130-----------------------------------------|"
+ - "L0.133[173,355] 1.03us 2mb |----------------------L0.133----------------------| "
+ - "L0.136[50,355] 1.03us 5mb |---------------------------------------L0.136----------------------------------------| "
+ - "L0.138[76,355] 1.03us 3mb |------------------------------------L0.138------------------------------------| "
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 37mb total:"
+ - "L0, all files 37mb "
+ - "L0.?[42,355] 1.03us |------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 10 files: L0.114, L0.116, L0.119, L0.122, L0.125, L0.127, L0.130, L0.133, L0.136, L0.138"
+ - " Creating 1 files"
+ - "**** Simulation run 57, type=compact(ManySmallFiles). 10 Input Files, 40mb total:"
+ - "L0 "
+ - "L0.115[356,629] 1.02us 5mb|-----------------------------------L0.115-----------------------------------| "
+ - "L0.117[356,668] 1.02us 4mb|-----------------------------------------L0.117-----------------------------------------|"
+ - "L0.120[356,668] 1.02us 3mb|-----------------------------------------L0.120-----------------------------------------|"
+ - "L0.123[356,668] 1.02us 4mb|-----------------------------------------L0.123-----------------------------------------|"
+ - "L0.126[356,629] 1.02us 5mb|-----------------------------------L0.126-----------------------------------| "
+ - "L0.128[356,668] 1.02us 4mb|-----------------------------------------L0.128-----------------------------------------|"
+ - "L0.131[356,668] 1.02us 3mb|-----------------------------------------L0.131-----------------------------------------|"
+ - "L0.134[356,668] 1.03us 4mb|-----------------------------------------L0.134-----------------------------------------|"
+ - "L0.137[356,629] 1.03us 5mb|-----------------------------------L0.137-----------------------------------| "
+ - "L0.139[356,668] 1.03us 4mb|-----------------------------------------L0.139-----------------------------------------|"
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 40mb total:"
+ - "L0, all files 40mb "
+ - "L0.?[356,668] 1.03us |------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 10 files: L0.115, L0.117, L0.120, L0.123, L0.126, L0.128, L0.131, L0.134, L0.137, L0.139"
- " Creating 1 files"
- - "**** Simulation run 62, type=compact(ManySmallFiles). 10 Input Files, 34mb total:"
+ - "**** Simulation run 58, type=compact(ManySmallFiles). 10 Input Files, 34mb total:"
- "L0 "
+ - "L0.132[669,986] 1.02us 3mb|-----------------------------------------L0.132-----------------------------------------|"
- "L0.135[669,950] 1.03us 4mb|-----------------------------------L0.135------------------------------------| "
- "L0.140[669,932] 1.03us 3mb|---------------------------------L0.140---------------------------------| "
- "L0.143[669,986] 1.03us 3mb|-----------------------------------------L0.143-----------------------------------------|"
@@ -1611,15 +1460,52 @@ async fn random_backfill_over_l2s() {
- "L0.157[669,950] 1.03us 4mb|-----------------------------------L0.157------------------------------------| "
- "L0.162[669,932] 1.04us 3mb|---------------------------------L0.162---------------------------------| "
- "L0.165[669,986] 1.04us 3mb|-----------------------------------------L0.165-----------------------------------------|"
- - "L0.168[669,950] 1.04us 4mb|-----------------------------------L0.168------------------------------------| "
- "**** 1 Output Files (parquet_file_id not yet assigned), 34mb total:"
- "L0, all files 34mb "
- "L0.?[669,986] 1.04us |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 10 files: L0.135, L0.140, L0.143, L0.146, L0.151, L0.154, L0.157, L0.162, L0.165, L0.168"
+ - " Soft Deleting 10 files: L0.132, L0.135, L0.140, L0.143, L0.146, L0.151, L0.154, L0.157, L0.162, L0.165"
+ - " Creating 1 files"
+ - "**** Simulation run 59, type=compact(ManySmallFiles). 10 Input Files, 69mb total:"
+ - "L0 "
+ - "L0.205[42,355] 1.03us 37mb|-----------------------------------------L0.205-----------------------------------------|"
+ - "L0.141[42,355] 1.03us 3mb|-----------------------------------------L0.141-----------------------------------------|"
+ - "L0.144[173,355] 1.03us 2mb |----------------------L0.144----------------------| "
+ - "L0.147[50,355] 1.03us 5mb |---------------------------------------L0.147----------------------------------------| "
+ - "L0.149[76,355] 1.03us 3mb |------------------------------------L0.149------------------------------------| "
+ - "L0.152[42,355] 1.03us 3mb|-----------------------------------------L0.152-----------------------------------------|"
+ - "L0.155[173,355] 1.03us 2mb |----------------------L0.155----------------------| "
+ - "L0.158[50,355] 1.03us 5mb |---------------------------------------L0.158----------------------------------------| "
+ - "L0.160[76,355] 1.04us 3mb |------------------------------------L0.160------------------------------------| "
+ - "L0.163[42,355] 1.04us 3mb|-----------------------------------------L0.163-----------------------------------------|"
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 69mb total:"
+ - "L0, all files 69mb "
+ - "L0.?[42,355] 1.04us |------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 10 files: L0.141, L0.144, L0.147, L0.149, L0.152, L0.155, L0.158, L0.160, L0.163, L0.205"
+ - " Creating 1 files"
+ - "**** Simulation run 60, type=compact(ManySmallFiles). 10 Input Files, 75mb total:"
+ - "L0 "
+ - "L0.206[356,668] 1.03us 40mb|-----------------------------------------L0.206-----------------------------------------|"
+ - "L0.142[356,668] 1.03us 3mb|-----------------------------------------L0.142-----------------------------------------|"
+ - "L0.145[356,668] 1.03us 4mb|-----------------------------------------L0.145-----------------------------------------|"
+ - "L0.148[356,629] 1.03us 5mb|-----------------------------------L0.148-----------------------------------| "
+ - "L0.150[356,668] 1.03us 4mb|-----------------------------------------L0.150-----------------------------------------|"
+ - "L0.153[356,668] 1.03us 3mb|-----------------------------------------L0.153-----------------------------------------|"
+ - "L0.156[356,668] 1.03us 4mb|-----------------------------------------L0.156-----------------------------------------|"
+ - "L0.159[356,629] 1.03us 5mb|-----------------------------------L0.159-----------------------------------| "
+ - "L0.161[356,668] 1.04us 4mb|-----------------------------------------L0.161-----------------------------------------|"
+ - "L0.164[356,668] 1.04us 3mb|-----------------------------------------L0.164-----------------------------------------|"
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 75mb total:"
+ - "L0, all files 75mb "
+ - "L0.?[356,668] 1.04us |------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 10 files: L0.142, L0.145, L0.148, L0.150, L0.153, L0.156, L0.159, L0.161, L0.164, L0.206"
- " Creating 1 files"
- - "**** Simulation run 63, type=compact(ManySmallFiles). 8 Input Files, 27mb total:"
+ - "**** Simulation run 61, type=compact(ManySmallFiles). 10 Input Files, 64mb total:"
- "L0 "
+ - "L0.207[669,986] 1.04us 34mb|-----------------------------------------L0.207-----------------------------------------|"
+ - "L0.168[669,950] 1.04us 4mb|-----------------------------------L0.168------------------------------------| "
- "L0.173[669,932] 1.04us 3mb|---------------------------------L0.173---------------------------------| "
- "L0.176[669,986] 1.04us 3mb|-----------------------------------------L0.176-----------------------------------------|"
- "L0.179[669,950] 1.04us 4mb|-----------------------------------L0.179------------------------------------| "
@@ -1628,313 +1514,239 @@ async fn random_backfill_over_l2s() {
- "L0.190[669,950] 1.05us 4mb|-----------------------------------L0.190------------------------------------| "
- "L0.195[669,932] 1.05us 3mb|---------------------------------L0.195---------------------------------| "
- "L0.198[669,986] 1.05us 3mb|-----------------------------------------L0.198-----------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 27mb total:"
- - "L0, all files 27mb "
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 64mb total:"
+ - "L0, all files 64mb "
- "L0.?[669,986] 1.05us |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 8 files: L0.173, L0.176, L0.179, L0.184, L0.187, L0.190, L0.195, L0.198"
+ - " Soft Deleting 10 files: L0.168, L0.173, L0.176, L0.179, L0.184, L0.187, L0.190, L0.195, L0.198, L0.207"
- " Creating 1 files"
- - "**** Simulation run 64, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[368, 694]). 8 Input Files, 290mb total:"
- - "L0 "
- - "L0.199[42,355] 1.01us 35mb|----------L0.199-----------| "
- - "L0.204[356,668] 1.01us 38mb |----------L0.204-----------| "
- - "L0.209[669,986] 1.01us 33mb |-----------L0.209-----------| "
- - "L0.200[42,355] 1.02us 36mb|----------L0.200-----------| "
- - "L0.205[356,668] 1.02us 40mb |----------L0.205-----------| "
- - "L0.210[669,986] 1.02us 34mb |-----------L0.210-----------| "
- - "L0.201[42,355] 1.03us 35mb|----------L0.201-----------| "
- - "L0.206[356,668] 1.03us 38mb |----------L0.206-----------| "
- - "**** 3 Output Files (parquet_file_id not yet assigned), 290mb total:"
- - "L1 "
- - "L1.?[42,368] 1.03us 100mb|------------L1.?-------------| "
- - "L1.?[369,694] 1.03us 100mb |------------L1.?------------| "
- - "L1.?[695,986] 1.03us 90mb |----------L1.?-----------| "
+ - "**** Simulation run 62, type=compact(ManySmallFiles). 10 Input Files, 36mb total:"
+ - "L0 "
+ - "L0.166[173,355] 1.04us 2mb |----------------------L0.166----------------------| "
+ - "L0.169[50,355] 1.04us 5mb |---------------------------------------L0.169----------------------------------------| "
+ - "L0.171[76,355] 1.04us 3mb |------------------------------------L0.171------------------------------------| "
+ - "L0.174[42,355] 1.04us 3mb|-----------------------------------------L0.174-----------------------------------------|"
+ - "L0.177[173,355] 1.04us 2mb |----------------------L0.177----------------------| "
+ - "L0.180[50,355] 1.04us 5mb |---------------------------------------L0.180----------------------------------------| "
+ - "L0.182[76,355] 1.04us 3mb |------------------------------------L0.182------------------------------------| "
+ - "L0.185[42,355] 1.05us 3mb|-----------------------------------------L0.185-----------------------------------------|"
+ - "L0.188[173,355] 1.05us 2mb |----------------------L0.188----------------------| "
+ - "L0.191[50,355] 1.05us 5mb |---------------------------------------L0.191----------------------------------------| "
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 36mb total:"
+ - "L0, all files 36mb "
+ - "L0.?[42,355] 1.05us |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 8 files: L0.199, L0.200, L0.201, L0.204, L0.205, L0.206, L0.209, L0.210"
- - " Creating 3 files"
- - "**** Simulation run 65, type=split(ReduceOverlap)(split_times=[694]). 1 Input Files, 34mb total:"
- - "L0, all files 34mb "
- - "L0.211[669,986] 1.04us |-----------------------------------------L0.211-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 34mb total:"
+ - " Soft Deleting 10 files: L0.166, L0.169, L0.171, L0.174, L0.177, L0.180, L0.182, L0.185, L0.188, L0.191"
+ - " Creating 1 files"
+ - "**** Simulation run 63, type=compact(ManySmallFiles). 10 Input Files, 40mb total:"
- "L0 "
- - "L0.?[669,694] 1.04us 3mb |L0.?-| "
- - "L0.?[695,986] 1.04us 31mb |--------------------------------------L0.?--------------------------------------| "
- - "**** Simulation run 66, type=split(ReduceOverlap)(split_times=[368]). 1 Input Files, 40mb total:"
+ - "L0.167[356,668] 1.04us 4mb|-----------------------------------------L0.167-----------------------------------------|"
+ - "L0.170[356,629] 1.04us 5mb|-----------------------------------L0.170-----------------------------------| "
+ - "L0.172[356,668] 1.04us 4mb|-----------------------------------------L0.172-----------------------------------------|"
+ - "L0.175[356,668] 1.04us 3mb|-----------------------------------------L0.175-----------------------------------------|"
+ - "L0.178[356,668] 1.04us 4mb|-----------------------------------------L0.178-----------------------------------------|"
+ - "L0.181[356,629] 1.04us 5mb|-----------------------------------L0.181-----------------------------------| "
+ - "L0.183[356,668] 1.04us 4mb|-----------------------------------------L0.183-----------------------------------------|"
+ - "L0.186[356,668] 1.05us 3mb|-----------------------------------------L0.186-----------------------------------------|"
+ - "L0.189[356,668] 1.05us 4mb|-----------------------------------------L0.189-----------------------------------------|"
+ - "L0.192[356,629] 1.05us 5mb|-----------------------------------L0.192-----------------------------------| "
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 40mb total:"
- "L0, all files 40mb "
- - "L0.207[356,668] 1.04us |-----------------------------------------L0.207-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 40mb total:"
- - "L0 "
- - "L0.?[356,368] 1.04us 2mb |L0.?| "
- - "L0.?[369,668] 1.04us 39mb |----------------------------------------L0.?----------------------------------------| "
- - "**** Simulation run 67, type=split(ReduceOverlap)(split_times=[694]). 1 Input Files, 27mb total:"
- - "L0, all files 27mb "
- - "L0.212[669,986] 1.05us |-----------------------------------------L0.212-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 27mb total:"
- - "L0 "
- - "L0.?[669,694] 1.05us 2mb |L0.?-| "
- - "L0.?[695,986] 1.05us 24mb |--------------------------------------L0.?--------------------------------------| "
- - "**** Simulation run 68, type=split(ReduceOverlap)(split_times=[368]). 1 Input Files, 38mb total:"
- - "L0, all files 38mb "
- - "L0.208[356,668] 1.05us |-----------------------------------------L0.208-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 38mb total:"
- - "L0 "
- - "L0.?[356,368] 1.05us 2mb |L0.?| "
- - "L0.?[369,668] 1.05us 37mb |----------------------------------------L0.?----------------------------------------| "
- - "Committing partition 1:"
- - " Soft Deleting 4 files: L0.207, L0.208, L0.211, L0.212"
- - " Creating 8 files"
- - "**** Simulation run 69, type=split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))(split_times=[259, 476, 693, 910]). 10 Input Files, 437mb total:"
- - "L0 "
- - "L0.216[669,694] 1.04us 3mb |L0.216| "
- - "L0.217[695,986] 1.04us 31mb |---------L0.217----------| "
- - "L0.202[42,355] 1.04us 36mb|----------L0.202-----------| "
- - "L0.218[356,368] 1.04us 2mb |L0.218| "
- - "L0.219[369,668] 1.04us 39mb |----------L0.219----------| "
- - "L0.203[42,355] 1.05us 35mb|----------L0.203-----------| "
- - "L0.222[356,368] 1.05us 2mb |L0.222| "
- - "L1 "
- - "L1.214[369,694] 1.03us 100mb |-----------L1.214-----------| "
- - "L1.215[695,986] 1.03us 90mb |---------L1.215----------| "
- - "L1.213[42,368] 1.03us 100mb|-----------L1.213------------| "
- - "**** 5 Output Files (parquet_file_id not yet assigned), 437mb total:"
- - "L1 "
- - "L1.?[42,259] 1.05us 101mb|-------L1.?-------| "
- - "L1.?[260,476] 1.05us 100mb |-------L1.?-------| "
- - "L1.?[477,693] 1.05us 100mb |-------L1.?-------| "
- - "L1.?[694,910] 1.05us 100mb |-------L1.?-------| "
- - "L1.?[911,986] 1.05us 35mb |L1.?-| "
+ - "L0.?[356,668] 1.05us |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 10 files: L0.202, L0.203, L1.213, L1.214, L1.215, L0.216, L0.217, L0.218, L0.219, L0.222"
- - " Creating 5 files"
- - "**** Simulation run 70, type=split(ReduceOverlap)(split_times=[910]). 1 Input Files, 24mb total:"
- - "L0, all files 24mb "
- - "L0.221[695,986] 1.05us |-----------------------------------------L0.221-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 24mb total:"
- - "L0 "
- - "L0.?[695,910] 1.05us 18mb|------------------------------L0.?------------------------------| "
- - "L0.?[911,986] 1.05us 6mb |--------L0.?---------| "
- - "**** Simulation run 71, type=split(ReduceOverlap)(split_times=[693]). 1 Input Files, 2mb total:"
- - "L0, all files 2mb "
- - "L0.220[669,694] 1.05us |-----------------------------------------L0.220-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 2mb total:"
- - "L0 "
- - "L0.?[669,693] 1.05us 2mb |----------------------------------------L0.?----------------------------------------| "
- - "L0.?[694,694] 1.05us 86kb |L0.?|"
- - "**** Simulation run 72, type=split(ReduceOverlap)(split_times=[476]). 1 Input Files, 37mb total:"
- - "L0, all files 37mb "
- - "L0.223[369,668] 1.05us |-----------------------------------------L0.223-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 37mb total:"
+ - " Soft Deleting 10 files: L0.167, L0.170, L0.172, L0.175, L0.178, L0.181, L0.183, L0.186, L0.189, L0.192"
+ - " Creating 1 files"
+ - "**** Simulation run 64, type=split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))(split_times=[919]). 2 Input Files, 127mb total:"
- "L0 "
- - "L0.?[369,476] 1.05us 13mb|-------------L0.?-------------| "
- - "L0.?[477,668] 1.05us 24mb |-------------------------L0.?--------------------------| "
+ - "L0.204[669,986] 1.02us 64mb|-----------------------------------------L0.204-----------------------------------------|"
+ - "L0.210[669,986] 1.05us 64mb|-----------------------------------------L0.210-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 127mb total:"
+ - "L1 "
+ - "L1.?[669,919] 1.05us 100mb|--------------------------------L1.?--------------------------------| "
+ - "L1.?[920,986] 1.05us 27mb |------L1.?------| "
- "Committing partition 1:"
- - " Soft Deleting 3 files: L0.220, L0.221, L0.223"
- - " Creating 6 files"
- - "**** Simulation run 73, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[441, 622]). 5 Input Files, 239mb total:"
+ - " Soft Deleting 2 files: L0.204, L0.210"
+ - " Creating 2 files"
+ - "**** Simulation run 65, type=split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))(split_times=[219]). 5 Input Files, 177mb total:"
- "L0 "
- - "L0.233[369,476] 1.05us 13mb |-------L0.233-------| "
- - "L0.234[477,668] 1.05us 24mb |---------------L0.234----------------| "
- - "L0.231[669,693] 1.05us 2mb |L0.231|"
- - "L1 "
- - "L1.225[260,476] 1.05us 100mb|------------------L1.225------------------| "
- - "L1.226[477,693] 1.05us 100mb |------------------L1.226------------------| "
- - "**** 3 Output Files (parquet_file_id not yet assigned), 239mb total:"
+ - "L0.196[42,355] 1.05us 3mb|-----------------------------------------L0.196-----------------------------------------|"
+ - "L0.193[76,355] 1.05us 3mb |------------------------------------L0.193------------------------------------| "
+ - "L0.208[42,355] 1.04us 69mb|-----------------------------------------L0.208-----------------------------------------|"
+ - "L0.202[42,355] 1.02us 66mb|-----------------------------------------L0.202-----------------------------------------|"
+ - "L0.211[42,355] 1.05us 36mb|-----------------------------------------L0.211-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 177mb total:"
- "L1 "
- - "L1.?[260,441] 1.05us 100mb|---------------L1.?----------------| "
- - "L1.?[442,622] 1.05us 100mb |---------------L1.?----------------| "
- - "L1.?[623,693] 1.05us 39mb |----L1.?----| "
+ - "L1.?[42,219] 1.05us 100mb|----------------------L1.?----------------------| "
+ - "L1.?[220,355] 1.05us 77mb |----------------L1.?----------------| "
- "Committing partition 1:"
- - " Soft Deleting 5 files: L1.225, L1.226, L0.231, L0.233, L0.234"
- - " Creating 3 files"
- - "**** Simulation run 74, type=split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))(split_times=[877]). 5 Input Files, 160mb total:"
+ - " Soft Deleting 5 files: L0.193, L0.196, L0.202, L0.208, L0.211"
+ - " Creating 2 files"
+ - "**** Simulation run 66, type=split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))(split_times=[516]). 5 Input Files, 196mb total:"
- "L0 "
- - "L0.230[911,986] 1.05us 6mb |-------L0.230--------| "
- - "L0.229[695,910] 1.05us 18mb|-----------------------------L0.229-----------------------------| "
- - "L0.232[694,694] 1.05us 86kb|L0.232| "
- - "L1 "
- - "L1.228[911,986] 1.05us 35mb |-------L1.228--------| "
- - "L1.227[694,910] 1.05us 100mb|-----------------------------L1.227-----------------------------| "
- - "**** 2 Output Files (parquet_file_id not yet assigned), 160mb total:"
+ - "L0.197[356,668] 1.05us 3mb|-----------------------------------------L0.197-----------------------------------------|"
+ - "L0.194[356,668] 1.05us 4mb|-----------------------------------------L0.194-----------------------------------------|"
+ - "L0.209[356,668] 1.04us 75mb|-----------------------------------------L0.209-----------------------------------------|"
+ - "L0.203[356,668] 1.02us 74mb|-----------------------------------------L0.203-----------------------------------------|"
+ - "L0.212[356,668] 1.05us 40mb|-----------------------------------------L0.212-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 196mb total:"
- "L1 "
- - "L1.?[694,877] 1.05us 100mb|-------------------------L1.?-------------------------| "
- - "L1.?[878,986] 1.05us 59mb |-------------L1.?--------------| "
+ - "L1.?[356,516] 1.05us 101mb|--------------------L1.?--------------------| "
+ - "L1.?[517,668] 1.05us 95mb |------------------L1.?-------------------| "
- "Committing partition 1:"
- - " Soft Deleting 5 files: L1.227, L1.228, L0.229, L0.230, L0.232"
+ - " Soft Deleting 5 files: L0.194, L0.197, L0.203, L0.209, L0.212"
- " Creating 2 files"
- - "**** Simulation run 75, type=split(ReduceOverlap)(split_times=[899]). 1 Input Files, 59mb total:"
- - "L1, all files 59mb "
- - "L1.239[878,986] 1.05us |-----------------------------------------L1.239-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 59mb total:"
+ - "**** Simulation run 67, type=split(ReduceOverlap)(split_times=[599]). 1 Input Files, 95mb total:"
+ - "L1, all files 95mb "
+ - "L1.218[517,668] 1.05us |-----------------------------------------L1.218-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 95mb total:"
- "L1 "
- - "L1.?[878,899] 1.05us 12mb|-----L1.?------| "
- - "L1.?[900,986] 1.05us 47mb |--------------------------------L1.?---------------------------------| "
- - "**** Simulation run 76, type=split(ReduceOverlap)(split_times=[699, 799]). 1 Input Files, 100mb total:"
- - "L1, all files 100mb "
- - "L1.238[694,877] 1.05us |-----------------------------------------L1.238-----------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L1.?[517,599] 1.05us 52mb|---------------------L1.?---------------------| "
+ - "L1.?[600,668] 1.05us 43mb |-----------------L1.?-----------------| "
+ - "**** Simulation run 68, type=split(ReduceOverlap)(split_times=[399, 499]). 1 Input Files, 101mb total:"
+ - "L1, all files 101mb "
+ - "L1.217[356,516] 1.05us |-----------------------------------------L1.217-----------------------------------------|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 101mb total:"
- "L1 "
- - "L1.?[694,699] 1.05us 3mb |L1.?| "
- - "L1.?[700,799] 1.05us 55mb |---------------------L1.?---------------------| "
- - "L1.?[800,877] 1.05us 43mb |---------------L1.?----------------| "
- - "**** Simulation run 77, type=split(ReduceOverlap)(split_times=[499, 599]). 1 Input Files, 100mb total:"
- - "L1, all files 100mb "
- - "L1.236[442,622] 1.05us |-----------------------------------------L1.236-----------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L1.?[356,399] 1.05us 27mb|---------L1.?---------| "
+ - "L1.?[400,499] 1.05us 62mb |------------------------L1.?-------------------------| "
+ - "L1.?[500,516] 1.05us 11mb |-L1.?--|"
+ - "**** Simulation run 69, type=split(ReduceOverlap)(split_times=[299]). 1 Input Files, 77mb total:"
+ - "L1, all files 77mb "
+ - "L1.216[220,355] 1.05us |-----------------------------------------L1.216-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 77mb total:"
- "L1 "
- - "L1.?[442,499] 1.05us 32mb|-----------L1.?-----------| "
- - "L1.?[500,599] 1.05us 55mb |---------------------L1.?----------------------| "
- - "L1.?[600,622] 1.05us 13mb |--L1.?---|"
- - "**** Simulation run 78, type=split(ReduceOverlap)(split_times=[299, 399]). 1 Input Files, 100mb total:"
+ - "L1.?[220,299] 1.05us 45mb|-----------------------L1.?-----------------------| "
+ - "L1.?[300,355] 1.05us 32mb |---------------L1.?---------------| "
+ - "**** Simulation run 70, type=split(ReduceOverlap)(split_times=[99, 199]). 1 Input Files, 100mb total:"
- "L1, all files 100mb "
- - "L1.235[260,441] 1.05us |-----------------------------------------L1.235-----------------------------------------|"
+ - "L1.215[42,219] 1.05us |-----------------------------------------L1.215-----------------------------------------|"
- "**** 3 Output Files (parquet_file_id not yet assigned), 100mb total:"
- "L1 "
- - "L1.?[260,299] 1.05us 22mb|------L1.?-------| "
- - "L1.?[300,399] 1.05us 55mb |---------------------L1.?----------------------| "
- - "L1.?[400,441] 1.05us 23mb |-------L1.?-------| "
- - "**** Simulation run 79, type=split(ReduceOverlap)(split_times=[99, 199]). 1 Input Files, 101mb total:"
- - "L1, all files 101mb "
- - "L1.224[42,259] 1.05us |-----------------------------------------L1.224-----------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 101mb total:"
+ - "L1.?[42,99] 1.05us 33mb |-----------L1.?-----------| "
+ - "L1.?[100,199] 1.05us 56mb |----------------------L1.?----------------------| "
+ - "L1.?[200,219] 1.05us 11mb |-L1.?--| "
+ - "**** Simulation run 71, type=split(ReduceOverlap)(split_times=[699, 799, 899]). 1 Input Files, 100mb total:"
+ - "L1, all files 100mb "
+ - "L1.213[669,919] 1.05us |-----------------------------------------L1.213-----------------------------------------|"
+ - "**** 4 Output Files (parquet_file_id not yet assigned), 100mb total:"
- "L1 "
- - "L1.?[42,99] 1.05us 27mb |--------L1.?---------| "
- - "L1.?[100,199] 1.05us 46mb |-----------------L1.?------------------| "
- - "L1.?[200,259] 1.05us 28mb |---------L1.?---------| "
+ - "L1.?[669,699] 1.05us 12mb|--L1.?--| "
+ - "L1.?[700,799] 1.05us 40mb |--------------L1.?---------------| "
+ - "L1.?[800,899] 1.05us 40mb |--------------L1.?---------------| "
+ - "L1.?[900,919] 1.05us 8mb |L1.?| "
- "Committing partition 1:"
- - " Soft Deleting 5 files: L1.224, L1.235, L1.236, L1.238, L1.239"
+ - " Soft Deleting 5 files: L1.213, L1.215, L1.216, L1.217, L1.218"
- " Creating 14 files"
- - "**** Simulation run 80, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[73, 146]). 4 Input Files, 273mb total:"
+ - "**** Simulation run 72, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[69, 138]). 4 Input Files, 289mb total:"
- "L1 "
- - "L1.251[42,99] 1.05us 27mb |--------L1.251---------| "
- - "L1.252[100,199] 1.05us 46mb |------------------L1.252------------------| "
+ - "L1.226[42,99] 1.05us 33mb |--------L1.226---------| "
+ - "L1.227[100,199] 1.05us 56mb |------------------L1.227------------------| "
- "L2 "
- "L2.1[0,99] 99ns 100mb |-------------------L2.1-------------------| "
- "L2.2[100,199] 199ns 100mb |-------------------L2.2-------------------| "
- - "**** 3 Output Files (parquet_file_id not yet assigned), 273mb total:"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 289mb total:"
- "L2 "
- - "L2.?[0,73] 1.05us 101mb |-------------L2.?--------------| "
- - "L2.?[74,146] 1.05us 100mb |-------------L2.?-------------| "
- - "L2.?[147,199] 1.05us 72mb |--------L2.?---------| "
+ - "L2.?[0,69] 1.05us 101mb |------------L2.?-------------| "
+ - "L2.?[70,138] 1.05us 100mb |------------L2.?------------| "
+ - "L2.?[139,199] 1.05us 88mb |----------L2.?-----------| "
- "Committing partition 1:"
- - " Soft Deleting 4 files: L2.1, L2.2, L1.251, L1.252"
+ - " Soft Deleting 4 files: L2.1, L2.2, L1.226, L1.227"
- " Creating 3 files"
- - "**** Simulation run 81, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[267]). 3 Input Files, 150mb total:"
+ - "**** Simulation run 73, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[264]). 3 Input Files, 156mb total:"
- "L1 "
- - "L1.253[200,259] 1.05us 28mb|----------------------L1.253-----------------------| "
- - "L1.248[260,299] 1.05us 22mb |-------------L1.248--------------| "
+ - "L1.228[200,219] 1.05us 11mb|----L1.228-----| "
+ - "L1.224[220,299] 1.05us 45mb |-------------------------------L1.224--------------------------------| "
- "L2 "
- "L2.3[200,299] 299ns 100mb|-----------------------------------------L2.3------------------------------------------| "
- - "**** 2 Output Files (parquet_file_id not yet assigned), 150mb total:"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 156mb total:"
- "L2 "
- - "L2.?[200,267] 1.05us 102mb|---------------------------L2.?---------------------------| "
- - "L2.?[268,299] 1.05us 48mb |-----------L2.?-----------| "
+ - "L2.?[200,264] 1.05us 102mb|--------------------------L2.?--------------------------| "
+ - "L2.?[265,299] 1.05us 55mb |------------L2.?------------| "
- "Committing partition 1:"
- - " Soft Deleting 3 files: L2.3, L1.248, L1.253"
+ - " Soft Deleting 3 files: L2.3, L1.224, L1.228"
- " Creating 2 files"
- - "**** Simulation run 82, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[364]). 2 Input Files, 155mb total:"
+ - "**** Simulation run 74, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[363]). 3 Input Files, 159mb total:"
- "L1 "
- - "L1.249[300,399] 1.05us 55mb|----------------------------------------L1.249-----------------------------------------| "
+ - "L1.225[300,355] 1.05us 32mb|--------------------L1.225---------------------| "
+ - "L1.221[356,399] 1.05us 27mb |---------------L1.221----------------| "
- "L2 "
- "L2.4[300,399] 399ns 100mb|-----------------------------------------L2.4------------------------------------------| "
- - "**** 2 Output Files (parquet_file_id not yet assigned), 155mb total:"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 159mb total:"
- "L2 "
- - "L2.?[300,364] 1.05us 101mb|--------------------------L2.?--------------------------| "
- - "L2.?[365,399] 1.05us 54mb |------------L2.?------------| "
+ - "L2.?[300,363] 1.05us 102mb|-------------------------L2.?--------------------------| "
+ - "L2.?[364,399] 1.05us 57mb |------------L2.?-------------| "
- "Committing partition 1:"
- - " Soft Deleting 2 files: L2.4, L1.249"
+ - " Soft Deleting 3 files: L2.4, L1.221, L1.225"
- " Creating 2 files"
- - "**** Simulation run 83, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[464]). 3 Input Files, 155mb total:"
+ - "**** Simulation run 75, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[461]). 2 Input Files, 162mb total:"
- "L1 "
- - "L1.250[400,441] 1.05us 23mb|--------------L1.250---------------| "
- - "L1.245[442,499] 1.05us 32mb |---------------------L1.245----------------------| "
+ - "L1.222[400,499] 1.05us 62mb|----------------------------------------L1.222-----------------------------------------| "
- "L2 "
- "L2.5[400,499] 499ns 100mb|-----------------------------------------L2.5------------------------------------------| "
- - "**** 2 Output Files (parquet_file_id not yet assigned), 155mb total:"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 162mb total:"
- "L2 "
- - "L2.?[400,464] 1.05us 101mb|--------------------------L2.?--------------------------| "
- - "L2.?[465,499] 1.05us 54mb |------------L2.?------------| "
+ - "L2.?[400,461] 1.05us 101mb|------------------------L2.?-------------------------| "
+ - "L2.?[462,499] 1.05us 62mb |-------------L2.?--------------| "
- "Committing partition 1:"
- - " Soft Deleting 3 files: L2.5, L1.245, L1.250"
+ - " Soft Deleting 2 files: L2.5, L1.222"
- " Creating 2 files"
- - "**** Simulation run 84, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[564]). 2 Input Files, 155mb total:"
+ - "**** Simulation run 76, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[561]). 3 Input Files, 162mb total:"
- "L1 "
- - "L1.246[500,599] 1.05us 55mb|----------------------------------------L1.246-----------------------------------------| "
+ - "L1.223[500,516] 1.05us 11mb|---L1.223---| "
+ - "L1.219[517,599] 1.05us 52mb |---------------------------------L1.219---------------------------------| "
- "L2 "
- "L2.6[500,599] 599ns 100mb|-----------------------------------------L2.6------------------------------------------| "
- - "**** 2 Output Files (parquet_file_id not yet assigned), 155mb total:"
- - "L2 "
- - "L2.?[500,564] 1.05us 101mb|--------------------------L2.?--------------------------| "
- - "L2.?[565,599] 1.05us 54mb |------------L2.?------------| "
- - "Committing partition 1:"
- - " Soft Deleting 2 files: L2.6, L1.246"
- - " Creating 2 files"
- - "**** Simulation run 85, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[664]). 4 Input Files, 155mb total:"
- - "L1 "
- - "L1.247[600,622] 1.05us 13mb|------L1.247------| "
- - "L1.237[623,693] 1.05us 39mb |---------------------------L1.237----------------------------| "
- - "L1.242[694,699] 1.05us 3mb |L1.242|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 162mb total:"
- "L2 "
- - "L2.7[600,699] 699ns 100mb|-----------------------------------------L2.7------------------------------------------| "
- - "**** 2 Output Files (parquet_file_id not yet assigned), 155mb total:"
- - "L2 "
- - "L2.?[600,664] 1.05us 101mb|--------------------------L2.?--------------------------| "
- - "L2.?[665,699] 1.05us 54mb |------------L2.?------------| "
+ - "L2.?[500,561] 1.05us 101mb|------------------------L2.?-------------------------| "
+ - "L2.?[562,599] 1.05us 62mb |-------------L2.?--------------| "
- "Committing partition 1:"
- - " Soft Deleting 4 files: L2.7, L1.237, L1.242, L1.247"
+ - " Soft Deleting 3 files: L2.6, L1.219, L1.223"
- " Creating 2 files"
- - "**** Simulation run 86, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[765]). 2 Input Files, 155mb total:"
+ - "**** Simulation run 77, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[668, 736]). 5 Input Files, 296mb total:"
- "L1 "
- - "L1.243[700,799] 1.05us 55mb|----------------------------------------L1.243-----------------------------------------| "
+ - "L1.220[600,668] 1.05us 43mb|-----------L1.220-----------| "
+ - "L1.229[669,699] 1.05us 12mb |--L1.229---| "
+ - "L1.230[700,799] 1.05us 40mb |------------------L1.230------------------| "
- "L2 "
- - "L2.8[700,799] 799ns 100mb|-----------------------------------------L2.8------------------------------------------| "
- - "**** 2 Output Files (parquet_file_id not yet assigned), 155mb total:"
+ - "L2.7[600,699] 699ns 100mb|-------------------L2.7-------------------| "
+ - "L2.8[700,799] 799ns 100mb |-------------------L2.8-------------------| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 296mb total:"
- "L2 "
- - "L2.?[700,765] 1.05us 102mb|--------------------------L2.?---------------------------| "
- - "L2.?[766,799] 1.05us 53mb |-----------L2.?------------| "
+ - "L2.?[600,668] 1.05us 102mb|------------L2.?------------| "
+ - "L2.?[669,736] 1.05us 100mb |------------L2.?------------| "
+ - "L2.?[737,799] 1.05us 93mb |-----------L2.?-----------| "
- "Committing partition 1:"
- - " Soft Deleting 2 files: L2.8, L1.243"
- - " Creating 2 files"
- - "**** Simulation run 87, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[865]). 3 Input Files, 155mb total:"
- - "L1 "
- - "L1.244[800,877] 1.05us 43mb|-------------------------------L1.244-------------------------------| "
- - "L1.240[878,899] 1.05us 12mb |-----L1.240------| "
- - "L2 "
- - "L2.9[800,899] 899ns 100mb|-----------------------------------------L2.9------------------------------------------| "
- - "**** 2 Output Files (parquet_file_id not yet assigned), 155mb total:"
- - "L2 "
- - "L2.?[800,865] 1.05us 102mb|--------------------------L2.?---------------------------| "
- - "L2.?[866,899] 1.05us 53mb |-----------L2.?------------| "
- - "Committing partition 1:"
- - " Soft Deleting 3 files: L2.9, L1.240, L1.244"
- - " Creating 2 files"
- - "**** Final Output Files (4.04gb written)"
+ - " Soft Deleting 5 files: L2.7, L2.8, L1.220, L1.229, L1.230"
+ - " Creating 3 files"
+ - "**** Final Output Files (3.32gb written)"
- "L1 "
- - "L1.241[900,986] 1.05us 47mb |L1.241| "
+ - "L1.214[920,986] 1.05us 27mb |L1.214|"
+ - "L1.231[800,899] 1.05us 40mb |L1.231| "
+ - "L1.232[900,919] 1.05us 8mb |L1.232| "
- "L2 "
+ - "L2.9[800,899] 899ns 100mb |-L2.9-| "
- "L2.10[900,999] 999ns 100mb |L2.10-| "
- - "L2.254[0,73] 1.05us 101mb|L2.254| "
- - "L2.255[74,146] 1.05us 100mb |L2.255| "
- - "L2.256[147,199] 1.05us 72mb |L2.256| "
- - "L2.257[200,267] 1.05us 102mb |L2.257| "
- - "L2.258[268,299] 1.05us 48mb |L2.258| "
- - "L2.259[300,364] 1.05us 101mb |L2.259| "
- - "L2.260[365,399] 1.05us 54mb |L2.260| "
- - "L2.261[400,464] 1.05us 101mb |L2.261| "
- - "L2.262[465,499] 1.05us 54mb |L2.262| "
- - "L2.263[500,564] 1.05us 101mb |L2.263| "
- - "L2.264[565,599] 1.05us 54mb |L2.264| "
- - "L2.265[600,664] 1.05us 101mb |L2.265| "
- - "L2.266[665,699] 1.05us 54mb |L2.266| "
- - "L2.267[700,765] 1.05us 102mb |L2.267| "
- - "L2.268[766,799] 1.05us 53mb |L2.268| "
- - "L2.269[800,865] 1.05us 102mb |L2.269| "
- - "L2.270[866,899] 1.05us 53mb |L2.270| "
+ - "L2.233[0,69] 1.05us 101mb|L2.233| "
+ - "L2.234[70,138] 1.05us 100mb |L2.234| "
+ - "L2.235[139,199] 1.05us 88mb |L2.235| "
+ - "L2.236[200,264] 1.05us 102mb |L2.236| "
+ - "L2.237[265,299] 1.05us 55mb |L2.237| "
+ - "L2.238[300,363] 1.05us 102mb |L2.238| "
+ - "L2.239[364,399] 1.05us 57mb |L2.239| "
+ - "L2.240[400,461] 1.05us 101mb |L2.240| "
+ - "L2.241[462,499] 1.05us 62mb |L2.241| "
+ - "L2.242[500,561] 1.05us 101mb |L2.242| "
+ - "L2.243[562,599] 1.05us 62mb |L2.243| "
+ - "L2.244[600,668] 1.05us 102mb |L2.244| "
+ - "L2.245[669,736] 1.05us 100mb |L2.245| "
+ - "L2.246[737,799] 1.05us 93mb |L2.246| "
- "**** Breakdown of where bytes were written"
- - 1.84gb written by split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))
- - 500mb written by compact(ManySmallFiles)
+ - 1.2gb written by split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))
+ - 473mb written by split(ReduceOverlap)
+ - 500mb written by split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))
- 500mb written by split(VerticalSplit)
- - 596mb written by split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))
- - 663mb written by split(ReduceOverlap)
+ - 704mb written by compact(ManySmallFiles)
"###
);
}
@@ -3952,79 +3764,88 @@ async fn actual_case_from_catalog_1() {
- "WARNING: file L0.161[3270000,3330000] 3.36ms 183mb exceeds soft limit 100mb by more than 50%"
- "WARNING: file L0.162[3300000,3380000] 3.4ms 231mb exceeds soft limit 100mb by more than 50%"
- "WARNING: file L0.163[3310000,3380000] 3.41ms 232mb exceeds soft limit 100mb by more than 50%"
- - "**** Final Output Files (16.17gb written)"
+ - "**** Final Output Files (14.58gb written)"
- "L2 "
- - "L2.621[1614382,1717183] 3.42ms 162mb |L2.621| "
- - "L2.622[1717184,1820000] 3.42ms 202mb |L2.622| "
- - "L2.623[1830000,1970000] 3.42ms 267mb |L2.623| "
- - "L2.624[1980000,2070000] 3.42ms 157mb |L2.624| "
- - "L2.625[2080000,2229999] 3.42ms 197mb |L2.625| "
- - "L2.626[2230000,2299999] 3.42ms 201mb |L2.626| "
- - "L2.629[2450000,2533333] 3.42ms 146mb |L2.629| "
- - "L2.630[2533334,2616666] 3.42ms 115mb |L2.630| "
- - "L2.631[2616667,2700000] 3.42ms 167mb |L2.631| "
- - "L2.632[2710000,2759999] 3.42ms 117mb |L2.632| "
- - "L2.633[2760000,2809998] 3.42ms 109mb |L2.633| "
- - "L2.635[2870000,2931175] 3.42ms 124mb |L2.635| "
- - "L2.636[3053528,3079410] 3.42ms 143mb |L2.636| "
- - "L2.637[3079411,3105292] 3.42ms 115mb |L2.637| "
- - "L2.638[3105293,3131174] 3.42ms 157mb |L2.638|"
- - "L2.639[3131175,3157056] 3.42ms 138mb |L2.639|"
- - "L2.640[3157057,3182938] 3.42ms 167mb |L2.640|"
- - "L2.641[3182939,3208820] 3.42ms 186mb |L2.641|"
- - "L2.642[3208821,3234702] 3.42ms 194mb |L2.642|"
- - "L2.643[3234703,3260584] 3.42ms 178mb |L2.643|"
- - "L2.644[2931176,2992350] 3.42ms 184mb |L2.644| "
- - "L2.645[2992351,3053527] 3.42ms 268mb |L2.645| "
- - "L2.646[3260585,3286466] 3.42ms 148mb |L2.646|"
- - "L2.647[3286467,3312348] 3.42ms 152mb |L2.647|"
- - "L2.648[3312349,3338230] 3.42ms 224mb |L2.648|"
- - "L2.649[3338231,3364112] 3.42ms 189mb |L2.649|"
- - "L2.650[3364113,3390000] 3.42ms 110mb |L2.650|"
- - "L2.657[983237,1076038] 3.42ms 100mb |L2.657| "
- - "L2.658[1076039,1168839] 3.42ms 100mb |L2.658| "
- - "L2.663[1304127,1361580] 3.42ms 100mb |L2.663| "
- - "L2.669[1361581,1423756] 3.42ms 100mb |L2.669| "
- - "L2.672[2300000,2384100] 3.42ms 100mb |L2.672| "
- - "L2.674[10000,208052] 3.42ms 100mb|L2.674| "
- - "L2.675[208053,406104] 3.42ms 100mb |L2.675| "
- - "L2.676[406105,533587] 3.42ms 64mb |L2.676| "
- - "L2.677[533588,756033] 3.42ms 100mb |L2.677| "
- - "L2.678[756034,978478] 3.42ms 100mb |L2.678| "
- - "L2.679[978479,983236] 3.42ms 2mb |L2.679| "
- - "L2.680[1168840,1236225] 3.42ms 100mb |L2.680| "
- - "L2.681[1236226,1303610] 3.42ms 100mb |L2.681| "
- - "L2.682[1303611,1304126] 3.42ms 784kb |L2.682| "
- - "L2.683[1423757,1488831] 3.42ms 100mb |L2.683| "
- - "L2.684[1488832,1553905] 3.42ms 100mb |L2.684| "
- - "L2.685[1553906,1614381] 3.42ms 93mb |L2.685| "
- - "L2.686[2384101,2428820] 3.42ms 53mb |L2.686| "
- - "L2.687[2428821,2440000] 3.42ms 13mb |L2.687| "
- - "L2.690[2809999,2849999] 3.42ms 65mb |L2.690| "
- - "L2.691[2850000,2860000] 3.42ms 16mb |L2.691| "
+ - "L2.377[997570,1063509] 3.42ms 100mb |L2.377| "
+ - "L2.378[1063510,1100371] 3.42ms 56mb |L2.378| "
+ - "L2.379[1100372,1153379] 3.42ms 100mb |L2.379| "
+ - "L2.380[1153380,1203173] 3.42ms 94mb |L2.380| "
+ - "L2.381[1203174,1260886] 3.42ms 100mb |L2.381| "
+ - "L2.382[1260887,1305975] 3.42ms 78mb |L2.382| "
+ - "L2.383[1305976,1374631] 3.42ms 100mb |L2.383| "
+ - "L2.388[1579354,1614381] 3.42ms 52mb |L2.388| "
+ - "L2.389[1614382,1677745] 3.42ms 100mb |L2.389| "
+ - "L2.390[1677746,1717183] 3.42ms 62mb |L2.390| "
+ - "L2.391[1980000,2037321] 3.42ms 100mb |L2.391| "
+ - "L2.392[2037322,2070000] 3.42ms 57mb |L2.392| "
+ - "L2.393[2080000,2156222] 3.42ms 100mb |L2.393| "
+ - "L2.394[2156223,2229999] 3.42ms 97mb |L2.394| "
+ - "L2.395[2230000,2264878] 3.42ms 100mb |L2.395| "
+ - "L2.396[2264879,2299756] 3.42ms 100mb |L2.396| "
+ - "L2.407[2666461,2700000] 3.42ms 67mb |L2.407| "
+ - "L2.408[1717184,1768115] 3.42ms 100mb |L2.408| "
+ - "L2.409[1768116,1819046] 3.42ms 100mb |L2.409| "
+ - "L2.414[2710000,2749999] 3.42ms 93mb |L2.414| "
+ - "L2.420[2870000,2919269] 3.42ms 100mb |L2.420| "
+ - "L2.424[2992351,3015165] 3.42ms 100mb |L2.424| "
+ - "L2.425[3015166,3037979] 3.42ms 100mb |L2.425| "
+ - "L2.426[3037980,3053527] 3.42ms 68mb |L2.426| "
+ - "L2.427[3053528,3071615] 3.42ms 100mb |L2.427| "
+ - "L2.432[3121808,3131174] 3.42ms 57mb |L2.432|"
+ - "L2.433[3131175,3149990] 3.42ms 100mb |L2.433|"
+ - "L2.437[3182939,3196874] 3.42ms 100mb |L2.437|"
+ - "L2.438[3196875,3208820] 3.42ms 86mb |L2.438|"
+ - "L2.439[3208821,3222148] 3.42ms 100mb |L2.439|"
+ - "L2.440[3222149,3234702] 3.42ms 94mb |L2.440|"
+ - "L2.441[3234703,3249276] 3.42ms 100mb |L2.441|"
+ - "L2.442[3249277,3260584] 3.42ms 78mb |L2.442|"
+ - "L2.443[3260585,3278130] 3.42ms 100mb |L2.443|"
+ - "L2.447[3364113,3384822] 3.42ms 88mb |L2.447|"
+ - "L2.450[3323922,3335493] 3.42ms 100mb |L2.450|"
+ - "L2.497[646806,842475] 3.42ms 100mb |L2.497| "
+ - "L2.498[842476,997569] 3.42ms 79mb |L2.498| "
+ - "L2.499[10000,293759] 3.42ms 100mb|L2.499| "
+ - "L2.500[293760,577518] 3.42ms 100mb |L2.500| "
+ - "L2.501[577519,646805] 3.42ms 24mb |L2.501| "
+ - "L2.502[1374632,1448572] 3.42ms 100mb |L2.502| "
+ - "L2.503[1448573,1522512] 3.42ms 100mb |L2.503| "
+ - "L2.504[1522513,1579353] 3.42ms 77mb |L2.504| "
+ - "L2.505[1819047,1875245] 3.42ms 100mb |L2.505| "
+ - "L2.506[1875246,1931443] 3.42ms 100mb |L2.506| "
+ - "L2.507[1931444,1970000] 3.42ms 69mb |L2.507| "
+ - "L2.508[2299757,2377295] 3.42ms 100mb |L2.508| "
+ - "L2.509[2377296,2454833] 3.42ms 100mb |L2.509| "
+ - "L2.510[2454834,2506911] 3.42ms 67mb |L2.510| "
+ - "L2.511[2506912,2567974] 3.42ms 100mb |L2.511| "
+ - "L2.512[2567975,2629036] 3.42ms 100mb |L2.512| "
+ - "L2.513[2629037,2666460] 3.42ms 61mb |L2.513| "
+ - "L2.514[2750000,2801517] 3.42ms 100mb |L2.514| "
+ - "L2.515[2801518,2853034] 3.42ms 100mb |L2.515| "
+ - "L2.516[2853035,2860000] 3.42ms 14mb |L2.516| "
+ - "L2.517[2919270,2954395] 3.42ms 100mb |L2.517| "
+ - "L2.518[2954396,2989520] 3.42ms 100mb |L2.518| "
+ - "L2.519[2989521,2992350] 3.42ms 8mb |L2.519| "
+ - "L2.520[3071616,3091082] 3.42ms 100mb |L2.520| "
+ - "L2.521[3091083,3110548] 3.42ms 100mb |L2.521|"
+ - "L2.522[3110549,3121807] 3.42ms 58mb |L2.522|"
+ - "L2.523[3149991,3166126] 3.42ms 100mb |L2.523|"
+ - "L2.524[3166127,3182261] 3.42ms 100mb |L2.524|"
+ - "L2.525[3182262,3182938] 3.42ms 4mb |L2.525|"
+ - "L2.526[3278131,3293432] 3.42ms 100mb |L2.526|"
+ - "L2.527[3293433,3308733] 3.42ms 100mb |L2.527|"
+ - "L2.528[3308734,3323921] 3.42ms 99mb |L2.528|"
+ - "L2.529[3335494,3348934] 3.42ms 100mb |L2.529|"
+ - "L2.530[3348935,3362374] 3.42ms 100mb |L2.530|"
+ - "L2.531[3362375,3364112] 3.42ms 13mb |L2.531|"
+ - "L2.532[3384823,3388964] 3.42ms 18mb |L2.532|"
+ - "L2.533[3388965,3390000] 3.42ms 4mb |L2.533|"
- "**** Breakdown of where bytes were written"
- - 229mb written by split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))
+ - 178mb written by split(ReduceOverlap)
+ - 3.74gb written by split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))
- 4.84gb written by split(VerticalSplit)
- - 4.94gb written by compact(ManySmallFiles)
- - 5.23gb written by split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))
- - 955mb written by split(ReduceOverlap)
- - "WARNING: file L2.621[1614382,1717183] 3.42ms 162mb exceeds soft limit 100mb by more than 50%"
- - "WARNING: file L2.622[1717184,1820000] 3.42ms 202mb exceeds soft limit 100mb by more than 50%"
- - "WARNING: file L2.623[1830000,1970000] 3.42ms 267mb exceeds soft limit 100mb by more than 50%"
- - "WARNING: file L2.624[1980000,2070000] 3.42ms 157mb exceeds soft limit 100mb by more than 50%"
- - "WARNING: file L2.625[2080000,2229999] 3.42ms 197mb exceeds soft limit 100mb by more than 50%"
- - "WARNING: file L2.626[2230000,2299999] 3.42ms 201mb exceeds soft limit 100mb by more than 50%"
- - "WARNING: file L2.631[2616667,2700000] 3.42ms 167mb exceeds soft limit 100mb by more than 50%"
- - "WARNING: file L2.638[3105293,3131174] 3.42ms 157mb exceeds soft limit 100mb by more than 50%"
- - "WARNING: file L2.640[3157057,3182938] 3.42ms 167mb exceeds soft limit 100mb by more than 50%"
- - "WARNING: file L2.641[3182939,3208820] 3.42ms 186mb exceeds soft limit 100mb by more than 50%"
- - "WARNING: file L2.642[3208821,3234702] 3.42ms 194mb exceeds soft limit 100mb by more than 50%"
- - "WARNING: file L2.643[3234703,3260584] 3.42ms 178mb exceeds soft limit 100mb by more than 50%"
- - "WARNING: file L2.644[2931176,2992350] 3.42ms 184mb exceeds soft limit 100mb by more than 50%"
- - "WARNING: file L2.645[2992351,3053527] 3.42ms 268mb exceeds soft limit 100mb by more than 50%"
- - "WARNING: file L2.647[3286467,3312348] 3.42ms 152mb exceeds soft limit 100mb by more than 50%"
- - "WARNING: file L2.648[3312349,3338230] 3.42ms 224mb exceeds soft limit 100mb by more than 50%"
- - "WARNING: file L2.649[3338231,3364112] 3.42ms 189mb exceeds soft limit 100mb by more than 50%"
+ - 40mb written by compact(ManySmallFiles)
+ - 5.78gb written by split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))
+ - 931kb written by compact(TotalSizeLessThanMaxCompactSize)
"###
);
}
diff --git a/compactor/tests/layouts/core.rs b/compactor/tests/layouts/core.rs
index c68bae8a5c..17eedbaec5 100644
--- a/compactor/tests/layouts/core.rs
+++ b/compactor/tests/layouts/core.rs
@@ -167,21 +167,22 @@ async fn all_non_overlapping_l0() {
- "Committing partition 1:"
- " Soft Deleting 10 files: L0.1, L0.2, L0.3, L0.4, L0.5, L0.6, L0.7, L0.8, L0.9, L0.10"
- " Creating 2 files"
- - "**** Simulation run 1, type=split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))(split_times=[720]). 2 Input Files, 100mb total:"
- - "L1 "
- - "L1.12[721,901] 9ns 20mb |-----L1.12-----| "
- - "L1.11[0,720] 9ns 80mb |--------------------------------L1.11--------------------------------| "
- - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "**** Simulation run 1, type=split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))(split_times=[865]). 1 Input Files, 20mb total:"
+ - "L1, all files 20mb "
+ - "L1.12[721,901] 9ns |-----------------------------------------L1.12------------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 20mb total:"
- "L2 "
- - "L2.?[0,720] 9ns 80mb |--------------------------------L2.?---------------------------------| "
- - "L2.?[721,901] 9ns 20mb |-----L2.?------| "
+ - "L2.?[721,865] 9ns 16mb |---------------------------------L2.?---------------------------------| "
+ - "L2.?[866,901] 9ns 4mb |-----L2.?------| "
- "Committing partition 1:"
- - " Soft Deleting 2 files: L1.11, L1.12"
+ - " Soft Deleting 1 files: L1.12"
+ - " Upgrading 1 files level to CompactionLevel::L2: L1.11"
- " Creating 2 files"
- - "**** Final Output Files (200mb written)"
+ - "**** Final Output Files (120mb written)"
- "L2 "
- - "L2.13[0,720] 9ns 80mb |--------------------------------L2.13--------------------------------| "
- - "L2.14[721,901] 9ns 20mb |-----L2.14-----| "
+ - "L2.11[0,720] 9ns 80mb |--------------------------------L2.11--------------------------------| "
+ - "L2.13[721,865] 9ns 16mb |---L2.13----| "
+ - "L2.14[866,901] 9ns 4mb |L2.14|"
"###
);
}
@@ -417,10 +418,10 @@ async fn l1_with_non_overlapping_l0_larger() {
- " Creating 1 files"
- "**** Simulation run 1, type=split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))(split_times=[370]). 4 Input Files, 108mb total:"
- "L1 "
- - "L1.2[100,149] 2ns 50mb |--L1.2---| "
- "L1.1[50,99] 1ns 20mb |--L1.1---| "
- "L1.3[150,199] 3ns 20mb |--L1.3---| "
- "L1.8[200,450] 13ns 18mb |-------------------------L1.8-------------------------| "
+ - "L1.2[100,149] 2ns 50mb |--L1.2---| "
- "**** 2 Output Files (parquet_file_id not yet assigned), 108mb total:"
- "L2 "
- "L2.?[50,370] 13ns 86mb |---------------------------------L2.?---------------------------------| "
@@ -448,11 +449,11 @@ async fn l1_too_much_with_non_overlapping_l0() {
// enough to upgrade, the total size will be > 256MB and we will
// skip the partition
//
- // L1: 90MB, 80MB, 70MB, ..., 70MB
+ // L1: 45MB, 40MB, 35MB, ..., 35MB
// L0: ..
let mut num_l1_files = 0;
- for (i, sz) in [90, 80, 70, 70, 70, 70, 70, 70, 70, 70].iter().enumerate() {
+ for (i, sz) in [45, 40, 35, 35, 35, 35, 35, 35, 35, 35].iter().enumerate() {
let i = i as i64;
setup
.partition
@@ -493,16 +494,16 @@ async fn l1_too_much_with_non_overlapping_l0() {
- "L0.12[600,649] 720s 5mb |L0.12| "
- "L0.13[600,649] 780s 5mb |L0.13| "
- "L1 "
- - "L1.1[50,99] 0ns 90mb |L1.1-| "
- - "L1.2[100,149] 60s 80mb |L1.2-| "
- - "L1.3[150,199] 120s 70mb |L1.3-| "
- - "L1.4[200,249] 180s 70mb |L1.4-| "
- - "L1.5[250,299] 240s 70mb |L1.5-| "
- - "L1.6[300,349] 300s 70mb |L1.6-| "
- - "L1.7[350,399] 360s 70mb |L1.7-| "
- - "L1.8[400,449] 420s 70mb |L1.8-| "
- - "L1.9[450,499] 480s 70mb |L1.9-| "
- - "L1.10[500,549] 540s 70mb |L1.10| "
+ - "L1.1[50,99] 0ns 45mb |L1.1-| "
+ - "L1.2[100,149] 60s 40mb |L1.2-| "
+ - "L1.3[150,199] 120s 35mb |L1.3-| "
+ - "L1.4[200,249] 180s 35mb |L1.4-| "
+ - "L1.5[250,299] 240s 35mb |L1.5-| "
+ - "L1.6[300,349] 300s 35mb |L1.6-| "
+ - "L1.7[350,399] 360s 35mb |L1.7-| "
+ - "L1.8[400,449] 420s 35mb |L1.8-| "
+ - "L1.9[450,499] 480s 35mb |L1.9-| "
+ - "L1.10[500,549] 540s 35mb |L1.10| "
- "**** Simulation run 0, type=compact(TotalSizeLessThanMaxCompactSize). 3 Input Files, 15mb total:"
- "L0, all files 5mb "
- "L0.13[600,649] 780s |-----------------------------------------L0.13------------------------------------------|"
@@ -514,58 +515,33 @@ async fn l1_too_much_with_non_overlapping_l0() {
- "Committing partition 1:"
- " Soft Deleting 3 files: L0.11, L0.12, L0.13"
- " Creating 1 files"
- - "**** Simulation run 1, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[113, 176]). 3 Input Files, 240mb total:"
+ - "**** Simulation run 1, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[186, 322]). 8 Input Files, 295mb total:"
- "L1 "
- - "L1.1[50,99] 0ns 90mb |-----------L1.1------------| "
- - "L1.2[100,149] 60s 80mb |-----------L1.2------------| "
- - "L1.3[150,199] 120s 70mb |-----------L1.3------------| "
- - "**** 3 Output Files (parquet_file_id not yet assigned), 240mb total:"
+ - "L1.1[50,99] 0ns 45mb |--L1.1---| "
+ - "L1.2[100,149] 60s 40mb |--L1.2---| "
+ - "L1.3[150,199] 120s 35mb |--L1.3---| "
+ - "L1.4[200,249] 180s 35mb |--L1.4---| "
+ - "L1.5[250,299] 240s 35mb |--L1.5---| "
+ - "L1.6[300,349] 300s 35mb |--L1.6---| "
+ - "L1.7[350,399] 360s 35mb |--L1.7---| "
+ - "L1.8[400,449] 420s 35mb |--L1.8---| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 295mb total:"
- "L2 "
- - "L2.?[50,113] 120s 102mb |----------------L2.?----------------| "
- - "L2.?[114,176] 120s 101mb |---------------L2.?----------------| "
- - "L2.?[177,199] 120s 37mb |---L2.?----| "
+ - "L2.?[50,186] 420s 101mb |------------L2.?------------| "
+ - "L2.?[187,322] 420s 100mb |------------L2.?------------| "
+ - "L2.?[323,449] 420s 94mb |-----------L2.?-----------| "
- "Committing partition 1:"
- - " Soft Deleting 3 files: L1.1, L1.2, L1.3"
+ - " Soft Deleting 8 files: L1.1, L1.2, L1.3, L1.4, L1.5, L1.6, L1.7, L1.8"
- " Creating 3 files"
- - "**** Simulation run 2, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[272, 344]). 4 Input Files, 280mb total:"
- - "L1, all files 70mb "
- - "L1.4[200,249] 180s |--------L1.4--------| "
- - "L1.5[250,299] 240s |--------L1.5--------| "
- - "L1.6[300,349] 300s |--------L1.6--------| "
- - "L1.7[350,399] 360s |--------L1.7--------| "
- - "**** 3 Output Files (parquet_file_id not yet assigned), 280mb total:"
- - "L2 "
- - "L2.?[200,272] 360s 102mb |-------------L2.?-------------| "
- - "L2.?[273,344] 360s 101mb |-------------L2.?-------------| "
- - "L2.?[345,399] 360s 77mb |---------L2.?---------| "
- - "Committing partition 1:"
- - " Soft Deleting 4 files: L1.4, L1.5, L1.6, L1.7"
- - " Creating 3 files"
- - "**** Simulation run 3, type=split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))(split_times=[511, 622]). 4 Input Files, 225mb total:"
+ - "**** Final Output Files (310mb written)"
- "L1 "
- - "L1.14[600,649] 780s 15mb |-----L1.14-----| "
- - "L1.10[500,549] 540s 70mb |-----L1.10-----| "
- - "L1.9[450,499] 480s 70mb |-----L1.9------| "
- - "L1.8[400,449] 420s 70mb |-----L1.8------| "
- - "**** 3 Output Files (parquet_file_id not yet assigned), 225mb total:"
+ - "L1.9[450,499] 480s 35mb |L1.9-| "
+ - "L1.10[500,549] 540s 35mb |L1.10| "
+ - "L1.14[600,649] 780s 15mb |L1.14| "
- "L2 "
- - "L2.?[400,511] 780s 101mb |-----------------L2.?-----------------| "
- - "L2.?[512,622] 780s 100mb |----------------L2.?-----------------| "
- - "L2.?[623,649] 780s 24mb |-L2.?--| "
- - "Committing partition 1:"
- - " Soft Deleting 4 files: L1.8, L1.9, L1.10, L1.14"
- - " Creating 3 files"
- - "**** Final Output Files (760mb written)"
- - "L2 "
- - "L2.15[50,113] 120s 102mb |-L2.15-| "
- - "L2.16[114,176] 120s 101mb |-L2.16-| "
- - "L2.17[177,199] 120s 37mb |L2.17| "
- - "L2.18[200,272] 360s 102mb |-L2.18--| "
- - "L2.19[273,344] 360s 101mb |-L2.19--| "
- - "L2.20[345,399] 360s 77mb |L2.20-| "
- - "L2.21[400,511] 780s 101mb |----L2.21-----| "
- - "L2.22[512,622] 780s 100mb |----L2.22-----| "
- - "L2.23[623,649] 780s 24mb |L2.23|"
+ - "L2.15[50,186] 420s 101mb |------L2.15-------| "
+ - "L2.16[187,322] 420s 100mb |------L2.16-------| "
+ - "L2.17[323,449] 420s 94mb |-----L2.17------| "
"###
);
}
@@ -682,10 +658,10 @@ async fn large_l1_with_non_overlapping_l0() {
// L1 files with total size > 100MB will get compacted after in round 2
// after the L0 files are compacted in round 1
- // L1: 90MB, 80MB
+ // L1: 45MB, 40MB
// L0: ..
- for (i, sz) in [90, 80].iter().enumerate() {
+ for (i, sz) in [45, 40].iter().enumerate() {
let i = i as i64;
setup
.partition
@@ -727,8 +703,8 @@ async fn large_l1_with_non_overlapping_l0() {
- "L0.4[600,650] 22ns 5mb |L0.4-| "
- "L0.5[600,650] 23ns 5mb |L0.5-| "
- "L1 "
- - "L1.1[50,99] 1ns 90mb |L1.1-| "
- - "L1.2[100,149] 2ns 80mb |L1.2-| "
+ - "L1.1[50,99] 1ns 45mb |L1.1-| "
+ - "L1.2[100,149] 2ns 40mb |L1.2-| "
- "**** Simulation run 0, type=compact(TotalSizeLessThanMaxCompactSize). 3 Input Files, 15mb total:"
- "L0, all files 5mb "
- "L0.5[600,650] 23ns |------------------------------------------L0.5------------------------------------------|"
@@ -740,22 +716,22 @@ async fn large_l1_with_non_overlapping_l0() {
- "Committing partition 1:"
- " Soft Deleting 3 files: L0.3, L0.4, L0.5"
- " Creating 1 files"
- - "**** Simulation run 1, type=split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))(split_times=[375]). 3 Input Files, 185mb total:"
+ - "**** Simulation run 1, type=split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))(split_times=[530]). 3 Input Files, 100mb total:"
- "L1 "
- - "L1.1[50,99] 1ns 90mb |L1.1-| "
- - "L1.2[100,149] 2ns 80mb |L1.2-| "
+ - "L1.1[50,99] 1ns 45mb |L1.1-| "
+ - "L1.2[100,149] 2ns 40mb |L1.2-| "
- "L1.6[600,650] 23ns 15mb |L1.6-| "
- - "**** 2 Output Files (parquet_file_id not yet assigned), 185mb total:"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
- "L2 "
- - "L2.?[50,375] 23ns 100mb |---------------------L2.?---------------------| "
- - "L2.?[376,650] 23ns 85mb |-----------------L2.?------------------| "
+ - "L2.?[50,530] 23ns 80mb |---------------------------------L2.?---------------------------------| "
+ - "L2.?[531,650] 23ns 20mb |-----L2.?------| "
- "Committing partition 1:"
- " Soft Deleting 3 files: L1.1, L1.2, L1.6"
- " Creating 2 files"
- - "**** Final Output Files (200mb written)"
+ - "**** Final Output Files (115mb written)"
- "L2 "
- - "L2.7[50,375] 23ns 100mb |---------------------L2.7---------------------| "
- - "L2.8[376,650] 23ns 85mb |-----------------L2.8------------------| "
+ - "L2.7[50,530] 23ns 80mb |---------------------------------L2.7---------------------------------| "
+ - "L2.8[531,650] 23ns 20mb |-----L2.8------| "
"###
);
}
diff --git a/compactor/tests/layouts/knobs.rs b/compactor/tests/layouts/knobs.rs
index 248cc0e4b3..7bd70cfd13 100644
--- a/compactor/tests/layouts/knobs.rs
+++ b/compactor/tests/layouts/knobs.rs
@@ -456,2606 +456,542 @@ async fn all_overlapping_l0_max_input_bytes_per_partition() {
- "Committing partition 1:"
- " Soft Deleting 10 files: L0.1, L0.2, L0.3, L0.4, L0.5, L0.6, L0.7, L0.8, L0.9, L0.10"
- " Creating 70 files"
- - "**** Simulation run 10, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[67700, 135300]). 23 Input Files, 30mb total:"
- - "L0 "
- - "L0.11[100,28656] 1ns 1mb |--L0.11---| "
- - "L0.12[28657,57212] 1ns 1mb |--L0.12---| "
- - "L0.13[57213,85768] 1ns 1mb |--L0.13---| "
- - "L0.14[85769,114324] 1ns 1mb |--L0.14---| "
- - "L0.15[114325,142880] 1ns 1mb |--L0.15---| "
- - "L0.16[142881,171436] 1ns 1mb |--L0.16---| "
- - "L0.17[171437,200000] 1ns 1mb |--L0.17---| "
- - "L0.18[100,28656] 2ns 1mb |--L0.18---| "
- - "L0.19[28657,57212] 2ns 1mb |--L0.19---| "
- - "L0.20[57213,85768] 2ns 1mb |--L0.20---| "
- - "L0.21[85769,114324] 2ns 1mb |--L0.21---| "
- - "L0.22[114325,142880] 2ns 1mb |--L0.22---| "
- - "L0.23[142881,171436] 2ns 1mb |--L0.23---| "
- - "L0.24[171437,200000] 2ns 1mb |--L0.24---| "
- - "L0.25[100,28656] 3ns 1mb |--L0.25---| "
- - "L0.26[28657,57212] 3ns 1mb |--L0.26---| "
- - "L0.27[57213,85768] 3ns 1mb |--L0.27---| "
- - "L0.28[85769,114324] 3ns 1mb |--L0.28---| "
- - "L0.29[114325,142880] 3ns 1mb |--L0.29---| "
- - "L0.30[142881,171436] 3ns 1mb |--L0.30---| "
- - "L0.31[171437,200000] 3ns 1mb |--L0.31---| "
- - "L0.32[100,28656] 4ns 1mb |--L0.32---| "
- - "L0.33[28657,57212] 4ns 1mb |--L0.33---| "
- - "**** 3 Output Files (parquet_file_id not yet assigned), 30mb total:"
- - "L1 "
- - "L1.?[100,67700] 4ns 10mb |------------L1.?------------| "
- - "L1.?[67701,135300] 4ns 10mb |------------L1.?------------| "
- - "L1.?[135301,200000] 4ns 10mb |-----------L1.?------------| "
- - "Committing partition 1:"
- - " Soft Deleting 23 files: L0.11, L0.12, L0.13, L0.14, L0.15, L0.16, L0.17, L0.18, L0.19, L0.20, L0.21, L0.22, L0.23, L0.24, L0.25, L0.26, L0.27, L0.28, L0.29, L0.30, L0.31, L0.32, L0.33"
- - " Creating 3 files"
- - "**** Simulation run 11, type=split(ReduceOverlap)(split_times=[135300]). 1 Input Files, 1mb total:"
- - "L0, all files 1mb "
- - "L0.36[114325,142880] 4ns |-----------------------------------------L0.36------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
- - "L0 "
- - "L0.?[114325,135300] 4ns 967kb|------------------------------L0.?------------------------------| "
- - "L0.?[135301,142880] 4ns 349kb |--------L0.?---------| "
- - "**** Simulation run 12, type=split(ReduceOverlap)(split_times=[67700]). 1 Input Files, 1mb total:"
- - "L0, all files 1mb "
- - "L0.34[57213,85768] 4ns |-----------------------------------------L0.34------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
- - "L0 "
- - "L0.?[57213,67700] 4ns 484kb|-------------L0.?--------------| "
- - "L0.?[67701,85768] 4ns 833kb |-------------------------L0.?-------------------------| "
- - "**** Simulation run 13, type=split(ReduceOverlap)(split_times=[135300]). 1 Input Files, 1mb total:"
- - "L0, all files 1mb "
- - "L0.43[114325,142880] 5ns |-----------------------------------------L0.43------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
- - "L0 "
- - "L0.?[114325,135300] 5ns 967kb|------------------------------L0.?------------------------------| "
- - "L0.?[135301,142880] 5ns 349kb |--------L0.?---------| "
- - "**** Simulation run 14, type=split(ReduceOverlap)(split_times=[67700]). 1 Input Files, 1mb total:"
- - "L0, all files 1mb "
- - "L0.41[57213,85768] 5ns |-----------------------------------------L0.41------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
- - "L0 "
- - "L0.?[57213,67700] 5ns 484kb|-------------L0.?--------------| "
- - "L0.?[67701,85768] 5ns 833kb |-------------------------L0.?-------------------------| "
- - "**** Simulation run 15, type=split(ReduceOverlap)(split_times=[135300]). 1 Input Files, 1mb total:"
- - "L0, all files 1mb "
- - "L0.50[114325,142880] 6ns |-----------------------------------------L0.50------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
- - "L0 "
- - "L0.?[114325,135300] 6ns 967kb|------------------------------L0.?------------------------------| "
- - "L0.?[135301,142880] 6ns 349kb |--------L0.?---------| "
- - "**** Simulation run 16, type=split(ReduceOverlap)(split_times=[67700]). 1 Input Files, 1mb total:"
- - "L0, all files 1mb "
- - "L0.48[57213,85768] 6ns |-----------------------------------------L0.48------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
- - "L0 "
- - "L0.?[57213,67700] 6ns 484kb|-------------L0.?--------------| "
- - "L0.?[67701,85768] 6ns 833kb |-------------------------L0.?-------------------------| "
- - "**** Simulation run 17, type=split(ReduceOverlap)(split_times=[135300]). 1 Input Files, 1mb total:"
- - "L0, all files 1mb "
- - "L0.57[114325,142880] 7ns |-----------------------------------------L0.57------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
- - "L0 "
- - "L0.?[114325,135300] 7ns 967kb|------------------------------L0.?------------------------------| "
- - "L0.?[135301,142880] 7ns 349kb |--------L0.?---------| "
- - "**** Simulation run 18, type=split(ReduceOverlap)(split_times=[67700]). 1 Input Files, 1mb total:"
- - "L0, all files 1mb "
- - "L0.55[57213,85768] 7ns |-----------------------------------------L0.55------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
- - "L0 "
- - "L0.?[57213,67700] 7ns 484kb|-------------L0.?--------------| "
- - "L0.?[67701,85768] 7ns 833kb |-------------------------L0.?-------------------------| "
- - "**** Simulation run 19, type=split(ReduceOverlap)(split_times=[135300]). 1 Input Files, 1mb total:"
- - "L0, all files 1mb "
- - "L0.64[114325,142880] 8ns |-----------------------------------------L0.64------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
- - "L0 "
- - "L0.?[114325,135300] 8ns 967kb|------------------------------L0.?------------------------------| "
- - "L0.?[135301,142880] 8ns 349kb |--------L0.?---------| "
- - "**** Simulation run 20, type=split(ReduceOverlap)(split_times=[67700]). 1 Input Files, 1mb total:"
- - "L0, all files 1mb "
- - "L0.62[57213,85768] 8ns |-----------------------------------------L0.62------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
- - "L0 "
- - "L0.?[57213,67700] 8ns 484kb|-------------L0.?--------------| "
- - "L0.?[67701,85768] 8ns 833kb |-------------------------L0.?-------------------------| "
- - "**** Simulation run 21, type=split(ReduceOverlap)(split_times=[135300]). 1 Input Files, 1mb total:"
- - "L0, all files 1mb "
- - "L0.71[114325,142880] 9ns |-----------------------------------------L0.71------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
- - "L0 "
- - "L0.?[114325,135300] 9ns 967kb|------------------------------L0.?------------------------------| "
- - "L0.?[135301,142880] 9ns 349kb |--------L0.?---------| "
- - "**** Simulation run 22, type=split(ReduceOverlap)(split_times=[67700]). 1 Input Files, 1mb total:"
- - "L0, all files 1mb "
- - "L0.69[57213,85768] 9ns |-----------------------------------------L0.69------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
- - "L0 "
- - "L0.?[57213,67700] 9ns 484kb|-------------L0.?--------------| "
- - "L0.?[67701,85768] 9ns 833kb |-------------------------L0.?-------------------------| "
- - "**** Simulation run 23, type=split(ReduceOverlap)(split_times=[135300]). 1 Input Files, 1mb total:"
- - "L0, all files 1mb "
- - "L0.78[114325,142880] 10ns|-----------------------------------------L0.78------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
- - "L0 "
- - "L0.?[114325,135300] 10ns 967kb|------------------------------L0.?------------------------------| "
- - "L0.?[135301,142880] 10ns 349kb |--------L0.?---------| "
- - "**** Simulation run 24, type=split(ReduceOverlap)(split_times=[67700]). 1 Input Files, 1mb total:"
- - "L0, all files 1mb "
- - "L0.76[57213,85768] 10ns |-----------------------------------------L0.76------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
- - "L0 "
- - "L0.?[57213,67700] 10ns 484kb|-------------L0.?--------------| "
- - "L0.?[67701,85768] 10ns 833kb |-------------------------L0.?-------------------------| "
- - "Committing partition 1:"
- - " Soft Deleting 14 files: L0.34, L0.36, L0.41, L0.43, L0.48, L0.50, L0.55, L0.57, L0.62, L0.64, L0.69, L0.71, L0.76, L0.78"
- - " Creating 28 files"
- - "**** Simulation run 25, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[57593, 115086]). 6 Input Files, 24mb total:"
- - "L0 "
- - "L0.86[57213,67700] 4ns 484kb |L0.86| "
- - "L0.87[67701,85768] 4ns 833kb |--L0.87---| "
- - "L0.35[85769,114324] 4ns 1mb |------L0.35------| "
- - "L0.84[114325,135300] 4ns 967kb |---L0.84---| "
- - "L1 "
- - "L1.81[100,67700] 4ns 10mb|-------------------L1.81-------------------| "
- - "L1.82[67701,135300] 4ns 10mb |------------------L1.82-------------------| "
- - "**** 3 Output Files (parquet_file_id not yet assigned), 24mb total:"
- - "L1 "
- - "L1.?[100,57593] 4ns 10mb |----------------L1.?----------------| "
- - "L1.?[57594,115086] 4ns 10mb |----------------L1.?----------------| "
- - "L1.?[115087,135300] 4ns 4mb |---L1.?----| "
- - "Committing partition 1:"
- - " Soft Deleting 6 files: L0.35, L1.81, L1.82, L0.84, L0.86, L0.87"
- - " Creating 3 files"
- - "**** Simulation run 26, type=split(ReduceOverlap)(split_times=[115086]). 1 Input Files, 967kb total:"
- - "L0, all files 967kb "
- - "L0.88[114325,135300] 5ns |-----------------------------------------L0.88------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 967kb total:"
- - "L0 "
- - "L0.?[114325,115086] 5ns 35kb|L0.?| "
- - "L0.?[115087,135300] 5ns 932kb |----------------------------------------L0.?----------------------------------------| "
- - "**** Simulation run 27, type=split(ReduceOverlap)(split_times=[57593]). 1 Input Files, 484kb total:"
- - "L0, all files 484kb "
- - "L0.90[57213,67700] 5ns |-----------------------------------------L0.90------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 484kb total:"
- - "L0 "
- - "L0.?[57213,57593] 5ns 18kb|L0.?| "
- - "L0.?[57594,67700] 5ns 466kb |----------------------------------------L0.?----------------------------------------| "
- - "**** Simulation run 28, type=split(ReduceOverlap)(split_times=[115086]). 1 Input Files, 967kb total:"
- - "L0, all files 967kb "
- - "L0.92[114325,135300] 6ns |-----------------------------------------L0.92------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 967kb total:"
- - "L0 "
- - "L0.?[114325,115086] 6ns 35kb|L0.?| "
- - "L0.?[115087,135300] 6ns 932kb |----------------------------------------L0.?----------------------------------------| "
- - "**** Simulation run 29, type=split(ReduceOverlap)(split_times=[57593]). 1 Input Files, 484kb total:"
- - "L0, all files 484kb "
- - "L0.94[57213,67700] 6ns |-----------------------------------------L0.94------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 484kb total:"
- - "L0 "
- - "L0.?[57213,57593] 6ns 18kb|L0.?| "
- - "L0.?[57594,67700] 6ns 466kb |----------------------------------------L0.?----------------------------------------| "
- - "**** Simulation run 30, type=split(ReduceOverlap)(split_times=[115086]). 1 Input Files, 967kb total:"
- - "L0, all files 967kb "
- - "L0.96[114325,135300] 7ns |-----------------------------------------L0.96------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 967kb total:"
- - "L0 "
- - "L0.?[114325,115086] 7ns 35kb|L0.?| "
- - "L0.?[115087,135300] 7ns 932kb |----------------------------------------L0.?----------------------------------------| "
- - "**** Simulation run 31, type=split(ReduceOverlap)(split_times=[57593]). 1 Input Files, 484kb total:"
- - "L0, all files 484kb "
- - "L0.98[57213,67700] 7ns |-----------------------------------------L0.98------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 484kb total:"
- - "L0 "
- - "L0.?[57213,57593] 7ns 18kb|L0.?| "
- - "L0.?[57594,67700] 7ns 466kb |----------------------------------------L0.?----------------------------------------| "
- - "**** Simulation run 32, type=split(ReduceOverlap)(split_times=[115086]). 1 Input Files, 967kb total:"
- - "L0, all files 967kb "
- - "L0.100[114325,135300] 8ns|-----------------------------------------L0.100-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 967kb total:"
- - "L0 "
- - "L0.?[114325,115086] 8ns 35kb|L0.?| "
- - "L0.?[115087,135300] 8ns 932kb |----------------------------------------L0.?----------------------------------------| "
- - "**** Simulation run 33, type=split(ReduceOverlap)(split_times=[57593]). 1 Input Files, 484kb total:"
- - "L0, all files 484kb "
- - "L0.102[57213,67700] 8ns |-----------------------------------------L0.102-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 484kb total:"
- - "L0 "
- - "L0.?[57213,57593] 8ns 18kb|L0.?| "
- - "L0.?[57594,67700] 8ns 466kb |----------------------------------------L0.?----------------------------------------| "
- - "**** Simulation run 34, type=split(ReduceOverlap)(split_times=[115086]). 1 Input Files, 967kb total:"
- - "L0, all files 967kb "
- - "L0.104[114325,135300] 9ns|-----------------------------------------L0.104-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 967kb total:"
- - "L0 "
- - "L0.?[114325,115086] 9ns 35kb|L0.?| "
- - "L0.?[115087,135300] 9ns 932kb |----------------------------------------L0.?----------------------------------------| "
- - "**** Simulation run 35, type=split(ReduceOverlap)(split_times=[57593]). 1 Input Files, 484kb total:"
- - "L0, all files 484kb "
- - "L0.106[57213,67700] 9ns |-----------------------------------------L0.106-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 484kb total:"
- - "L0 "
- - "L0.?[57213,57593] 9ns 18kb|L0.?| "
- - "L0.?[57594,67700] 9ns 466kb |----------------------------------------L0.?----------------------------------------| "
- - "**** Simulation run 36, type=split(ReduceOverlap)(split_times=[115086]). 1 Input Files, 967kb total:"
- - "L0, all files 967kb "
- - "L0.108[114325,135300] 10ns|-----------------------------------------L0.108-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 967kb total:"
- - "L0 "
- - "L0.?[114325,115086] 10ns 35kb|L0.?| "
- - "L0.?[115087,135300] 10ns 932kb |----------------------------------------L0.?----------------------------------------| "
- - "**** Simulation run 37, type=split(ReduceOverlap)(split_times=[57593]). 1 Input Files, 484kb total:"
- - "L0, all files 484kb "
- - "L0.110[57213,67700] 10ns |-----------------------------------------L0.110-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 484kb total:"
- - "L0 "
- - "L0.?[57213,57593] 10ns 18kb|L0.?| "
- - "L0.?[57594,67700] 10ns 466kb |----------------------------------------L0.?----------------------------------------| "
- - "Committing partition 1:"
- - " Soft Deleting 12 files: L0.88, L0.90, L0.92, L0.94, L0.96, L0.98, L0.100, L0.102, L0.104, L0.106, L0.108, L0.110"
- - " Creating 24 files"
- - "**** Simulation run 38, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[187127]). 4 Input Files, 12mb total:"
- - "L0 "
- - "L0.85[135301,142880] 4ns 349kb|-L0.85--| "
- - "L0.37[142881,171436] 4ns 1mb |----------------L0.37----------------| "
- - "L0.38[171437,200000] 4ns 1mb |----------------L0.38----------------| "
- - "L1 "
- - "L1.83[135301,200000] 4ns 10mb|-----------------------------------------L1.83------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 12mb total:"
- - "L1 "
- - "L1.?[135301,187127] 4ns 10mb|---------------------------------L1.?---------------------------------| "
- - "L1.?[187128,200000] 4ns 2mb |-----L1.?------| "
- - "Committing partition 1:"
- - " Soft Deleting 4 files: L0.37, L0.38, L1.83, L0.85"
- - " Creating 2 files"
- - "**** Simulation run 39, type=split(ReduceOverlap)(split_times=[187127]). 1 Input Files, 1mb total:"
- - "L0, all files 1mb "
- - "L0.45[171437,200000] 5ns |-----------------------------------------L0.45------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
- - "L0 "
- - "L0.?[171437,187127] 5ns 723kb|---------------------L0.?----------------------| "
- - "L0.?[187128,200000] 5ns 593kb |-----------------L0.?-----------------| "
- - "**** Simulation run 40, type=split(ReduceOverlap)(split_times=[187127]). 1 Input Files, 1mb total:"
- - "L0, all files 1mb "
- - "L0.52[171437,200000] 6ns |-----------------------------------------L0.52------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
- - "L0 "
- - "L0.?[171437,187127] 6ns 723kb|---------------------L0.?----------------------| "
- - "L0.?[187128,200000] 6ns 593kb |-----------------L0.?-----------------| "
- - "**** Simulation run 41, type=split(ReduceOverlap)(split_times=[187127]). 1 Input Files, 1mb total:"
- - "L0, all files 1mb "
- - "L0.59[171437,200000] 7ns |-----------------------------------------L0.59------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
- - "L0 "
- - "L0.?[171437,187127] 7ns 723kb|---------------------L0.?----------------------| "
- - "L0.?[187128,200000] 7ns 593kb |-----------------L0.?-----------------| "
- - "**** Simulation run 42, type=split(ReduceOverlap)(split_times=[187127]). 1 Input Files, 1mb total:"
- - "L0, all files 1mb "
- - "L0.66[171437,200000] 8ns |-----------------------------------------L0.66------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
- - "L0 "
- - "L0.?[171437,187127] 8ns 723kb|---------------------L0.?----------------------| "
- - "L0.?[187128,200000] 8ns 593kb |-----------------L0.?-----------------| "
- - "**** Simulation run 43, type=split(ReduceOverlap)(split_times=[187127]). 1 Input Files, 1mb total:"
- - "L0, all files 1mb "
- - "L0.73[171437,200000] 9ns |-----------------------------------------L0.73------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
- - "L0 "
- - "L0.?[171437,187127] 9ns 723kb|---------------------L0.?----------------------| "
- - "L0.?[187128,200000] 9ns 593kb |-----------------L0.?-----------------| "
- - "**** Simulation run 44, type=split(ReduceOverlap)(split_times=[187127]). 1 Input Files, 1mb total:"
- - "L0, all files 1mb "
- - "L0.80[171437,200000] 10ns|-----------------------------------------L0.80------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
- - "L0 "
- - "L0.?[171437,187127] 10ns 723kb|---------------------L0.?----------------------| "
- - "L0.?[187128,200000] 10ns 593kb |-----------------L0.?-----------------| "
- - "Committing partition 1:"
- - " Soft Deleting 6 files: L0.45, L0.52, L0.59, L0.66, L0.73, L0.80"
- - " Creating 12 files"
- - "**** Simulation run 45, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[45771, 91442]). 11 Input Files, 30mb total:"
- - "L0 "
- - "L0.39[100,28656] 5ns 1mb |------L0.39------| "
- - "L0.40[28657,57212] 5ns 1mb |------L0.40------| "
- - "L0.117[57213,57593] 5ns 18kb |L0.117| "
- - "L0.118[57594,67700] 5ns 466kb |L0.118| "
- - "L0.91[67701,85768] 5ns 833kb |--L0.91---| "
- - "L0.42[85769,114324] 5ns 1mb |------L0.42------| "
- - "L0.115[114325,115086] 5ns 35kb |L0.115| "
- - "L0.116[115087,135300] 5ns 932kb |--L0.116---| "
- - "L1 "
- - "L1.112[100,57593] 4ns 10mb|---------------L1.112---------------| "
- - "L1.113[57594,115086] 4ns 10mb |---------------L1.113---------------| "
- - "L1.114[115087,135300] 4ns 4mb |--L1.114---| "
- - "**** 3 Output Files (parquet_file_id not yet assigned), 30mb total:"
- - "L1 "
- - "L1.?[100,45771] 5ns 10mb |------------L1.?------------| "
- - "L1.?[45772,91442] 5ns 10mb |------------L1.?------------| "
- - "L1.?[91443,135300] 5ns 10mb |-----------L1.?------------| "
- - "Committing partition 1:"
- - " Soft Deleting 11 files: L0.39, L0.40, L0.42, L0.91, L1.112, L1.113, L1.114, L0.115, L0.116, L0.117, L0.118"
- - " Creating 3 files"
- - "**** Simulation run 46, type=split(ReduceOverlap)(split_times=[91442]). 1 Input Files, 1mb total:"
- - "L0, all files 1mb "
- - "L0.49[85769,114324] 6ns |-----------------------------------------L0.49------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
- - "L0 "
- - "L0.?[85769,91442] 6ns 262kb|-----L0.?------| "
- - "L0.?[91443,114324] 6ns 1mb |---------------------------------L0.?---------------------------------| "
- - "**** Simulation run 47, type=split(ReduceOverlap)(split_times=[45771]). 1 Input Files, 1mb total:"
- - "L0, all files 1mb "
- - "L0.47[28657,57212] 6ns |-----------------------------------------L0.47------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
- - "L0 "
- - "L0.?[28657,45771] 6ns 789kb|-----------------------L0.?------------------------| "
- - "L0.?[45772,57212] 6ns 527kb |---------------L0.?---------------| "
- - "**** Simulation run 48, type=split(ReduceOverlap)(split_times=[91442]). 1 Input Files, 1mb total:"
- - "L0, all files 1mb "
- - "L0.56[85769,114324] 7ns |-----------------------------------------L0.56------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
- - "L0 "
- - "L0.?[85769,91442] 7ns 262kb|-----L0.?------| "
- - "L0.?[91443,114324] 7ns 1mb |---------------------------------L0.?---------------------------------| "
- - "**** Simulation run 49, type=split(ReduceOverlap)(split_times=[45771]). 1 Input Files, 1mb total:"
- - "L0, all files 1mb "
- - "L0.54[28657,57212] 7ns |-----------------------------------------L0.54------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
- - "L0 "
- - "L0.?[28657,45771] 7ns 789kb|-----------------------L0.?------------------------| "
- - "L0.?[45772,57212] 7ns 527kb |---------------L0.?---------------| "
- - "**** Simulation run 50, type=split(ReduceOverlap)(split_times=[91442]). 1 Input Files, 1mb total:"
- - "L0, all files 1mb "
- - "L0.63[85769,114324] 8ns |-----------------------------------------L0.63------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
- - "L0 "
- - "L0.?[85769,91442] 8ns 262kb|-----L0.?------| "
- - "L0.?[91443,114324] 8ns 1mb |---------------------------------L0.?---------------------------------| "
- - "**** Simulation run 51, type=split(ReduceOverlap)(split_times=[45771]). 1 Input Files, 1mb total:"
- - "L0, all files 1mb "
- - "L0.61[28657,57212] 8ns |-----------------------------------------L0.61------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
- - "L0 "
- - "L0.?[28657,45771] 8ns 789kb|-----------------------L0.?------------------------| "
- - "L0.?[45772,57212] 8ns 527kb |---------------L0.?---------------| "
- - "**** Simulation run 52, type=split(ReduceOverlap)(split_times=[91442]). 1 Input Files, 1mb total:"
- - "L0, all files 1mb "
- - "L0.70[85769,114324] 9ns |-----------------------------------------L0.70------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
- - "L0 "
- - "L0.?[85769,91442] 9ns 262kb|-----L0.?------| "
- - "L0.?[91443,114324] 9ns 1mb |---------------------------------L0.?---------------------------------| "
- - "**** Simulation run 53, type=split(ReduceOverlap)(split_times=[45771]). 1 Input Files, 1mb total:"
- - "L0, all files 1mb "
- - "L0.68[28657,57212] 9ns |-----------------------------------------L0.68------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
- - "L0 "
- - "L0.?[28657,45771] 9ns 789kb|-----------------------L0.?------------------------| "
- - "L0.?[45772,57212] 9ns 527kb |---------------L0.?---------------| "
- - "**** Simulation run 54, type=split(ReduceOverlap)(split_times=[91442]). 1 Input Files, 1mb total:"
- - "L0, all files 1mb "
- - "L0.77[85769,114324] 10ns |-----------------------------------------L0.77------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
- - "L0 "
- - "L0.?[85769,91442] 10ns 262kb|-----L0.?------| "
- - "L0.?[91443,114324] 10ns 1mb |---------------------------------L0.?---------------------------------| "
- - "**** Simulation run 55, type=split(ReduceOverlap)(split_times=[45771]). 1 Input Files, 1mb total:"
- - "L0, all files 1mb "
- - "L0.75[28657,57212] 10ns |-----------------------------------------L0.75------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
- - "L0 "
- - "L0.?[28657,45771] 10ns 789kb|-----------------------L0.?------------------------| "
- - "L0.?[45772,57212] 10ns 527kb |---------------L0.?---------------| "
- - "Committing partition 1:"
- - " Soft Deleting 10 files: L0.47, L0.49, L0.54, L0.56, L0.61, L0.63, L0.68, L0.70, L0.75, L0.77"
- - " Creating 20 files"
- - "**** Simulation run 56, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[177322]). 6 Input Files, 15mb total:"
- - "L0 "
- - "L0.89[135301,142880] 5ns 349kb|-L0.89--| "
- - "L0.44[142881,171436] 5ns 1mb |----------------L0.44----------------| "
- - "L0.141[171437,187127] 5ns 723kb |------L0.141-------| "
- - "L0.142[187128,200000] 5ns 593kb |----L0.142-----| "
- - "L1 "
- - "L1.139[135301,187127] 4ns 10mb|--------------------------------L1.139--------------------------------| "
- - "L1.140[187128,200000] 4ns 2mb |----L1.140-----| "
- - "**** 2 Output Files (parquet_file_id not yet assigned), 15mb total:"
- - "L1 "
- - "L1.?[135301,177322] 5ns 10mb|--------------------------L1.?--------------------------| "
- - "L1.?[177323,200000] 5ns 5mb |------------L1.?-------------| "
- - "Committing partition 1:"
- - " Soft Deleting 6 files: L0.44, L0.89, L1.139, L1.140, L0.141, L0.142"
- - " Creating 2 files"
- - "**** Simulation run 57, type=split(ReduceOverlap)(split_times=[177322]). 1 Input Files, 723kb total:"
- - "L0, all files 723kb "
- - "L0.143[171437,187127] 6ns|-----------------------------------------L0.143-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 723kb total:"
- - "L0 "
- - "L0.?[171437,177322] 6ns 271kb|-------------L0.?--------------| "
- - "L0.?[177323,187127] 6ns 452kb |-------------------------L0.?-------------------------| "
- - "**** Simulation run 58, type=split(ReduceOverlap)(split_times=[177322]). 1 Input Files, 723kb total:"
- - "L0, all files 723kb "
- - "L0.145[171437,187127] 7ns|-----------------------------------------L0.145-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 723kb total:"
- - "L0 "
- - "L0.?[171437,177322] 7ns 271kb|-------------L0.?--------------| "
- - "L0.?[177323,187127] 7ns 452kb |-------------------------L0.?-------------------------| "
- - "**** Simulation run 59, type=split(ReduceOverlap)(split_times=[177322]). 1 Input Files, 723kb total:"
- - "L0, all files 723kb "
- - "L0.147[171437,187127] 8ns|-----------------------------------------L0.147-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 723kb total:"
- - "L0 "
- - "L0.?[171437,177322] 8ns 271kb|-------------L0.?--------------| "
- - "L0.?[177323,187127] 8ns 452kb |-------------------------L0.?-------------------------| "
- - "**** Simulation run 60, type=split(ReduceOverlap)(split_times=[177322]). 1 Input Files, 723kb total:"
- - "L0, all files 723kb "
- - "L0.149[171437,187127] 9ns|-----------------------------------------L0.149-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 723kb total:"
- - "L0 "
- - "L0.?[171437,177322] 9ns 271kb|-------------L0.?--------------| "
- - "L0.?[177323,187127] 9ns 452kb |-------------------------L0.?-------------------------| "
- - "**** Simulation run 61, type=split(ReduceOverlap)(split_times=[177322]). 1 Input Files, 723kb total:"
- - "L0, all files 723kb "
- - "L0.151[171437,187127] 10ns|-----------------------------------------L0.151-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 723kb total:"
- - "L0 "
- - "L0.?[171437,177322] 10ns 271kb|-------------L0.?--------------| "
- - "L0.?[177323,187127] 10ns 452kb |-------------------------L0.?-------------------------| "
- - "Committing partition 1:"
- - " Soft Deleting 5 files: L0.143, L0.145, L0.147, L0.149, L0.151"
- - " Creating 10 files"
- - "**** Simulation run 62, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[37982, 75864]). 9 Input Files, 24mb total:"
- - "L0 "
- - "L0.46[100,28656] 6ns 1mb |----------L0.46-----------| "
- - "L0.158[28657,45771] 6ns 789kb |----L0.158----| "
- - "L0.159[45772,57212] 6ns 527kb |-L0.159--| "
- - "L0.121[57213,57593] 6ns 18kb |L0.121| "
- - "L0.122[57594,67700] 6ns 466kb |L0.122-| "
- - "L0.95[67701,85768] 6ns 833kb |-----L0.95-----| "
- - "L0.156[85769,91442] 6ns 262kb |L0.156|"
- - "L1 "
- - "L1.153[100,45771] 5ns 10mb|------------------L1.153-------------------| "
- - "L1.154[45772,91442] 5ns 10mb |------------------L1.154------------------| "
- - "**** 3 Output Files (parquet_file_id not yet assigned), 24mb total:"
- - "L1 "
- - "L1.?[100,37982] 6ns 10mb |---------------L1.?----------------| "
- - "L1.?[37983,75864] 6ns 10mb |---------------L1.?----------------| "
- - "L1.?[75865,91442] 6ns 4mb |----L1.?-----| "
- - "Committing partition 1:"
- - " Soft Deleting 9 files: L0.46, L0.95, L0.121, L0.122, L1.153, L1.154, L0.156, L0.158, L0.159"
- - " Creating 3 files"
- - "**** Simulation run 63, type=split(ReduceOverlap)(split_times=[75864]). 1 Input Files, 833kb total:"
- - "L0, all files 833kb "
- - "L0.99[67701,85768] 7ns |-----------------------------------------L0.99------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 833kb total:"
- - "L0 "
- - "L0.?[67701,75864] 7ns 376kb|-----------------L0.?-----------------| "
- - "L0.?[75865,85768] 7ns 457kb |---------------------L0.?----------------------| "
- - "**** Simulation run 64, type=split(ReduceOverlap)(split_times=[37982]). 1 Input Files, 789kb total:"
- - "L0, all files 789kb "
- - "L0.162[28657,45771] 7ns |-----------------------------------------L0.162-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 789kb total:"
- - "L0 "
- - "L0.?[28657,37982] 7ns 430kb|---------------------L0.?----------------------| "
- - "L0.?[37983,45771] 7ns 359kb |-----------------L0.?-----------------| "
- - "**** Simulation run 65, type=split(ReduceOverlap)(split_times=[75864]). 1 Input Files, 833kb total:"
- - "L0, all files 833kb "
- - "L0.103[67701,85768] 8ns |-----------------------------------------L0.103-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 833kb total:"
- - "L0 "
- - "L0.?[67701,75864] 8ns 376kb|-----------------L0.?-----------------| "
- - "L0.?[75865,85768] 8ns 457kb |---------------------L0.?----------------------| "
- - "**** Simulation run 66, type=split(ReduceOverlap)(split_times=[37982]). 1 Input Files, 789kb total:"
- - "L0, all files 789kb "
- - "L0.166[28657,45771] 8ns |-----------------------------------------L0.166-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 789kb total:"
- - "L0 "
- - "L0.?[28657,37982] 8ns 430kb|---------------------L0.?----------------------| "
- - "L0.?[37983,45771] 8ns 359kb |-----------------L0.?-----------------| "
- - "**** Simulation run 67, type=split(ReduceOverlap)(split_times=[75864]). 1 Input Files, 833kb total:"
- - "L0, all files 833kb "
- - "L0.107[67701,85768] 9ns |-----------------------------------------L0.107-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 833kb total:"
- - "L0 "
- - "L0.?[67701,75864] 9ns 376kb|-----------------L0.?-----------------| "
- - "L0.?[75865,85768] 9ns 457kb |---------------------L0.?----------------------| "
- - "**** Simulation run 68, type=split(ReduceOverlap)(split_times=[37982]). 1 Input Files, 789kb total:"
- - "L0, all files 789kb "
- - "L0.170[28657,45771] 9ns |-----------------------------------------L0.170-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 789kb total:"
- - "L0 "
- - "L0.?[28657,37982] 9ns 430kb|---------------------L0.?----------------------| "
- - "L0.?[37983,45771] 9ns 359kb |-----------------L0.?-----------------| "
- - "**** Simulation run 69, type=split(ReduceOverlap)(split_times=[75864]). 1 Input Files, 833kb total:"
- - "L0, all files 833kb "
- - "L0.111[67701,85768] 10ns |-----------------------------------------L0.111-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 833kb total:"
- - "L0 "
- - "L0.?[67701,75864] 10ns 376kb|-----------------L0.?-----------------| "
- - "L0.?[75865,85768] 10ns 457kb |---------------------L0.?----------------------| "
- - "**** Simulation run 70, type=split(ReduceOverlap)(split_times=[37982]). 1 Input Files, 789kb total:"
- - "L0, all files 789kb "
- - "L0.174[28657,45771] 10ns |-----------------------------------------L0.174-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 789kb total:"
- - "L0 "
- - "L0.?[28657,37982] 10ns 430kb|---------------------L0.?----------------------| "
- - "L0.?[37983,45771] 10ns 359kb |-----------------L0.?-----------------| "
- - "Committing partition 1:"
- - " Soft Deleting 8 files: L0.99, L0.103, L0.107, L0.111, L0.162, L0.166, L0.170, L0.174"
- - " Creating 16 files"
- - "**** Simulation run 71, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[127765, 164087]). 11 Input Files, 30mb total:"
- - "L0 "
- - "L0.157[91443,114324] 6ns 1mb|-----L0.157-----| "
- - "L0.119[114325,115086] 6ns 35kb |L0.119| "
- - "L0.120[115087,135300] 6ns 932kb |----L0.120----| "
- - "L0.93[135301,142880] 6ns 349kb |L0.93| "
- - "L0.51[142881,171436] 6ns 1mb |--------L0.51--------| "
- - "L0.178[171437,177322] 6ns 271kb |L0.178| "
- - "L0.179[177323,187127] 6ns 452kb |L0.179| "
- - "L0.144[187128,200000] 6ns 593kb |-L0.144-| "
- - "L1 "
- - "L1.155[91443,135300] 5ns 10mb|--------------L1.155--------------| "
- - "L1.176[135301,177322] 5ns 10mb |-------------L1.176-------------| "
- - "L1.177[177323,200000] 5ns 5mb |-----L1.177-----| "
- - "**** 3 Output Files (parquet_file_id not yet assigned), 30mb total:"
- - "L1 "
- - "L1.?[91443,127765] 6ns 10mb|------------L1.?------------| "
- - "L1.?[127766,164087] 6ns 10mb |------------L1.?------------| "
- - "L1.?[164088,200000] 6ns 10mb |-----------L1.?------------| "
- - "Committing partition 1:"
- - " Soft Deleting 11 files: L0.51, L0.93, L0.119, L0.120, L0.144, L1.155, L0.157, L1.176, L1.177, L0.178, L0.179"
- - " Creating 3 files"
- - "**** Simulation run 72, type=split(ReduceOverlap)(split_times=[164087]). 1 Input Files, 1mb total:"
- - "L0, all files 1mb "
- - "L0.58[142881,171436] 7ns |-----------------------------------------L0.58------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
- - "L0 "
- - "L0.?[142881,164087] 7ns 978kb|------------------------------L0.?------------------------------| "
- - "L0.?[164088,171436] 7ns 339kb |--------L0.?---------| "
- - "**** Simulation run 73, type=split(ReduceOverlap)(split_times=[127765]). 1 Input Files, 932kb total:"
- - "L0, all files 932kb "
- - "L0.124[115087,135300] 7ns|-----------------------------------------L0.124-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 932kb total:"
- - "L0 "
- - "L0.?[115087,127765] 7ns 585kb|-------------------------L0.?-------------------------| "
- - "L0.?[127766,135300] 7ns 347kb |-------------L0.?--------------| "
- - "**** Simulation run 74, type=split(ReduceOverlap)(split_times=[164087]). 1 Input Files, 1mb total:"
- - "L0, all files 1mb "
- - "L0.65[142881,171436] 8ns |-----------------------------------------L0.65------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
- - "L0 "
- - "L0.?[142881,164087] 8ns 978kb|------------------------------L0.?------------------------------| "
- - "L0.?[164088,171436] 8ns 339kb |--------L0.?---------| "
- - "**** Simulation run 75, type=split(ReduceOverlap)(split_times=[127765]). 1 Input Files, 932kb total:"
- - "L0, all files 932kb "
- - "L0.128[115087,135300] 8ns|-----------------------------------------L0.128-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 932kb total:"
- - "L0 "
- - "L0.?[115087,127765] 8ns 585kb|-------------------------L0.?-------------------------| "
- - "L0.?[127766,135300] 8ns 347kb |-------------L0.?--------------| "
- - "**** Simulation run 76, type=split(ReduceOverlap)(split_times=[164087]). 1 Input Files, 1mb total:"
- - "L0, all files 1mb "
- - "L0.72[142881,171436] 9ns |-----------------------------------------L0.72------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
- - "L0 "
- - "L0.?[142881,164087] 9ns 978kb|------------------------------L0.?------------------------------| "
- - "L0.?[164088,171436] 9ns 339kb |--------L0.?---------| "
- - "**** Simulation run 77, type=split(ReduceOverlap)(split_times=[127765]). 1 Input Files, 932kb total:"
- - "L0, all files 932kb "
- - "L0.132[115087,135300] 9ns|-----------------------------------------L0.132-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 932kb total:"
- - "L0 "
- - "L0.?[115087,127765] 9ns 585kb|-------------------------L0.?-------------------------| "
- - "L0.?[127766,135300] 9ns 347kb |-------------L0.?--------------| "
- - "**** Simulation run 78, type=split(ReduceOverlap)(split_times=[164087]). 1 Input Files, 1mb total:"
- - "L0, all files 1mb "
- - "L0.79[142881,171436] 10ns|-----------------------------------------L0.79------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
- - "L0 "
- - "L0.?[142881,164087] 10ns 978kb|------------------------------L0.?------------------------------| "
- - "L0.?[164088,171436] 10ns 339kb |--------L0.?---------| "
- - "**** Simulation run 79, type=split(ReduceOverlap)(split_times=[127765]). 1 Input Files, 932kb total:"
- - "L0, all files 932kb "
- - "L0.136[115087,135300] 10ns|-----------------------------------------L0.136-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 932kb total:"
- - "L0 "
- - "L0.?[115087,127765] 10ns 585kb|-------------------------L0.?-------------------------| "
- - "L0.?[127766,135300] 10ns 347kb |-------------L0.?--------------| "
- - "Committing partition 1:"
- - " Soft Deleting 8 files: L0.58, L0.65, L0.72, L0.79, L0.124, L0.128, L0.132, L0.136"
- - " Creating 16 files"
- - "**** Simulation run 80, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[32463, 64826]). 12 Input Files, 28mb total:"
- - "L0 "
- - "L0.53[100,28656] 7ns 1mb |----------L0.53-----------| "
- - "L0.193[28657,37982] 7ns 430kb |L0.193-| "
- - "L0.194[37983,45771] 7ns 359kb |L0.194| "
- - "L0.163[45772,57212] 7ns 527kb |-L0.163--| "
- - "L0.125[57213,57593] 7ns 18kb |L0.125| "
- - "L0.126[57594,67700] 7ns 466kb |L0.126-| "
- - "L0.191[67701,75864] 7ns 376kb |L0.191| "
- - "L0.192[75865,85768] 7ns 457kb |L0.192-| "
- - "L0.160[85769,91442] 7ns 262kb |L0.160|"
- - "L1 "
- - "L1.188[100,37982] 6ns 10mb|--------------L1.188---------------| "
- - "L1.189[37983,75864] 6ns 10mb |--------------L1.189---------------| "
- - "L1.190[75865,91442] 6ns 4mb |---L1.190----| "
- - "**** 3 Output Files (parquet_file_id not yet assigned), 28mb total:"
- - "L1 "
- - "L1.?[100,32463] 7ns 10mb |------------L1.?-------------| "
- - "L1.?[32464,64826] 7ns 10mb |------------L1.?-------------| "
- - "L1.?[64827,91442] 7ns 8mb |----------L1.?----------| "
- - "Committing partition 1:"
- - " Soft Deleting 12 files: L0.53, L0.125, L0.126, L0.160, L0.163, L1.188, L1.189, L1.190, L0.191, L0.192, L0.193, L0.194"
- - " Creating 3 files"
- - "**** Simulation run 81, type=split(ReduceOverlap)(split_times=[64826]). 1 Input Files, 466kb total:"
- - "L0, all files 466kb "
- - "L0.130[57594,67700] 8ns |-----------------------------------------L0.130-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 466kb total:"
- - "L0 "
- - "L0.?[57594,64826] 8ns 333kb|-----------------------------L0.?-----------------------------| "
- - "L0.?[64827,67700] 8ns 133kb |---------L0.?----------| "
- - "**** Simulation run 82, type=split(ReduceOverlap)(split_times=[32463]). 1 Input Files, 430kb total:"
- - "L0, all files 430kb "
- - "L0.197[28657,37982] 8ns |-----------------------------------------L0.197-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 430kb total:"
- - "L0 "
- - "L0.?[28657,32463] 8ns 176kb|---------------L0.?---------------| "
- - "L0.?[32464,37982] 8ns 254kb |-----------------------L0.?------------------------| "
- - "**** Simulation run 83, type=split(ReduceOverlap)(split_times=[64826]). 1 Input Files, 466kb total:"
- - "L0, all files 466kb "
- - "L0.134[57594,67700] 9ns |-----------------------------------------L0.134-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 466kb total:"
- - "L0 "
- - "L0.?[57594,64826] 9ns 333kb|-----------------------------L0.?-----------------------------| "
- - "L0.?[64827,67700] 9ns 133kb |---------L0.?----------| "
- - "**** Simulation run 84, type=split(ReduceOverlap)(split_times=[32463]). 1 Input Files, 430kb total:"
- - "L0, all files 430kb "
- - "L0.201[28657,37982] 9ns |-----------------------------------------L0.201-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 430kb total:"
- - "L0 "
- - "L0.?[28657,32463] 9ns 176kb|---------------L0.?---------------| "
- - "L0.?[32464,37982] 9ns 254kb |-----------------------L0.?------------------------| "
- - "**** Simulation run 85, type=split(ReduceOverlap)(split_times=[64826]). 1 Input Files, 466kb total:"
- - "L0, all files 466kb "
- - "L0.138[57594,67700] 10ns |-----------------------------------------L0.138-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 466kb total:"
- - "L0 "
- - "L0.?[57594,64826] 10ns 333kb|-----------------------------L0.?-----------------------------| "
- - "L0.?[64827,67700] 10ns 133kb |---------L0.?----------| "
- - "**** Simulation run 86, type=split(ReduceOverlap)(split_times=[32463]). 1 Input Files, 430kb total:"
- - "L0, all files 430kb "
- - "L0.205[28657,37982] 10ns |-----------------------------------------L0.205-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 430kb total:"
- - "L0 "
- - "L0.?[28657,32463] 10ns 176kb|---------------L0.?---------------| "
- - "L0.?[32464,37982] 10ns 254kb |-----------------------L0.?------------------------| "
- - "Committing partition 1:"
- - " Soft Deleting 6 files: L0.130, L0.134, L0.138, L0.197, L0.201, L0.205"
- - " Creating 12 files"
- - "**** Simulation run 87, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[122660, 153877]). 8 Input Files, 23mb total:"
- - "L0 "
- - "L0.161[91443,114324] 7ns 1mb|----------L0.161----------| "
- - "L0.123[114325,115086] 7ns 35kb |L0.123| "
- - "L0.212[115087,127765] 7ns 585kb |---L0.212----| "
- - "L0.213[127766,135300] 7ns 347kb |L0.213-| "
- - "L0.97[135301,142880] 7ns 349kb |-L0.97-| "
- - "L0.210[142881,164087] 7ns 978kb |---------L0.210---------| "
- - "L1 "
- - "L1.207[91443,127765] 6ns 10mb|------------------L1.207-------------------| "
- - "L1.208[127766,164087] 6ns 10mb |------------------L1.208------------------| "
- - "**** 3 Output Files (parquet_file_id not yet assigned), 23mb total:"
- - "L1 "
- - "L1.?[91443,122660] 7ns 10mb|----------------L1.?----------------| "
- - "L1.?[122661,153877] 7ns 10mb |----------------L1.?----------------| "
- - "L1.?[153878,164087] 7ns 3mb |---L1.?---| "
- - "Committing partition 1:"
- - " Soft Deleting 8 files: L0.97, L0.123, L0.161, L1.207, L1.208, L0.210, L0.212, L0.213"
- - " Creating 3 files"
- - "**** Simulation run 88, type=split(ReduceOverlap)(split_times=[153877]). 1 Input Files, 978kb total:"
- - "L0, all files 978kb "
- - "L0.214[142881,164087] 8ns|-----------------------------------------L0.214-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 978kb total:"
- - "L0 "
- - "L0.?[142881,153877] 8ns 507kb|--------------------L0.?--------------------| "
- - "L0.?[153878,164087] 8ns 471kb |------------------L0.?-------------------| "
- - "**** Simulation run 89, type=split(ReduceOverlap)(split_times=[122660]). 1 Input Files, 585kb total:"
- - "L0, all files 585kb "
- - "L0.216[115087,127765] 8ns|-----------------------------------------L0.216-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 585kb total:"
- - "L0 "
- - "L0.?[115087,122660] 8ns 349kb|-----------------------L0.?------------------------| "
- - "L0.?[122661,127765] 8ns 235kb |---------------L0.?---------------| "
- - "**** Simulation run 90, type=split(ReduceOverlap)(split_times=[153877]). 1 Input Files, 978kb total:"
- - "L0, all files 978kb "
- - "L0.218[142881,164087] 9ns|-----------------------------------------L0.218-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 978kb total:"
- - "L0 "
- - "L0.?[142881,153877] 9ns 507kb|--------------------L0.?--------------------| "
- - "L0.?[153878,164087] 9ns 471kb |------------------L0.?-------------------| "
- - "**** Simulation run 91, type=split(ReduceOverlap)(split_times=[122660]). 1 Input Files, 585kb total:"
- - "L0, all files 585kb "
- - "L0.220[115087,127765] 9ns|-----------------------------------------L0.220-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 585kb total:"
- - "L0 "
- - "L0.?[115087,122660] 9ns 349kb|-----------------------L0.?------------------------| "
- - "L0.?[122661,127765] 9ns 235kb |---------------L0.?---------------| "
- - "**** Simulation run 92, type=split(ReduceOverlap)(split_times=[153877]). 1 Input Files, 978kb total:"
- - "L0, all files 978kb "
- - "L0.222[142881,164087] 10ns|-----------------------------------------L0.222-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 978kb total:"
- - "L0 "
- - "L0.?[142881,153877] 10ns 507kb|--------------------L0.?--------------------| "
- - "L0.?[153878,164087] 10ns 471kb |------------------L0.?-------------------| "
- - "**** Simulation run 93, type=split(ReduceOverlap)(split_times=[122660]). 1 Input Files, 585kb total:"
- - "L0, all files 585kb "
- - "L0.224[115087,127765] 10ns|-----------------------------------------L0.224-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 585kb total:"
- - "L0 "
- - "L0.?[115087,122660] 10ns 349kb|-----------------------L0.?------------------------| "
- - "L0.?[122661,127765] 10ns 235kb |---------------L0.?---------------| "
- - "Committing partition 1:"
- - " Soft Deleting 6 files: L0.214, L0.216, L0.218, L0.220, L0.222, L0.224"
- - " Creating 12 files"
- - "**** Simulation run 94, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[192817]). 5 Input Files, 12mb total:"
- - "L0 "
- - "L0.211[164088,171436] 7ns 339kb|-----L0.211-----| "
- - "L0.180[171437,177322] 7ns 271kb |---L0.180---| "
- - "L0.181[177323,187127] 7ns 452kb |--------L0.181--------| "
- - "L0.146[187128,200000] 7ns 593kb |------------L0.146------------| "
- - "L1 "
- - "L1.209[164088,200000] 6ns 10mb|-----------------------------------------L1.209-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 12mb total:"
- - "L1 "
- - "L1.?[164088,192817] 7ns 9mb|--------------------------------L1.?---------------------------------| "
- - "L1.?[192818,200000] 7ns 2mb |-----L1.?------| "
- - "Committing partition 1:"
- - " Soft Deleting 5 files: L0.146, L0.180, L0.181, L1.209, L0.211"
- - " Creating 2 files"
- - "**** Simulation run 95, type=split(ReduceOverlap)(split_times=[192817]). 1 Input Files, 593kb total:"
- - "L0, all files 593kb "
- - "L0.148[187128,200000] 8ns|-----------------------------------------L0.148-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 593kb total:"
- - "L0 "
- - "L0.?[187128,192817] 8ns 262kb|----------------L0.?-----------------| "
- - "L0.?[192818,200000] 8ns 331kb |----------------------L0.?----------------------| "
- - "**** Simulation run 96, type=split(ReduceOverlap)(split_times=[192817]). 1 Input Files, 593kb total:"
- - "L0, all files 593kb "
- - "L0.150[187128,200000] 9ns|-----------------------------------------L0.150-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 593kb total:"
- - "L0 "
- - "L0.?[187128,192817] 9ns 262kb|----------------L0.?-----------------| "
- - "L0.?[192818,200000] 9ns 331kb |----------------------L0.?----------------------| "
- - "**** Simulation run 97, type=split(ReduceOverlap)(split_times=[192817]). 1 Input Files, 593kb total:"
- - "L0, all files 593kb "
- - "L0.152[187128,200000] 10ns|-----------------------------------------L0.152-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 593kb total:"
- - "L0 "
- - "L0.?[187128,192817] 10ns 262kb|----------------L0.?-----------------| "
- - "L0.?[192818,200000] 10ns 331kb |----------------------L0.?----------------------| "
- - "Committing partition 1:"
- - " Soft Deleting 3 files: L0.148, L0.150, L0.152"
- - " Creating 6 files"
- - "**** Simulation run 98, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[28347, 56594]). 9 Input Files, 23mb total:"
- - "L0 "
- - "L0.60[100,28656] 8ns 1mb |----------------L0.60----------------| "
- - "L0.231[28657,32463] 8ns 176kb |L0.231| "
- - "L0.232[32464,37982] 8ns 254kb |L0.232| "
- - "L0.198[37983,45771] 8ns 359kb |-L0.198-| "
- - "L0.167[45772,57212] 8ns 527kb |---L0.167----| "
- - "L0.129[57213,57593] 8ns 18kb |L0.129| "
- - "L0.229[57594,64826] 8ns 333kb |-L0.229-| "
- - "L1 "
- - "L1.226[100,32463] 7ns 10mb|------------------L1.226-------------------| "
- - "L1.227[32464,64826] 7ns 10mb |------------------L1.227------------------| "
- - "**** 3 Output Files (parquet_file_id not yet assigned), 23mb total:"
- - "L1 "
- - "L1.?[100,28347] 8ns 10mb |----------------L1.?-----------------| "
- - "L1.?[28348,56594] 8ns 10mb |----------------L1.?-----------------| "
- - "L1.?[56595,64826] 8ns 3mb |--L1.?---| "
- - "Committing partition 1:"
- - " Soft Deleting 9 files: L0.60, L0.129, L0.167, L0.198, L1.226, L1.227, L0.229, L0.231, L0.232"
- - " Creating 3 files"
- - "**** Simulation run 99, type=split(ReduceOverlap)(split_times=[56594]). 1 Input Files, 527kb total:"
- - "L0, all files 527kb "
- - "L0.171[45772,57212] 9ns |-----------------------------------------L0.171-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 527kb total:"
- - "L0 "
- - "L0.?[45772,56594] 9ns 499kb|---------------------------------------L0.?----------------------------------------| "
- - "L0.?[56595,57212] 9ns 28kb |L0.?|"
- - "**** Simulation run 100, type=split(ReduceOverlap)(split_times=[28347]). 1 Input Files, 1mb total:"
- - "L0, all files 1mb "
- - "L0.67[100,28656] 9ns |-----------------------------------------L0.67------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
- - "L0 "
- - "L0.?[100,28347] 9ns 1mb |-----------------------------------------L0.?------------------------------------------| "
- - "L0.?[28348,28656] 9ns 14kb |L0.?|"
- - "**** Simulation run 101, type=split(ReduceOverlap)(split_times=[56594]). 1 Input Files, 527kb total:"
- - "L0, all files 527kb "
- - "L0.175[45772,57212] 10ns |-----------------------------------------L0.175-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 527kb total:"
- - "L0 "
- - "L0.?[45772,56594] 10ns 499kb|---------------------------------------L0.?----------------------------------------| "
- - "L0.?[56595,57212] 10ns 28kb |L0.?|"
- - "**** Simulation run 102, type=split(ReduceOverlap)(split_times=[28347]). 1 Input Files, 1mb total:"
- - "L0, all files 1mb "
- - "L0.74[100,28656] 10ns |-----------------------------------------L0.74------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
- - "L0 "
- - "L0.?[100,28347] 10ns 1mb |-----------------------------------------L0.?------------------------------------------| "
- - "L0.?[28348,28656] 10ns 14kb |L0.?|"
- - "Committing partition 1:"
- - " Soft Deleting 4 files: L0.67, L0.74, L0.171, L0.175"
- - " Creating 8 files"
- - "**** Simulation run 103, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[92594, 120361]). 9 Input Files, 21mb total:"
- - "L0 "
- - "L0.230[64827,67700] 8ns 133kb|L0.230| "
- - "L0.195[67701,75864] 8ns 376kb |--L0.195--| "
- - "L0.196[75865,85768] 8ns 457kb |---L0.196----| "
- - "L0.164[85769,91442] 8ns 262kb |L0.164| "
- - "L0.165[91443,114324] 8ns 1mb |-------------L0.165--------------| "
- - "L0.127[114325,115086] 8ns 35kb |L0.127| "
- - "L0.246[115087,122660] 8ns 349kb |-L0.246--| "
- - "L1 "
- - "L1.228[64827,91442] 7ns 8mb|----------------L1.228-----------------| "
- - "L1.241[91443,122660] 7ns 10mb |--------------------L1.241--------------------| "
- - "**** 3 Output Files (parquet_file_id not yet assigned), 21mb total:"
- - "L1 "
- - "L1.?[64827,92594] 8ns 10mb|------------------L1.?-------------------| "
- - "L1.?[92595,120361] 8ns 10mb |------------------L1.?-------------------| "
- - "L1.?[120362,122660] 8ns 848kb |L1.?|"
- - "Committing partition 1:"
- - " Soft Deleting 9 files: L0.127, L0.164, L0.165, L0.195, L0.196, L1.228, L0.230, L1.241, L0.246"
- - " Creating 3 files"
- - "**** Simulation run 104, type=split(ReduceOverlap)(split_times=[120361]). 1 Input Files, 349kb total:"
- - "L0, all files 349kb "
- - "L0.250[115087,122660] 9ns|-----------------------------------------L0.250-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 349kb total:"
- - "L0 "
- - "L0.?[115087,120361] 9ns 243kb|----------------------------L0.?----------------------------| "
- - "L0.?[120362,122660] 9ns 106kb |----------L0.?-----------| "
- - "**** Simulation run 105, type=split(ReduceOverlap)(split_times=[92594]). 1 Input Files, 1mb total:"
- - "L0, all files 1mb "
- - "L0.169[91443,114324] 9ns |-----------------------------------------L0.169-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
- - "L0 "
- - "L0.?[91443,92594] 9ns 53kb|L0.?| "
- - "L0.?[92595,114324] 9ns 1002kb |---------------------------------------L0.?----------------------------------------| "
- - "**** Simulation run 106, type=split(ReduceOverlap)(split_times=[120361]). 1 Input Files, 349kb total:"
- - "L0, all files 349kb "
- - "L0.254[115087,122660] 10ns|-----------------------------------------L0.254-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 349kb total:"
- - "L0 "
- - "L0.?[115087,120361] 10ns 243kb|----------------------------L0.?----------------------------| "
- - "L0.?[120362,122660] 10ns 106kb |----------L0.?-----------| "
- - "**** Simulation run 107, type=split(ReduceOverlap)(split_times=[92594]). 1 Input Files, 1mb total:"
- - "L0, all files 1mb "
- - "L0.173[91443,114324] 10ns|-----------------------------------------L0.173-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
- - "L0 "
- - "L0.?[91443,92594] 10ns 53kb|L0.?| "
- - "L0.?[92595,114324] 10ns 1002kb |---------------------------------------L0.?----------------------------------------| "
- - "Committing partition 1:"
- - " Soft Deleting 4 files: L0.169, L0.173, L0.250, L0.254"
- - " Creating 8 files"
- - "**** Simulation run 108, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[150032, 177403]). 14 Input Files, 28mb total:"
- - "L0 "
- - "L0.247[122661,127765] 8ns 235kb|L0.247| "
- - "L0.217[127766,135300] 8ns 347kb |L0.217| "
- - "L0.101[135301,142880] 8ns 349kb |L0.101| "
- - "L0.244[142881,153877] 8ns 507kb |--L0.244--| "
- - "L0.245[153878,164087] 8ns 471kb |-L0.245--| "
- - "L0.215[164088,171436] 8ns 339kb |L0.215| "
- - "L0.182[171437,177322] 8ns 271kb |L0.182| "
- - "L0.183[177323,187127] 8ns 452kb |-L0.183--| "
- - "L0.258[187128,192817] 8ns 262kb |L0.258| "
- - "L0.259[192818,200000] 8ns 331kb |L0.259| "
- - "L1 "
- - "L1.242[122661,153877] 7ns 10mb|--------------L1.242--------------| "
- - "L1.243[153878,164087] 7ns 3mb |-L1.243--| "
- - "L1.256[164088,192817] 7ns 9mb |------------L1.256-------------| "
- - "L1.257[192818,200000] 7ns 2mb |L1.257| "
- - "**** 3 Output Files (parquet_file_id not yet assigned), 28mb total:"
- - "L1 "
- - "L1.?[122661,150032] 8ns 10mb|------------L1.?-------------| "
- - "L1.?[150033,177403] 8ns 10mb |------------L1.?-------------| "
- - "L1.?[177404,200000] 8ns 8mb |----------L1.?----------| "
- - "Committing partition 1:"
- - " Soft Deleting 14 files: L0.101, L0.182, L0.183, L0.215, L0.217, L1.242, L1.243, L0.244, L0.245, L0.247, L1.256, L1.257, L0.258, L0.259"
- - " Creating 3 files"
- - "**** Simulation run 109, type=split(ReduceOverlap)(split_times=[177403]). 1 Input Files, 452kb total:"
- - "L0, all files 452kb "
- - "L0.185[177323,187127] 9ns|-----------------------------------------L0.185-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 452kb total:"
- - "L0 "
- - "L0.?[177323,177403] 9ns 4kb|L0.?| "
- - "L0.?[177404,187127] 9ns 448kb|-----------------------------------------L0.?------------------------------------------| "
- - "**** Simulation run 110, type=split(ReduceOverlap)(split_times=[150032]). 1 Input Files, 507kb total:"
- - "L0, all files 507kb "
- - "L0.248[142881,153877] 9ns|-----------------------------------------L0.248-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 507kb total:"
- - "L0 "
- - "L0.?[142881,150032] 9ns 330kb|--------------------------L0.?--------------------------| "
- - "L0.?[150033,153877] 9ns 177kb |------------L0.?-------------| "
- - "**** Simulation run 111, type=split(ReduceOverlap)(split_times=[177403]). 1 Input Files, 452kb total:"
- - "L0, all files 452kb "
- - "L0.187[177323,187127] 10ns|-----------------------------------------L0.187-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 452kb total:"
- - "L0 "
- - "L0.?[177323,177403] 10ns 4kb|L0.?| "
- - "L0.?[177404,187127] 10ns 448kb|-----------------------------------------L0.?------------------------------------------| "
- - "**** Simulation run 112, type=split(ReduceOverlap)(split_times=[150032]). 1 Input Files, 507kb total:"
- - "L0, all files 507kb "
- - "L0.252[142881,153877] 10ns|-----------------------------------------L0.252-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 507kb total:"
- - "L0 "
- - "L0.?[142881,150032] 10ns 330kb|--------------------------L0.?--------------------------| "
- - "L0.?[150033,153877] 10ns 177kb |------------L0.?-------------| "
- - "Committing partition 1:"
- - " Soft Deleting 4 files: L0.185, L0.187, L0.248, L0.252"
- - " Creating 8 files"
- - "**** Simulation run 113, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[25160, 50220]). 12 Input Files, 26mb total:"
- - "L0 "
- - "L0.269[100,28347] 9ns 1mb|---------------L0.269----------------| "
- - "L0.270[28348,28656] 9ns 14kb |L0.270| "
- - "L0.235[28657,32463] 9ns 176kb |L0.235| "
- - "L0.236[32464,37982] 9ns 254kb |L0.236| "
- - "L0.202[37983,45771] 9ns 359kb |-L0.202-| "
- - "L0.267[45772,56594] 9ns 499kb |---L0.267----| "
- - "L0.268[56595,57212] 9ns 28kb |L0.268| "
- - "L0.133[57213,57593] 9ns 18kb |L0.133| "
- - "L0.233[57594,64826] 9ns 333kb |-L0.233-| "
- - "L1 "
- - "L1.264[100,28347] 8ns 10mb|---------------L1.264----------------| "
- - "L1.265[28348,56594] 8ns 10mb |---------------L1.265----------------| "
- - "L1.266[56595,64826] 8ns 3mb |-L1.266--| "
- - "**** 3 Output Files (parquet_file_id not yet assigned), 26mb total:"
- - "L1 "
- - "L1.?[100,25160] 9ns 10mb |--------------L1.?--------------| "
- - "L1.?[25161,50220] 9ns 10mb |--------------L1.?--------------| "
- - "L1.?[50221,64826] 9ns 6mb |-------L1.?-------| "
- - "Committing partition 1:"
- - " Soft Deleting 12 files: L0.133, L0.202, L0.233, L0.235, L0.236, L1.264, L1.265, L1.266, L0.267, L0.268, L0.269, L0.270"
- - " Creating 3 files"
- - "**** Simulation run 114, type=split(ReduceOverlap)(split_times=[50220]). 1 Input Files, 499kb total:"
- - "L0, all files 499kb "
- - "L0.271[45772,56594] 10ns |-----------------------------------------L0.271-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 499kb total:"
- - "L0 "
- - "L0.?[45772,50220] 10ns 205kb|---------------L0.?---------------| "
- - "L0.?[50221,56594] 10ns 294kb |-----------------------L0.?------------------------| "
- - "**** Simulation run 115, type=split(ReduceOverlap)(split_times=[25160]). 1 Input Files, 1mb total:"
- - "L0, all files 1mb "
- - "L0.273[100,28347] 10ns |-----------------------------------------L0.273-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
- - "L0 "
- - "L0.?[100,25160] 10ns 1mb |------------------------------------L0.?-------------------------------------| "
- - "L0.?[25161,28347] 10ns 147kb |--L0.?--| "
- - "Committing partition 1:"
- - " Soft Deleting 2 files: L0.271, L0.273"
- - " Creating 4 files"
- - "**** Simulation run 116, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[89508, 114189]). 12 Input Files, 23mb total:"
- - "L0 "
- - "L0.234[64827,67700] 9ns 133kb|L0.234| "
- - "L0.199[67701,75864] 9ns 376kb |--L0.199--| "
- - "L0.200[75865,85768] 9ns 457kb |---L0.200----| "
- - "L0.168[85769,91442] 9ns 262kb |L0.168| "
- - "L0.280[91443,92594] 9ns 53kb |L0.280| "
- - "L0.281[92595,114324] 9ns 1002kb |------------L0.281-------------| "
- - "L0.131[114325,115086] 9ns 35kb |L0.131| "
- - "L0.278[115087,120361] 9ns 243kb |L0.278| "
- - "L0.279[120362,122660] 9ns 106kb |L0.279|"
- - "L1 "
- - "L1.275[64827,92594] 8ns 10mb|-----------------L1.275------------------| "
- - "L1.276[92595,120361] 8ns 10mb |-----------------L1.276------------------| "
- - "L1.277[120362,122660] 8ns 848kb |L1.277|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 23mb total:"
- - "L1 "
- - "L1.?[64827,89508] 9ns 10mb|----------------L1.?----------------| "
- - "L1.?[89509,114189] 9ns 10mb |----------------L1.?----------------| "
- - "L1.?[114190,122660] 9ns 3mb |---L1.?----| "
- - "Committing partition 1:"
- - " Soft Deleting 12 files: L0.131, L0.168, L0.199, L0.200, L0.234, L1.275, L1.276, L1.277, L0.278, L0.279, L0.280, L0.281"
- - " Creating 3 files"
- - "**** Simulation run 117, type=split(ReduceOverlap)(split_times=[114189]). 1 Input Files, 1002kb total:"
- - "L0, all files 1002kb "
- - "L0.285[92595,114324] 10ns|-----------------------------------------L0.285-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 1002kb total:"
- - "L0 "
- - "L0.?[92595,114189] 10ns 996kb|-----------------------------------------L0.?------------------------------------------| "
- - "L0.?[114190,114324] 10ns 6kb |L0.?|"
- - "**** Simulation run 118, type=split(ReduceOverlap)(split_times=[89508]). 1 Input Files, 262kb total:"
- - "L0, all files 262kb "
- - "L0.172[85769,91442] 10ns |-----------------------------------------L0.172-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 262kb total:"
- - "L0 "
- - "L0.?[85769,89508] 10ns 172kb|--------------------------L0.?---------------------------| "
- - "L0.?[89509,91442] 10ns 89kb |------------L0.?------------| "
- - "Committing partition 1:"
- - " Soft Deleting 2 files: L0.172, L0.285"
- - " Creating 4 files"
- - "**** Simulation run 119, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[147029, 171397]). 11 Input Files, 22mb total:"
- - "L0 "
- - "L0.251[122661,127765] 9ns 235kb|L0.251| "
- - "L0.221[127766,135300] 9ns 347kb |--L0.221--| "
- - "L0.105[135301,142880] 9ns 349kb |--L0.105--| "
- - "L0.291[142881,150032] 9ns 330kb |-L0.291--| "
- - "L0.292[150033,153877] 9ns 177kb |L0.292| "
- - "L0.249[153878,164087] 9ns 471kb |----L0.249----| "
- - "L0.219[164088,171436] 9ns 339kb |--L0.219--| "
- - "L0.184[171437,177322] 9ns 271kb |L0.184-| "
- - "L0.289[177323,177403] 9ns 4kb |L0.289|"
- - "L1 "
- - "L1.286[122661,150032] 8ns 10mb|------------------L1.286-------------------| "
- - "L1.287[150033,177403] 8ns 10mb |------------------L1.287------------------| "
- - "**** 3 Output Files (parquet_file_id not yet assigned), 22mb total:"
- - "L1 "
- - "L1.?[122661,147029] 9ns 10mb|-----------------L1.?-----------------| "
- - "L1.?[147030,171397] 9ns 10mb |-----------------L1.?-----------------| "
- - "L1.?[171398,177403] 9ns 2mb |-L1.?--| "
- - "Committing partition 1:"
- - " Soft Deleting 11 files: L0.105, L0.184, L0.219, L0.221, L0.249, L0.251, L1.286, L1.287, L0.289, L0.291, L0.292"
- - " Creating 3 files"
- - "**** Simulation run 120, type=split(ReduceOverlap)(split_times=[171397]). 1 Input Files, 339kb total:"
- - "L0, all files 339kb "
- - "L0.223[164088,171436] 10ns|-----------------------------------------L0.223-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 339kb total:"
- - "L0 "
- - "L0.?[164088,171397] 10ns 337kb|-----------------------------------------L0.?------------------------------------------| "
- - "L0.?[171398,171436] 10ns 2kb |L0.?|"
- - "**** Simulation run 121, type=split(ReduceOverlap)(split_times=[147029]). 1 Input Files, 330kb total:"
- - "L0, all files 330kb "
- - "L0.295[142881,150032] 10ns|-----------------------------------------L0.295-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 330kb total:"
- - "L0 "
- - "L0.?[142881,147029] 10ns 191kb|-----------------------L0.?-----------------------| "
- - "L0.?[147030,150032] 10ns 138kb |---------------L0.?----------------| "
- - "Committing partition 1:"
- - " Soft Deleting 2 files: L0.223, L0.295"
- - " Creating 4 files"
- - "**** Simulation run 122, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[195480]). 4 Input Files, 9mb total:"
- - "L0 "
- - "L0.290[177404,187127] 9ns 448kb|---------------L0.290---------------| "
- - "L0.260[187128,192817] 9ns 262kb |-------L0.260-------| "
- - "L0.261[192818,200000] 9ns 331kb |----------L0.261----------| "
- - "L1 "
- - "L1.288[177404,200000] 8ns 8mb|-----------------------------------------L1.288-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 9mb total:"
- - "L1 "
- - "L1.?[177404,195480] 9ns 7mb|--------------------------------L1.?---------------------------------| "
- - "L1.?[195481,200000] 9ns 2mb |-----L1.?------| "
- - "Committing partition 1:"
- - " Soft Deleting 4 files: L0.260, L0.261, L1.288, L0.290"
- - " Creating 2 files"
- - "**** Simulation run 123, type=split(ReduceOverlap)(split_times=[195480]). 1 Input Files, 331kb total:"
- - "L0, all files 331kb "
- - "L0.263[192818,200000] 10ns|-----------------------------------------L0.263-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 331kb total:"
- - "L0 "
- - "L0.?[192818,195480] 10ns 123kb|-------------L0.?--------------| "
- - "L0.?[195481,200000] 10ns 208kb |-------------------------L0.?-------------------------| "
- - "Committing partition 1:"
- - " Soft Deleting 1 files: L0.263"
- - " Creating 2 files"
- - "**** Simulation run 124, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[22619, 45138]). 14 Input Files, 29mb total:"
- - "L0 "
- - "L0.302[100,25160] 10ns 1mb|-------------L0.302-------------| "
- - "L0.303[25161,28347] 10ns 147kb |L0.303| "
- - "L0.274[28348,28656] 10ns 14kb |L0.274| "
- - "L0.239[28657,32463] 10ns 176kb |L0.239| "
- - "L0.240[32464,37982] 10ns 254kb |L0.240| "
- - "L0.206[37983,45771] 10ns 359kb |-L0.206-| "
- - "L0.300[45772,50220] 10ns 205kb |L0.300| "
- - "L0.301[50221,56594] 10ns 294kb |L0.301| "
- - "L0.272[56595,57212] 10ns 28kb |L0.272| "
- - "L0.137[57213,57593] 10ns 18kb |L0.137| "
- - "L0.237[57594,64826] 10ns 333kb |-L0.237-| "
- - "L1 "
- - "L1.297[100,25160] 9ns 10mb|-------------L1.297-------------| "
- - "L1.298[25161,50220] 9ns 10mb |-------------L1.298-------------| "
- - "L1.299[50221,64826] 9ns 6mb |------L1.299------| "
- - "**** 3 Output Files (parquet_file_id not yet assigned), 29mb total:"
- - "L1 "
- - "L1.?[100,22619] 10ns 10mb|------------L1.?-------------| "
- - "L1.?[22620,45138] 10ns 10mb |------------L1.?-------------| "
- - "L1.?[45139,64826] 10ns 9mb |----------L1.?-----------| "
- - "Committing partition 1:"
- - " Soft Deleting 14 files: L0.137, L0.206, L0.237, L0.239, L0.240, L0.272, L0.274, L1.297, L1.298, L1.299, L0.300, L0.301, L0.302, L0.303"
- - " Creating 3 files"
- - "**** Simulation run 125, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[87040, 109253]). 14 Input Files, 26mb total:"
- - "L0 "
- - "L0.238[64827,67700] 10ns 133kb|L0.238| "
- - "L0.203[67701,75864] 10ns 376kb |--L0.203--| "
- - "L0.204[75865,85768] 10ns 457kb |---L0.204----| "
- - "L0.309[85769,89508] 10ns 172kb |L0.309| "
- - "L0.310[89509,91442] 10ns 89kb |L0.310| "
- - "L0.284[91443,92594] 10ns 53kb |L0.284| "
- - "L0.307[92595,114189] 10ns 996kb |------------L0.307-------------| "
- - "L0.308[114190,114324] 10ns 6kb |L0.308| "
- - "L0.135[114325,115086] 10ns 35kb |L0.135| "
- - "L0.282[115087,120361] 10ns 243kb |L0.282| "
- - "L0.283[120362,122660] 10ns 106kb |L0.283|"
- - "L1 "
- - "L1.304[64827,89508] 9ns 10mb|---------------L1.304---------------| "
- - "L1.305[89509,114189] 9ns 10mb |---------------L1.305---------------| "
- - "L1.306[114190,122660] 9ns 3mb |--L1.306---| "
- - "**** 3 Output Files (parquet_file_id not yet assigned), 26mb total:"
- - "L1 "
- - "L1.?[64827,87040] 10ns 10mb|--------------L1.?--------------| "
- - "L1.?[87041,109253] 10ns 10mb |--------------L1.?--------------| "
- - "L1.?[109254,122660] 10ns 6mb |-------L1.?-------| "
- - "Committing partition 1:"
- - " Soft Deleting 14 files: L0.135, L0.203, L0.204, L0.238, L0.282, L0.283, L0.284, L1.304, L1.305, L1.306, L0.307, L0.308, L0.309, L0.310"
- - " Creating 3 files"
- - "**** Simulation run 126, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[144620, 166579]). 14 Input Files, 25mb total:"
- - "L0 "
- - "L0.255[122661,127765] 10ns 235kb|L0.255| "
- - "L0.225[127766,135300] 10ns 347kb |--L0.225--| "
- - "L0.109[135301,142880] 10ns 349kb |--L0.109--| "
- - "L0.316[142881,147029] 10ns 191kb |L0.316| "
- - "L0.317[147030,150032] 10ns 138kb |L0.317| "
- - "L0.296[150033,153877] 10ns 177kb |L0.296| "
- - "L0.253[153878,164087] 10ns 471kb |----L0.253----| "
- - "L0.314[164088,171397] 10ns 337kb |--L0.314--| "
- - "L0.315[171398,171436] 10ns 2kb |L0.315| "
- - "L0.186[171437,177322] 10ns 271kb |L0.186-| "
- - "L0.293[177323,177403] 10ns 4kb |L0.293|"
- - "L1 "
- - "L1.311[122661,147029] 9ns 10mb|----------------L1.311----------------| "
- - "L1.312[147030,171397] 9ns 10mb |----------------L1.312----------------| "
- - "L1.313[171398,177403] 9ns 2mb |L1.313-| "
- - "**** 3 Output Files (parquet_file_id not yet assigned), 25mb total:"
- - "L1 "
- - "L1.?[122661,144620] 10ns 10mb|---------------L1.?---------------| "
- - "L1.?[144621,166579] 10ns 10mb |---------------L1.?---------------| "
- - "L1.?[166580,177403] 10ns 5mb |-----L1.?------| "
- - "Committing partition 1:"
- - " Soft Deleting 14 files: L0.109, L0.186, L0.225, L0.253, L0.255, L0.293, L0.296, L1.311, L1.312, L1.313, L0.314, L0.315, L0.316, L0.317"
- - " Creating 3 files"
- - "**** Simulation run 127, type=split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))(split_times=[195480]). 6 Input Files, 10mb total:"
- - "L0 "
- - "L0.321[195481,200000] 10ns 208kb |----L0.321-----| "
- - "L0.320[192818,195480] 10ns 123kb |-L0.320-| "
- - "L0.262[187128,192817] 10ns 262kb |-------L0.262-------| "
- - "L0.294[177404,187127] 10ns 448kb|---------------L0.294---------------| "
- - "L1 "
- - "L1.319[195481,200000] 9ns 2mb |----L1.319-----| "
- - "L1.318[177404,195480] 9ns 7mb|-------------------------------L1.318--------------------------------| "
- - "**** 2 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L1 "
- - "L1.?[177404,195480] 10ns 8mb|--------------------------------L1.?---------------------------------| "
- - "L1.?[195481,200000] 10ns 2mb |-----L1.?------| "
- - "Committing partition 1:"
- - " Soft Deleting 6 files: L0.262, L0.294, L1.318, L1.319, L0.320, L0.321"
- - " Creating 2 files"
- - "**** Simulation run 128, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[45033, 67446]). 3 Input Files, 29mb total:"
- - "L1 "
- - "L1.323[22620,45138] 10ns 10mb|-----------L1.323------------| "
- - "L1.324[45139,64826] 10ns 9mb |---------L1.324----------| "
- - "L1.325[64827,87040] 10ns 10mb |-----------L1.325------------| "
- - "**** 3 Output Files (parquet_file_id not yet assigned), 29mb total:"
- - "L2 "
- - "L2.?[22620,45033] 10ns 10mb|------------L2.?-------------| "
- - "L2.?[45034,67446] 10ns 10mb |------------L2.?-------------| "
- - "L2.?[67447,87040] 10ns 9mb |----------L2.?-----------| "
- - "Committing partition 1:"
- - " Soft Deleting 3 files: L1.323, L1.324, L1.325"
- - " Upgrading 1 files level to CompactionLevel::L2: L1.322"
- - " Creating 3 files"
- - "**** Simulation run 129, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[109156, 131271]). 3 Input Files, 26mb total:"
- - "L1 "
- - "L1.326[87041,109253] 10ns 10mb|-------------L1.326-------------| "
- - "L1.327[109254,122660] 10ns 6mb |------L1.327------| "
- - "L1.328[122661,144620] 10ns 10mb |-------------L1.328-------------| "
- - "**** 3 Output Files (parquet_file_id not yet assigned), 26mb total:"
- - "L2 "
- - "L2.?[87041,109156] 10ns 10mb|--------------L2.?--------------| "
- - "L2.?[109157,131271] 10ns 10mb |--------------L2.?--------------| "
- - "L2.?[131272,144620] 10ns 6mb |-------L2.?-------| "
- - "Committing partition 1:"
- - " Soft Deleting 3 files: L1.326, L1.327, L1.328"
- - " Creating 3 files"
- - "**** Simulation run 130, type=split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))(split_times=[188538]). 3 Input Files, 15mb total:"
- - "L1 "
- - "L1.332[195481,200000] 10ns 2mb |--L1.332--| "
- - "L1.331[177404,195480] 10ns 8mb |--------------------L1.331--------------------| "
- - "L1.330[166580,177403] 10ns 5mb|----------L1.330-----------| "
- - "**** 2 Output Files (parquet_file_id not yet assigned), 15mb total:"
- - "L2 "
- - "L2.?[166580,188538] 10ns 10mb|--------------------------L2.?---------------------------| "
- - "L2.?[188539,200000] 10ns 5mb |------------L2.?------------| "
- - "Committing partition 1:"
- - " Soft Deleting 3 files: L1.330, L1.331, L1.332"
- - " Upgrading 1 files level to CompactionLevel::L2: L1.329"
- - " Creating 2 files"
- - "**** Final Output Files (717mb written)"
- - "L2 "
- - "L2.322[100,22619] 10ns 10mb|-L2.322-| "
- - "L2.329[144621,166579] 10ns 10mb |L2.329-| "
- - "L2.333[22620,45033] 10ns 10mb |-L2.333-| "
- - "L2.334[45034,67446] 10ns 10mb |-L2.334-| "
- - "L2.335[67447,87040] 10ns 9mb |L2.335| "
- - "L2.336[87041,109156] 10ns 10mb |L2.336-| "
- - "L2.337[109157,131271] 10ns 10mb |L2.337-| "
- - "L2.338[131272,144620] 10ns 6mb |L2.338| "
- - "L2.339[166580,188538] 10ns 10mb |L2.339-| "
- - "L2.340[188539,200000] 10ns 5mb |L2.340|"
- "###
- );
-}
-
-#[tokio::test]
-async fn all_overlapping_l0_max_input_bytes_per_partition_small_max_desired_file_size() {
- test_helpers::maybe_start_logging();
-
- // limit the plan to combining 30 mb at a time
- let setup = layout_setup_builder()
- .await
- .with_max_desired_file_size_bytes(10 * ONE_MB)
- .build()
- .await;
-
- // create virtual files
- let setup = all_overlapping_l0_files(setup).await;
-
- // expect that each plan the compactor runs has at most three input files
- insta::assert_yaml_snapshot!(
- run_layout_scenario(&setup).await,
- @r###"
- ---
- - "**** Input Files "
- - "L0, all files 9mb "
- - "L0.1[100,200000] 1ns |-----------------------------------------L0.1------------------------------------------| "
- - "L0.2[100,200000] 2ns |-----------------------------------------L0.2------------------------------------------| "
- - "L0.3[100,200000] 3ns |-----------------------------------------L0.3------------------------------------------| "
- - "L0.4[100,200000] 4ns |-----------------------------------------L0.4------------------------------------------| "
- - "L0.5[100,200000] 5ns |-----------------------------------------L0.5------------------------------------------| "
- - "L0.6[100,200000] 6ns |-----------------------------------------L0.6------------------------------------------| "
- - "L0.7[100,200000] 7ns |-----------------------------------------L0.7------------------------------------------| "
- - "L0.8[100,200000] 8ns |-----------------------------------------L0.8------------------------------------------| "
- - "L0.9[100,200000] 9ns |-----------------------------------------L0.9------------------------------------------| "
- - "L0.10[100,200000] 10ns |-----------------------------------------L0.10-----------------------------------------| "
- - "**** Simulation run 0, type=split(VerticalSplit)(split_times=[28656, 57212, 85768, 114324, 142880, 171436]). 1 Input Files, 9mb total:"
- - "L0, all files 9mb "
- - "L0.1[100,200000] 1ns |-----------------------------------------L0.1------------------------------------------| "
- - "**** 7 Output Files (parquet_file_id not yet assigned), 9mb total:"
- - "L0 "
- - "L0.?[100,28656] 1ns 1mb |---L0.?---| "
- - "L0.?[28657,57212] 1ns 1mb |---L0.?---| "
- - "L0.?[57213,85768] 1ns 1mb |---L0.?---| "
- - "L0.?[85769,114324] 1ns 1mb |---L0.?---| "
- - "L0.?[114325,142880] 1ns 1mb |---L0.?---| "
- - "L0.?[142881,171436] 1ns 1mb |---L0.?---| "
- - "L0.?[171437,200000] 1ns 1mb |---L0.?---| "
- - "**** Simulation run 1, type=split(VerticalSplit)(split_times=[28656, 57212, 85768, 114324, 142880, 171436]). 1 Input Files, 9mb total:"
- - "L0, all files 9mb "
- - "L0.2[100,200000] 2ns |-----------------------------------------L0.2------------------------------------------| "
- - "**** 7 Output Files (parquet_file_id not yet assigned), 9mb total:"
- - "L0 "
- - "L0.?[100,28656] 2ns 1mb |---L0.?---| "
- - "L0.?[28657,57212] 2ns 1mb |---L0.?---| "
- - "L0.?[57213,85768] 2ns 1mb |---L0.?---| "
- - "L0.?[85769,114324] 2ns 1mb |---L0.?---| "
- - "L0.?[114325,142880] 2ns 1mb |---L0.?---| "
- - "L0.?[142881,171436] 2ns 1mb |---L0.?---| "
- - "L0.?[171437,200000] 2ns 1mb |---L0.?---| "
- - "**** Simulation run 2, type=split(VerticalSplit)(split_times=[28656, 57212, 85768, 114324, 142880, 171436]). 1 Input Files, 9mb total:"
- - "L0, all files 9mb "
- - "L0.3[100,200000] 3ns |-----------------------------------------L0.3------------------------------------------| "
- - "**** 7 Output Files (parquet_file_id not yet assigned), 9mb total:"
- - "L0 "
- - "L0.?[100,28656] 3ns 1mb |---L0.?---| "
- - "L0.?[28657,57212] 3ns 1mb |---L0.?---| "
- - "L0.?[57213,85768] 3ns 1mb |---L0.?---| "
- - "L0.?[85769,114324] 3ns 1mb |---L0.?---| "
- - "L0.?[114325,142880] 3ns 1mb |---L0.?---| "
- - "L0.?[142881,171436] 3ns 1mb |---L0.?---| "
- - "L0.?[171437,200000] 3ns 1mb |---L0.?---| "
- - "**** Simulation run 3, type=split(VerticalSplit)(split_times=[28656, 57212, 85768, 114324, 142880, 171436]). 1 Input Files, 9mb total:"
- - "L0, all files 9mb "
- - "L0.4[100,200000] 4ns |-----------------------------------------L0.4------------------------------------------| "
- - "**** 7 Output Files (parquet_file_id not yet assigned), 9mb total:"
- - "L0 "
- - "L0.?[100,28656] 4ns 1mb |---L0.?---| "
- - "L0.?[28657,57212] 4ns 1mb |---L0.?---| "
- - "L0.?[57213,85768] 4ns 1mb |---L0.?---| "
- - "L0.?[85769,114324] 4ns 1mb |---L0.?---| "
- - "L0.?[114325,142880] 4ns 1mb |---L0.?---| "
- - "L0.?[142881,171436] 4ns 1mb |---L0.?---| "
- - "L0.?[171437,200000] 4ns 1mb |---L0.?---| "
- - "**** Simulation run 4, type=split(VerticalSplit)(split_times=[28656, 57212, 85768, 114324, 142880, 171436]). 1 Input Files, 9mb total:"
- - "L0, all files 9mb "
- - "L0.5[100,200000] 5ns |-----------------------------------------L0.5------------------------------------------| "
- - "**** 7 Output Files (parquet_file_id not yet assigned), 9mb total:"
- - "L0 "
- - "L0.?[100,28656] 5ns 1mb |---L0.?---| "
- - "L0.?[28657,57212] 5ns 1mb |---L0.?---| "
- - "L0.?[57213,85768] 5ns 1mb |---L0.?---| "
- - "L0.?[85769,114324] 5ns 1mb |---L0.?---| "
- - "L0.?[114325,142880] 5ns 1mb |---L0.?---| "
- - "L0.?[142881,171436] 5ns 1mb |---L0.?---| "
- - "L0.?[171437,200000] 5ns 1mb |---L0.?---| "
- - "**** Simulation run 5, type=split(VerticalSplit)(split_times=[28656, 57212, 85768, 114324, 142880, 171436]). 1 Input Files, 9mb total:"
- - "L0, all files 9mb "
- - "L0.6[100,200000] 6ns |-----------------------------------------L0.6------------------------------------------| "
- - "**** 7 Output Files (parquet_file_id not yet assigned), 9mb total:"
- - "L0 "
- - "L0.?[100,28656] 6ns 1mb |---L0.?---| "
- - "L0.?[28657,57212] 6ns 1mb |---L0.?---| "
- - "L0.?[57213,85768] 6ns 1mb |---L0.?---| "
- - "L0.?[85769,114324] 6ns 1mb |---L0.?---| "
- - "L0.?[114325,142880] 6ns 1mb |---L0.?---| "
- - "L0.?[142881,171436] 6ns 1mb |---L0.?---| "
- - "L0.?[171437,200000] 6ns 1mb |---L0.?---| "
- - "**** Simulation run 6, type=split(VerticalSplit)(split_times=[28656, 57212, 85768, 114324, 142880, 171436]). 1 Input Files, 9mb total:"
- - "L0, all files 9mb "
- - "L0.7[100,200000] 7ns |-----------------------------------------L0.7------------------------------------------| "
- - "**** 7 Output Files (parquet_file_id not yet assigned), 9mb total:"
- - "L0 "
- - "L0.?[100,28656] 7ns 1mb |---L0.?---| "
- - "L0.?[28657,57212] 7ns 1mb |---L0.?---| "
- - "L0.?[57213,85768] 7ns 1mb |---L0.?---| "
- - "L0.?[85769,114324] 7ns 1mb |---L0.?---| "
- - "L0.?[114325,142880] 7ns 1mb |---L0.?---| "
- - "L0.?[142881,171436] 7ns 1mb |---L0.?---| "
- - "L0.?[171437,200000] 7ns 1mb |---L0.?---| "
- - "**** Simulation run 7, type=split(VerticalSplit)(split_times=[28656, 57212, 85768, 114324, 142880, 171436]). 1 Input Files, 9mb total:"
- - "L0, all files 9mb "
- - "L0.8[100,200000] 8ns |-----------------------------------------L0.8------------------------------------------| "
- - "**** 7 Output Files (parquet_file_id not yet assigned), 9mb total:"
- - "L0 "
- - "L0.?[100,28656] 8ns 1mb |---L0.?---| "
- - "L0.?[28657,57212] 8ns 1mb |---L0.?---| "
- - "L0.?[57213,85768] 8ns 1mb |---L0.?---| "
- - "L0.?[85769,114324] 8ns 1mb |---L0.?---| "
- - "L0.?[114325,142880] 8ns 1mb |---L0.?---| "
- - "L0.?[142881,171436] 8ns 1mb |---L0.?---| "
- - "L0.?[171437,200000] 8ns 1mb |---L0.?---| "
- - "**** Simulation run 8, type=split(VerticalSplit)(split_times=[28656, 57212, 85768, 114324, 142880, 171436]). 1 Input Files, 9mb total:"
- - "L0, all files 9mb "
- - "L0.9[100,200000] 9ns |-----------------------------------------L0.9------------------------------------------| "
- - "**** 7 Output Files (parquet_file_id not yet assigned), 9mb total:"
- - "L0 "
- - "L0.?[100,28656] 9ns 1mb |---L0.?---| "
- - "L0.?[28657,57212] 9ns 1mb |---L0.?---| "
- - "L0.?[57213,85768] 9ns 1mb |---L0.?---| "
- - "L0.?[85769,114324] 9ns 1mb |---L0.?---| "
- - "L0.?[114325,142880] 9ns 1mb |---L0.?---| "
- - "L0.?[142881,171436] 9ns 1mb |---L0.?---| "
- - "L0.?[171437,200000] 9ns 1mb |---L0.?---| "
- - "**** Simulation run 9, type=split(VerticalSplit)(split_times=[28656, 57212, 85768, 114324, 142880, 171436]). 1 Input Files, 9mb total:"
- - "L0, all files 9mb "
- - "L0.10[100,200000] 10ns |-----------------------------------------L0.10-----------------------------------------| "
- - "**** 7 Output Files (parquet_file_id not yet assigned), 9mb total:"
- - "L0 "
- - "L0.?[100,28656] 10ns 1mb |---L0.?---| "
- - "L0.?[28657,57212] 10ns 1mb |---L0.?---| "
- - "L0.?[57213,85768] 10ns 1mb |---L0.?---| "
- - "L0.?[85769,114324] 10ns 1mb |---L0.?---| "
- - "L0.?[114325,142880] 10ns 1mb |---L0.?---| "
- - "L0.?[142881,171436] 10ns 1mb |---L0.?---| "
- - "L0.?[171437,200000] 10ns 1mb |---L0.?---| "
- - "Committing partition 1:"
- - " Soft Deleting 10 files: L0.1, L0.2, L0.3, L0.4, L0.5, L0.6, L0.7, L0.8, L0.9, L0.10"
- - " Creating 70 files"
- - "**** Simulation run 10, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[67700, 135300]). 23 Input Files, 30mb total:"
- - "L0 "
- - "L0.11[100,28656] 1ns 1mb |--L0.11---| "
- - "L0.12[28657,57212] 1ns 1mb |--L0.12---| "
- - "L0.13[57213,85768] 1ns 1mb |--L0.13---| "
- - "L0.14[85769,114324] 1ns 1mb |--L0.14---| "
- - "L0.15[114325,142880] 1ns 1mb |--L0.15---| "
- - "L0.16[142881,171436] 1ns 1mb |--L0.16---| "
- - "L0.17[171437,200000] 1ns 1mb |--L0.17---| "
- - "L0.18[100,28656] 2ns 1mb |--L0.18---| "
- - "L0.19[28657,57212] 2ns 1mb |--L0.19---| "
- - "L0.20[57213,85768] 2ns 1mb |--L0.20---| "
- - "L0.21[85769,114324] 2ns 1mb |--L0.21---| "
- - "L0.22[114325,142880] 2ns 1mb |--L0.22---| "
- - "L0.23[142881,171436] 2ns 1mb |--L0.23---| "
- - "L0.24[171437,200000] 2ns 1mb |--L0.24---| "
- - "L0.25[100,28656] 3ns 1mb |--L0.25---| "
- - "L0.26[28657,57212] 3ns 1mb |--L0.26---| "
- - "L0.27[57213,85768] 3ns 1mb |--L0.27---| "
- - "L0.28[85769,114324] 3ns 1mb |--L0.28---| "
- - "L0.29[114325,142880] 3ns 1mb |--L0.29---| "
- - "L0.30[142881,171436] 3ns 1mb |--L0.30---| "
- - "L0.31[171437,200000] 3ns 1mb |--L0.31---| "
- - "L0.32[100,28656] 4ns 1mb |--L0.32---| "
- - "L0.33[28657,57212] 4ns 1mb |--L0.33---| "
- - "**** 3 Output Files (parquet_file_id not yet assigned), 30mb total:"
- - "L1 "
- - "L1.?[100,67700] 4ns 10mb |------------L1.?------------| "
- - "L1.?[67701,135300] 4ns 10mb |------------L1.?------------| "
- - "L1.?[135301,200000] 4ns 10mb |-----------L1.?------------| "
- - "Committing partition 1:"
- - " Soft Deleting 23 files: L0.11, L0.12, L0.13, L0.14, L0.15, L0.16, L0.17, L0.18, L0.19, L0.20, L0.21, L0.22, L0.23, L0.24, L0.25, L0.26, L0.27, L0.28, L0.29, L0.30, L0.31, L0.32, L0.33"
- - " Creating 3 files"
- - "**** Simulation run 11, type=split(ReduceOverlap)(split_times=[135300]). 1 Input Files, 1mb total:"
- - "L0, all files 1mb "
- - "L0.36[114325,142880] 4ns |-----------------------------------------L0.36------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
- - "L0 "
- - "L0.?[114325,135300] 4ns 967kb|------------------------------L0.?------------------------------| "
- - "L0.?[135301,142880] 4ns 349kb |--------L0.?---------| "
- - "**** Simulation run 12, type=split(ReduceOverlap)(split_times=[67700]). 1 Input Files, 1mb total:"
- - "L0, all files 1mb "
- - "L0.34[57213,85768] 4ns |-----------------------------------------L0.34------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
- - "L0 "
- - "L0.?[57213,67700] 4ns 484kb|-------------L0.?--------------| "
- - "L0.?[67701,85768] 4ns 833kb |-------------------------L0.?-------------------------| "
- - "**** Simulation run 13, type=split(ReduceOverlap)(split_times=[135300]). 1 Input Files, 1mb total:"
- - "L0, all files 1mb "
- - "L0.43[114325,142880] 5ns |-----------------------------------------L0.43------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
- - "L0 "
- - "L0.?[114325,135300] 5ns 967kb|------------------------------L0.?------------------------------| "
- - "L0.?[135301,142880] 5ns 349kb |--------L0.?---------| "
- - "**** Simulation run 14, type=split(ReduceOverlap)(split_times=[67700]). 1 Input Files, 1mb total:"
- - "L0, all files 1mb "
- - "L0.41[57213,85768] 5ns |-----------------------------------------L0.41------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
- - "L0 "
- - "L0.?[57213,67700] 5ns 484kb|-------------L0.?--------------| "
- - "L0.?[67701,85768] 5ns 833kb |-------------------------L0.?-------------------------| "
- - "**** Simulation run 15, type=split(ReduceOverlap)(split_times=[135300]). 1 Input Files, 1mb total:"
- - "L0, all files 1mb "
- - "L0.50[114325,142880] 6ns |-----------------------------------------L0.50------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
- - "L0 "
- - "L0.?[114325,135300] 6ns 967kb|------------------------------L0.?------------------------------| "
- - "L0.?[135301,142880] 6ns 349kb |--------L0.?---------| "
- - "**** Simulation run 16, type=split(ReduceOverlap)(split_times=[67700]). 1 Input Files, 1mb total:"
- - "L0, all files 1mb "
- - "L0.48[57213,85768] 6ns |-----------------------------------------L0.48------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
- - "L0 "
- - "L0.?[57213,67700] 6ns 484kb|-------------L0.?--------------| "
- - "L0.?[67701,85768] 6ns 833kb |-------------------------L0.?-------------------------| "
- - "**** Simulation run 17, type=split(ReduceOverlap)(split_times=[135300]). 1 Input Files, 1mb total:"
- - "L0, all files 1mb "
- - "L0.57[114325,142880] 7ns |-----------------------------------------L0.57------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
- - "L0 "
- - "L0.?[114325,135300] 7ns 967kb|------------------------------L0.?------------------------------| "
- - "L0.?[135301,142880] 7ns 349kb |--------L0.?---------| "
- - "**** Simulation run 18, type=split(ReduceOverlap)(split_times=[67700]). 1 Input Files, 1mb total:"
+ - "**** Simulation run 10, type=split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))(split_times=[22311]). 10 Input Files, 13mb total:"
- "L0, all files 1mb "
- - "L0.55[57213,85768] 7ns |-----------------------------------------L0.55------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
- - "L0 "
- - "L0.?[57213,67700] 7ns 484kb|-------------L0.?--------------| "
- - "L0.?[67701,85768] 7ns 833kb |-------------------------L0.?-------------------------| "
- - "**** Simulation run 19, type=split(ReduceOverlap)(split_times=[135300]). 1 Input Files, 1mb total:"
- - "L0, all files 1mb "
- - "L0.64[114325,142880] 8ns |-----------------------------------------L0.64------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
- - "L0 "
- - "L0.?[114325,135300] 8ns 967kb|------------------------------L0.?------------------------------| "
- - "L0.?[135301,142880] 8ns 349kb |--------L0.?---------| "
- - "**** Simulation run 20, type=split(ReduceOverlap)(split_times=[67700]). 1 Input Files, 1mb total:"
- - "L0, all files 1mb "
- - "L0.62[57213,85768] 8ns |-----------------------------------------L0.62------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
- - "L0 "
- - "L0.?[57213,67700] 8ns 484kb|-------------L0.?--------------| "
- - "L0.?[67701,85768] 8ns 833kb |-------------------------L0.?-------------------------| "
- - "**** Simulation run 21, type=split(ReduceOverlap)(split_times=[135300]). 1 Input Files, 1mb total:"
- - "L0, all files 1mb "
- - "L0.71[114325,142880] 9ns |-----------------------------------------L0.71------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
- - "L0 "
- - "L0.?[114325,135300] 9ns 967kb|------------------------------L0.?------------------------------| "
- - "L0.?[135301,142880] 9ns 349kb |--------L0.?---------| "
- - "**** Simulation run 22, type=split(ReduceOverlap)(split_times=[67700]). 1 Input Files, 1mb total:"
- - "L0, all files 1mb "
- - "L0.69[57213,85768] 9ns |-----------------------------------------L0.69------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
- - "L0 "
- - "L0.?[57213,67700] 9ns 484kb|-------------L0.?--------------| "
- - "L0.?[67701,85768] 9ns 833kb |-------------------------L0.?-------------------------| "
- - "**** Simulation run 23, type=split(ReduceOverlap)(split_times=[135300]). 1 Input Files, 1mb total:"
- - "L0, all files 1mb "
- - "L0.78[114325,142880] 10ns|-----------------------------------------L0.78------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
- - "L0 "
- - "L0.?[114325,135300] 10ns 967kb|------------------------------L0.?------------------------------| "
- - "L0.?[135301,142880] 10ns 349kb |--------L0.?---------| "
- - "**** Simulation run 24, type=split(ReduceOverlap)(split_times=[67700]). 1 Input Files, 1mb total:"
+ - "L0.74[100,28656] 10ns |-----------------------------------------L0.74------------------------------------------|"
+ - "L0.67[100,28656] 9ns |-----------------------------------------L0.67------------------------------------------|"
+ - "L0.60[100,28656] 8ns |-----------------------------------------L0.60------------------------------------------|"
+ - "L0.53[100,28656] 7ns |-----------------------------------------L0.53------------------------------------------|"
+ - "L0.46[100,28656] 6ns |-----------------------------------------L0.46------------------------------------------|"
+ - "L0.39[100,28656] 5ns |-----------------------------------------L0.39------------------------------------------|"
+ - "L0.32[100,28656] 4ns |-----------------------------------------L0.32------------------------------------------|"
+ - "L0.25[100,28656] 3ns |-----------------------------------------L0.25------------------------------------------|"
+ - "L0.18[100,28656] 2ns |-----------------------------------------L0.18------------------------------------------|"
+ - "L0.11[100,28656] 1ns |-----------------------------------------L0.11------------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 13mb total:"
+ - "L1 "
+ - "L1.?[100,22311] 10ns 10mb|--------------------------------L1.?--------------------------------| "
+ - "L1.?[22312,28656] 10ns 3mb |------L1.?-------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 10 files: L0.11, L0.18, L0.25, L0.32, L0.39, L0.46, L0.53, L0.60, L0.67, L0.74"
+ - " Creating 2 files"
+ - "**** Simulation run 11, type=split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))(split_times=[50868]). 10 Input Files, 13mb total:"
- "L0, all files 1mb "
- - "L0.76[57213,85768] 10ns |-----------------------------------------L0.76------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
- - "L0 "
- - "L0.?[57213,67700] 10ns 484kb|-------------L0.?--------------| "
- - "L0.?[67701,85768] 10ns 833kb |-------------------------L0.?-------------------------| "
- - "Committing partition 1:"
- - " Soft Deleting 14 files: L0.34, L0.36, L0.41, L0.43, L0.48, L0.50, L0.55, L0.57, L0.62, L0.64, L0.69, L0.71, L0.76, L0.78"
- - " Creating 28 files"
- - "**** Simulation run 25, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[57593, 115086]). 6 Input Files, 24mb total:"
- - "L0 "
- - "L0.86[57213,67700] 4ns 484kb |L0.86| "
- - "L0.87[67701,85768] 4ns 833kb |--L0.87---| "
- - "L0.35[85769,114324] 4ns 1mb |------L0.35------| "
- - "L0.84[114325,135300] 4ns 967kb |---L0.84---| "
- - "L1 "
- - "L1.81[100,67700] 4ns 10mb|-------------------L1.81-------------------| "
- - "L1.82[67701,135300] 4ns 10mb |------------------L1.82-------------------| "
- - "**** 3 Output Files (parquet_file_id not yet assigned), 24mb total:"
- - "L1 "
- - "L1.?[100,57593] 4ns 10mb |----------------L1.?----------------| "
- - "L1.?[57594,115086] 4ns 10mb |----------------L1.?----------------| "
- - "L1.?[115087,135300] 4ns 4mb |---L1.?----| "
- - "Committing partition 1:"
- - " Soft Deleting 6 files: L0.35, L1.81, L1.82, L0.84, L0.86, L0.87"
- - " Creating 3 files"
- - "**** Simulation run 26, type=split(ReduceOverlap)(split_times=[115086]). 1 Input Files, 967kb total:"
- - "L0, all files 967kb "
- - "L0.88[114325,135300] 5ns |-----------------------------------------L0.88------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 967kb total:"
- - "L0 "
- - "L0.?[114325,115086] 5ns 35kb|L0.?| "
- - "L0.?[115087,135300] 5ns 932kb |----------------------------------------L0.?----------------------------------------| "
- - "**** Simulation run 27, type=split(ReduceOverlap)(split_times=[57593]). 1 Input Files, 484kb total:"
- - "L0, all files 484kb "
- - "L0.90[57213,67700] 5ns |-----------------------------------------L0.90------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 484kb total:"
- - "L0 "
- - "L0.?[57213,57593] 5ns 18kb|L0.?| "
- - "L0.?[57594,67700] 5ns 466kb |----------------------------------------L0.?----------------------------------------| "
- - "**** Simulation run 28, type=split(ReduceOverlap)(split_times=[115086]). 1 Input Files, 967kb total:"
- - "L0, all files 967kb "
- - "L0.92[114325,135300] 6ns |-----------------------------------------L0.92------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 967kb total:"
- - "L0 "
- - "L0.?[114325,115086] 6ns 35kb|L0.?| "
- - "L0.?[115087,135300] 6ns 932kb |----------------------------------------L0.?----------------------------------------| "
- - "**** Simulation run 29, type=split(ReduceOverlap)(split_times=[57593]). 1 Input Files, 484kb total:"
- - "L0, all files 484kb "
- - "L0.94[57213,67700] 6ns |-----------------------------------------L0.94------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 484kb total:"
- - "L0 "
- - "L0.?[57213,57593] 6ns 18kb|L0.?| "
- - "L0.?[57594,67700] 6ns 466kb |----------------------------------------L0.?----------------------------------------| "
- - "**** Simulation run 30, type=split(ReduceOverlap)(split_times=[115086]). 1 Input Files, 967kb total:"
- - "L0, all files 967kb "
- - "L0.96[114325,135300] 7ns |-----------------------------------------L0.96------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 967kb total:"
- - "L0 "
- - "L0.?[114325,115086] 7ns 35kb|L0.?| "
- - "L0.?[115087,135300] 7ns 932kb |----------------------------------------L0.?----------------------------------------| "
- - "**** Simulation run 31, type=split(ReduceOverlap)(split_times=[57593]). 1 Input Files, 484kb total:"
- - "L0, all files 484kb "
- - "L0.98[57213,67700] 7ns |-----------------------------------------L0.98------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 484kb total:"
- - "L0 "
- - "L0.?[57213,57593] 7ns 18kb|L0.?| "
- - "L0.?[57594,67700] 7ns 466kb |----------------------------------------L0.?----------------------------------------| "
- - "**** Simulation run 32, type=split(ReduceOverlap)(split_times=[115086]). 1 Input Files, 967kb total:"
- - "L0, all files 967kb "
- - "L0.100[114325,135300] 8ns|-----------------------------------------L0.100-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 967kb total:"
- - "L0 "
- - "L0.?[114325,115086] 8ns 35kb|L0.?| "
- - "L0.?[115087,135300] 8ns 932kb |----------------------------------------L0.?----------------------------------------| "
- - "**** Simulation run 33, type=split(ReduceOverlap)(split_times=[57593]). 1 Input Files, 484kb total:"
- - "L0, all files 484kb "
- - "L0.102[57213,67700] 8ns |-----------------------------------------L0.102-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 484kb total:"
- - "L0 "
- - "L0.?[57213,57593] 8ns 18kb|L0.?| "
- - "L0.?[57594,67700] 8ns 466kb |----------------------------------------L0.?----------------------------------------| "
- - "**** Simulation run 34, type=split(ReduceOverlap)(split_times=[115086]). 1 Input Files, 967kb total:"
- - "L0, all files 967kb "
- - "L0.104[114325,135300] 9ns|-----------------------------------------L0.104-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 967kb total:"
- - "L0 "
- - "L0.?[114325,115086] 9ns 35kb|L0.?| "
- - "L0.?[115087,135300] 9ns 932kb |----------------------------------------L0.?----------------------------------------| "
- - "**** Simulation run 35, type=split(ReduceOverlap)(split_times=[57593]). 1 Input Files, 484kb total:"
- - "L0, all files 484kb "
- - "L0.106[57213,67700] 9ns |-----------------------------------------L0.106-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 484kb total:"
- - "L0 "
- - "L0.?[57213,57593] 9ns 18kb|L0.?| "
- - "L0.?[57594,67700] 9ns 466kb |----------------------------------------L0.?----------------------------------------| "
- - "**** Simulation run 36, type=split(ReduceOverlap)(split_times=[115086]). 1 Input Files, 967kb total:"
- - "L0, all files 967kb "
- - "L0.108[114325,135300] 10ns|-----------------------------------------L0.108-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 967kb total:"
- - "L0 "
- - "L0.?[114325,115086] 10ns 35kb|L0.?| "
- - "L0.?[115087,135300] 10ns 932kb |----------------------------------------L0.?----------------------------------------| "
- - "**** Simulation run 37, type=split(ReduceOverlap)(split_times=[57593]). 1 Input Files, 484kb total:"
- - "L0, all files 484kb "
- - "L0.110[57213,67700] 10ns |-----------------------------------------L0.110-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 484kb total:"
- - "L0 "
- - "L0.?[57213,57593] 10ns 18kb|L0.?| "
- - "L0.?[57594,67700] 10ns 466kb |----------------------------------------L0.?----------------------------------------| "
- - "Committing partition 1:"
- - " Soft Deleting 12 files: L0.88, L0.90, L0.92, L0.94, L0.96, L0.98, L0.100, L0.102, L0.104, L0.106, L0.108, L0.110"
- - " Creating 24 files"
- - "**** Simulation run 38, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[187127]). 4 Input Files, 12mb total:"
- - "L0 "
- - "L0.85[135301,142880] 4ns 349kb|-L0.85--| "
- - "L0.37[142881,171436] 4ns 1mb |----------------L0.37----------------| "
- - "L0.38[171437,200000] 4ns 1mb |----------------L0.38----------------| "
- - "L1 "
- - "L1.83[135301,200000] 4ns 10mb|-----------------------------------------L1.83------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 12mb total:"
+ - "L0.75[28657,57212] 10ns |-----------------------------------------L0.75------------------------------------------|"
+ - "L0.68[28657,57212] 9ns |-----------------------------------------L0.68------------------------------------------|"
+ - "L0.61[28657,57212] 8ns |-----------------------------------------L0.61------------------------------------------|"
+ - "L0.54[28657,57212] 7ns |-----------------------------------------L0.54------------------------------------------|"
+ - "L0.47[28657,57212] 6ns |-----------------------------------------L0.47------------------------------------------|"
+ - "L0.40[28657,57212] 5ns |-----------------------------------------L0.40------------------------------------------|"
+ - "L0.33[28657,57212] 4ns |-----------------------------------------L0.33------------------------------------------|"
+ - "L0.26[28657,57212] 3ns |-----------------------------------------L0.26------------------------------------------|"
+ - "L0.19[28657,57212] 2ns |-----------------------------------------L0.19------------------------------------------|"
+ - "L0.12[28657,57212] 1ns |-----------------------------------------L0.12------------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 13mb total:"
- "L1 "
- - "L1.?[135301,187127] 4ns 10mb|---------------------------------L1.?---------------------------------| "
- - "L1.?[187128,200000] 4ns 2mb |-----L1.?------| "
+ - "L1.?[28657,50868] 10ns 10mb|--------------------------------L1.?--------------------------------| "
+ - "L1.?[50869,57212] 10ns 3mb |------L1.?-------| "
- "Committing partition 1:"
- - " Soft Deleting 4 files: L0.37, L0.38, L1.83, L0.85"
+ - " Soft Deleting 10 files: L0.12, L0.19, L0.26, L0.33, L0.40, L0.47, L0.54, L0.61, L0.68, L0.75"
- " Creating 2 files"
- - "**** Simulation run 39, type=split(ReduceOverlap)(split_times=[187127]). 1 Input Files, 1mb total:"
+ - "**** Simulation run 12, type=split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))(split_times=[79424]). 10 Input Files, 13mb total:"
- "L0, all files 1mb "
- - "L0.45[171437,200000] 5ns |-----------------------------------------L0.45------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
- - "L0 "
- - "L0.?[171437,187127] 5ns 723kb|---------------------L0.?----------------------| "
- - "L0.?[187128,200000] 5ns 593kb |-----------------L0.?-----------------| "
- - "**** Simulation run 40, type=split(ReduceOverlap)(split_times=[187127]). 1 Input Files, 1mb total:"
- - "L0, all files 1mb "
- - "L0.52[171437,200000] 6ns |-----------------------------------------L0.52------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
- - "L0 "
- - "L0.?[171437,187127] 6ns 723kb|---------------------L0.?----------------------| "
- - "L0.?[187128,200000] 6ns 593kb |-----------------L0.?-----------------| "
- - "**** Simulation run 41, type=split(ReduceOverlap)(split_times=[187127]). 1 Input Files, 1mb total:"
- - "L0, all files 1mb "
- - "L0.59[171437,200000] 7ns |-----------------------------------------L0.59------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
- - "L0 "
- - "L0.?[171437,187127] 7ns 723kb|---------------------L0.?----------------------| "
- - "L0.?[187128,200000] 7ns 593kb |-----------------L0.?-----------------| "
- - "**** Simulation run 42, type=split(ReduceOverlap)(split_times=[187127]). 1 Input Files, 1mb total:"
- - "L0, all files 1mb "
- - "L0.66[171437,200000] 8ns |-----------------------------------------L0.66------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
- - "L0 "
- - "L0.?[171437,187127] 8ns 723kb|---------------------L0.?----------------------| "
- - "L0.?[187128,200000] 8ns 593kb |-----------------L0.?-----------------| "
- - "**** Simulation run 43, type=split(ReduceOverlap)(split_times=[187127]). 1 Input Files, 1mb total:"
- - "L0, all files 1mb "
- - "L0.73[171437,200000] 9ns |-----------------------------------------L0.73------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
- - "L0 "
- - "L0.?[171437,187127] 9ns 723kb|---------------------L0.?----------------------| "
- - "L0.?[187128,200000] 9ns 593kb |-----------------L0.?-----------------| "
- - "**** Simulation run 44, type=split(ReduceOverlap)(split_times=[187127]). 1 Input Files, 1mb total:"
- - "L0, all files 1mb "
- - "L0.80[171437,200000] 10ns|-----------------------------------------L0.80------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
- - "L0 "
- - "L0.?[171437,187127] 10ns 723kb|---------------------L0.?----------------------| "
- - "L0.?[187128,200000] 10ns 593kb |-----------------L0.?-----------------| "
- - "Committing partition 1:"
- - " Soft Deleting 6 files: L0.45, L0.52, L0.59, L0.66, L0.73, L0.80"
- - " Creating 12 files"
- - "**** Simulation run 45, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[45771, 91442]). 11 Input Files, 30mb total:"
- - "L0 "
- - "L0.39[100,28656] 5ns 1mb |------L0.39------| "
- - "L0.40[28657,57212] 5ns 1mb |------L0.40------| "
- - "L0.117[57213,57593] 5ns 18kb |L0.117| "
- - "L0.118[57594,67700] 5ns 466kb |L0.118| "
- - "L0.91[67701,85768] 5ns 833kb |--L0.91---| "
- - "L0.42[85769,114324] 5ns 1mb |------L0.42------| "
- - "L0.115[114325,115086] 5ns 35kb |L0.115| "
- - "L0.116[115087,135300] 5ns 932kb |--L0.116---| "
- - "L1 "
- - "L1.112[100,57593] 4ns 10mb|---------------L1.112---------------| "
- - "L1.113[57594,115086] 4ns 10mb |---------------L1.113---------------| "
- - "L1.114[115087,135300] 4ns 4mb |--L1.114---| "
- - "**** 3 Output Files (parquet_file_id not yet assigned), 30mb total:"
+ - "L0.76[57213,85768] 10ns |-----------------------------------------L0.76------------------------------------------|"
+ - "L0.69[57213,85768] 9ns |-----------------------------------------L0.69------------------------------------------|"
+ - "L0.62[57213,85768] 8ns |-----------------------------------------L0.62------------------------------------------|"
+ - "L0.55[57213,85768] 7ns |-----------------------------------------L0.55------------------------------------------|"
+ - "L0.48[57213,85768] 6ns |-----------------------------------------L0.48------------------------------------------|"
+ - "L0.41[57213,85768] 5ns |-----------------------------------------L0.41------------------------------------------|"
+ - "L0.34[57213,85768] 4ns |-----------------------------------------L0.34------------------------------------------|"
+ - "L0.27[57213,85768] 3ns |-----------------------------------------L0.27------------------------------------------|"
+ - "L0.20[57213,85768] 2ns |-----------------------------------------L0.20------------------------------------------|"
+ - "L0.13[57213,85768] 1ns |-----------------------------------------L0.13------------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 13mb total:"
- "L1 "
- - "L1.?[100,45771] 5ns 10mb |------------L1.?------------| "
- - "L1.?[45772,91442] 5ns 10mb |------------L1.?------------| "
- - "L1.?[91443,135300] 5ns 10mb |-----------L1.?------------| "
+ - "L1.?[57213,79424] 10ns 10mb|--------------------------------L1.?--------------------------------| "
+ - "L1.?[79425,85768] 10ns 3mb |------L1.?-------| "
- "Committing partition 1:"
- - " Soft Deleting 11 files: L0.39, L0.40, L0.42, L0.91, L1.112, L1.113, L1.114, L0.115, L0.116, L0.117, L0.118"
- - " Creating 3 files"
- - "**** Simulation run 46, type=split(ReduceOverlap)(split_times=[91442]). 1 Input Files, 1mb total:"
- - "L0, all files 1mb "
- - "L0.49[85769,114324] 6ns |-----------------------------------------L0.49------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
- - "L0 "
- - "L0.?[85769,91442] 6ns 262kb|-----L0.?------| "
- - "L0.?[91443,114324] 6ns 1mb |---------------------------------L0.?---------------------------------| "
- - "**** Simulation run 47, type=split(ReduceOverlap)(split_times=[45771]). 1 Input Files, 1mb total:"
- - "L0, all files 1mb "
- - "L0.47[28657,57212] 6ns |-----------------------------------------L0.47------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
- - "L0 "
- - "L0.?[28657,45771] 6ns 789kb|-----------------------L0.?------------------------| "
- - "L0.?[45772,57212] 6ns 527kb |---------------L0.?---------------| "
- - "**** Simulation run 48, type=split(ReduceOverlap)(split_times=[91442]). 1 Input Files, 1mb total:"
- - "L0, all files 1mb "
- - "L0.56[85769,114324] 7ns |-----------------------------------------L0.56------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
- - "L0 "
- - "L0.?[85769,91442] 7ns 262kb|-----L0.?------| "
- - "L0.?[91443,114324] 7ns 1mb |---------------------------------L0.?---------------------------------| "
- - "**** Simulation run 49, type=split(ReduceOverlap)(split_times=[45771]). 1 Input Files, 1mb total:"
- - "L0, all files 1mb "
- - "L0.54[28657,57212] 7ns |-----------------------------------------L0.54------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
- - "L0 "
- - "L0.?[28657,45771] 7ns 789kb|-----------------------L0.?------------------------| "
- - "L0.?[45772,57212] 7ns 527kb |---------------L0.?---------------| "
- - "**** Simulation run 50, type=split(ReduceOverlap)(split_times=[91442]). 1 Input Files, 1mb total:"
- - "L0, all files 1mb "
- - "L0.63[85769,114324] 8ns |-----------------------------------------L0.63------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
- - "L0 "
- - "L0.?[85769,91442] 8ns 262kb|-----L0.?------| "
- - "L0.?[91443,114324] 8ns 1mb |---------------------------------L0.?---------------------------------| "
- - "**** Simulation run 51, type=split(ReduceOverlap)(split_times=[45771]). 1 Input Files, 1mb total:"
- - "L0, all files 1mb "
- - "L0.61[28657,57212] 8ns |-----------------------------------------L0.61------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
- - "L0 "
- - "L0.?[28657,45771] 8ns 789kb|-----------------------L0.?------------------------| "
- - "L0.?[45772,57212] 8ns 527kb |---------------L0.?---------------| "
- - "**** Simulation run 52, type=split(ReduceOverlap)(split_times=[91442]). 1 Input Files, 1mb total:"
- - "L0, all files 1mb "
- - "L0.70[85769,114324] 9ns |-----------------------------------------L0.70------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
- - "L0 "
- - "L0.?[85769,91442] 9ns 262kb|-----L0.?------| "
- - "L0.?[91443,114324] 9ns 1mb |---------------------------------L0.?---------------------------------| "
- - "**** Simulation run 53, type=split(ReduceOverlap)(split_times=[45771]). 1 Input Files, 1mb total:"
- - "L0, all files 1mb "
- - "L0.68[28657,57212] 9ns |-----------------------------------------L0.68------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
- - "L0 "
- - "L0.?[28657,45771] 9ns 789kb|-----------------------L0.?------------------------| "
- - "L0.?[45772,57212] 9ns 527kb |---------------L0.?---------------| "
- - "**** Simulation run 54, type=split(ReduceOverlap)(split_times=[91442]). 1 Input Files, 1mb total:"
+ - " Soft Deleting 10 files: L0.13, L0.20, L0.27, L0.34, L0.41, L0.48, L0.55, L0.62, L0.69, L0.76"
+ - " Creating 2 files"
+ - "**** Simulation run 13, type=split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))(split_times=[107980]). 10 Input Files, 13mb total:"
- "L0, all files 1mb "
- "L0.77[85769,114324] 10ns |-----------------------------------------L0.77------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
- - "L0 "
- - "L0.?[85769,91442] 10ns 262kb|-----L0.?------| "
- - "L0.?[91443,114324] 10ns 1mb |---------------------------------L0.?---------------------------------| "
- - "**** Simulation run 55, type=split(ReduceOverlap)(split_times=[45771]). 1 Input Files, 1mb total:"
- - "L0, all files 1mb "
- - "L0.75[28657,57212] 10ns |-----------------------------------------L0.75------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
- - "L0 "
- - "L0.?[28657,45771] 10ns 789kb|-----------------------L0.?------------------------| "
- - "L0.?[45772,57212] 10ns 527kb |---------------L0.?---------------| "
- - "Committing partition 1:"
- - " Soft Deleting 10 files: L0.47, L0.49, L0.54, L0.56, L0.61, L0.63, L0.68, L0.70, L0.75, L0.77"
- - " Creating 20 files"
- - "**** Simulation run 56, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[177322]). 6 Input Files, 15mb total:"
- - "L0 "
- - "L0.89[135301,142880] 5ns 349kb|-L0.89--| "
- - "L0.44[142881,171436] 5ns 1mb |----------------L0.44----------------| "
- - "L0.141[171437,187127] 5ns 723kb |------L0.141-------| "
- - "L0.142[187128,200000] 5ns 593kb |----L0.142-----| "
- - "L1 "
- - "L1.139[135301,187127] 4ns 10mb|--------------------------------L1.139--------------------------------| "
- - "L1.140[187128,200000] 4ns 2mb |----L1.140-----| "
- - "**** 2 Output Files (parquet_file_id not yet assigned), 15mb total:"
+ - "L0.70[85769,114324] 9ns |-----------------------------------------L0.70------------------------------------------|"
+ - "L0.63[85769,114324] 8ns |-----------------------------------------L0.63------------------------------------------|"
+ - "L0.56[85769,114324] 7ns |-----------------------------------------L0.56------------------------------------------|"
+ - "L0.49[85769,114324] 6ns |-----------------------------------------L0.49------------------------------------------|"
+ - "L0.42[85769,114324] 5ns |-----------------------------------------L0.42------------------------------------------|"
+ - "L0.35[85769,114324] 4ns |-----------------------------------------L0.35------------------------------------------|"
+ - "L0.28[85769,114324] 3ns |-----------------------------------------L0.28------------------------------------------|"
+ - "L0.21[85769,114324] 2ns |-----------------------------------------L0.21------------------------------------------|"
+ - "L0.14[85769,114324] 1ns |-----------------------------------------L0.14------------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 13mb total:"
- "L1 "
- - "L1.?[135301,177322] 5ns 10mb|--------------------------L1.?--------------------------| "
- - "L1.?[177323,200000] 5ns 5mb |------------L1.?-------------| "
+ - "L1.?[85769,107980] 10ns 10mb|--------------------------------L1.?--------------------------------| "
+ - "L1.?[107981,114324] 10ns 3mb |------L1.?-------| "
- "Committing partition 1:"
- - " Soft Deleting 6 files: L0.44, L0.89, L1.139, L1.140, L0.141, L0.142"
+ - " Soft Deleting 10 files: L0.14, L0.21, L0.28, L0.35, L0.42, L0.49, L0.56, L0.63, L0.70, L0.77"
- " Creating 2 files"
- - "**** Simulation run 57, type=split(ReduceOverlap)(split_times=[177322]). 1 Input Files, 723kb total:"
- - "L0, all files 723kb "
- - "L0.143[171437,187127] 6ns|-----------------------------------------L0.143-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 723kb total:"
- - "L0 "
- - "L0.?[171437,177322] 6ns 271kb|-------------L0.?--------------| "
- - "L0.?[177323,187127] 6ns 452kb |-------------------------L0.?-------------------------| "
- - "**** Simulation run 58, type=split(ReduceOverlap)(split_times=[177322]). 1 Input Files, 723kb total:"
- - "L0, all files 723kb "
- - "L0.145[171437,187127] 7ns|-----------------------------------------L0.145-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 723kb total:"
- - "L0 "
- - "L0.?[171437,177322] 7ns 271kb|-------------L0.?--------------| "
- - "L0.?[177323,187127] 7ns 452kb |-------------------------L0.?-------------------------| "
- - "**** Simulation run 59, type=split(ReduceOverlap)(split_times=[177322]). 1 Input Files, 723kb total:"
- - "L0, all files 723kb "
- - "L0.147[171437,187127] 8ns|-----------------------------------------L0.147-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 723kb total:"
- - "L0 "
- - "L0.?[171437,177322] 8ns 271kb|-------------L0.?--------------| "
- - "L0.?[177323,187127] 8ns 452kb |-------------------------L0.?-------------------------| "
- - "**** Simulation run 60, type=split(ReduceOverlap)(split_times=[177322]). 1 Input Files, 723kb total:"
- - "L0, all files 723kb "
- - "L0.149[171437,187127] 9ns|-----------------------------------------L0.149-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 723kb total:"
- - "L0 "
- - "L0.?[171437,177322] 9ns 271kb|-------------L0.?--------------| "
- - "L0.?[177323,187127] 9ns 452kb |-------------------------L0.?-------------------------| "
- - "**** Simulation run 61, type=split(ReduceOverlap)(split_times=[177322]). 1 Input Files, 723kb total:"
- - "L0, all files 723kb "
- - "L0.151[171437,187127] 10ns|-----------------------------------------L0.151-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 723kb total:"
- - "L0 "
- - "L0.?[171437,177322] 10ns 271kb|-------------L0.?--------------| "
- - "L0.?[177323,187127] 10ns 452kb |-------------------------L0.?-------------------------| "
- - "Committing partition 1:"
- - " Soft Deleting 5 files: L0.143, L0.145, L0.147, L0.149, L0.151"
- - " Creating 10 files"
- - "**** Simulation run 62, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[37982, 75864]). 9 Input Files, 24mb total:"
- - "L0 "
- - "L0.46[100,28656] 6ns 1mb |----------L0.46-----------| "
- - "L0.158[28657,45771] 6ns 789kb |----L0.158----| "
- - "L0.159[45772,57212] 6ns 527kb |-L0.159--| "
- - "L0.121[57213,57593] 6ns 18kb |L0.121| "
- - "L0.122[57594,67700] 6ns 466kb |L0.122-| "
- - "L0.95[67701,85768] 6ns 833kb |-----L0.95-----| "
- - "L0.156[85769,91442] 6ns 262kb |L0.156|"
- - "L1 "
- - "L1.153[100,45771] 5ns 10mb|------------------L1.153-------------------| "
- - "L1.154[45772,91442] 5ns 10mb |------------------L1.154------------------| "
- - "**** 3 Output Files (parquet_file_id not yet assigned), 24mb total:"
- - "L1 "
- - "L1.?[100,37982] 6ns 10mb |---------------L1.?----------------| "
- - "L1.?[37983,75864] 6ns 10mb |---------------L1.?----------------| "
- - "L1.?[75865,91442] 6ns 4mb |----L1.?-----| "
- - "Committing partition 1:"
- - " Soft Deleting 9 files: L0.46, L0.95, L0.121, L0.122, L1.153, L1.154, L0.156, L0.158, L0.159"
- - " Creating 3 files"
- - "**** Simulation run 63, type=split(ReduceOverlap)(split_times=[75864]). 1 Input Files, 833kb total:"
- - "L0, all files 833kb "
- - "L0.99[67701,85768] 7ns |-----------------------------------------L0.99------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 833kb total:"
- - "L0 "
- - "L0.?[67701,75864] 7ns 376kb|-----------------L0.?-----------------| "
- - "L0.?[75865,85768] 7ns 457kb |---------------------L0.?----------------------| "
- - "**** Simulation run 64, type=split(ReduceOverlap)(split_times=[37982]). 1 Input Files, 789kb total:"
- - "L0, all files 789kb "
- - "L0.162[28657,45771] 7ns |-----------------------------------------L0.162-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 789kb total:"
- - "L0 "
- - "L0.?[28657,37982] 7ns 430kb|---------------------L0.?----------------------| "
- - "L0.?[37983,45771] 7ns 359kb |-----------------L0.?-----------------| "
- - "**** Simulation run 65, type=split(ReduceOverlap)(split_times=[75864]). 1 Input Files, 833kb total:"
- - "L0, all files 833kb "
- - "L0.103[67701,85768] 8ns |-----------------------------------------L0.103-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 833kb total:"
- - "L0 "
- - "L0.?[67701,75864] 8ns 376kb|-----------------L0.?-----------------| "
- - "L0.?[75865,85768] 8ns 457kb |---------------------L0.?----------------------| "
- - "**** Simulation run 66, type=split(ReduceOverlap)(split_times=[37982]). 1 Input Files, 789kb total:"
- - "L0, all files 789kb "
- - "L0.166[28657,45771] 8ns |-----------------------------------------L0.166-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 789kb total:"
- - "L0 "
- - "L0.?[28657,37982] 8ns 430kb|---------------------L0.?----------------------| "
- - "L0.?[37983,45771] 8ns 359kb |-----------------L0.?-----------------| "
- - "**** Simulation run 67, type=split(ReduceOverlap)(split_times=[75864]). 1 Input Files, 833kb total:"
- - "L0, all files 833kb "
- - "L0.107[67701,85768] 9ns |-----------------------------------------L0.107-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 833kb total:"
- - "L0 "
- - "L0.?[67701,75864] 9ns 376kb|-----------------L0.?-----------------| "
- - "L0.?[75865,85768] 9ns 457kb |---------------------L0.?----------------------| "
- - "**** Simulation run 68, type=split(ReduceOverlap)(split_times=[37982]). 1 Input Files, 789kb total:"
- - "L0, all files 789kb "
- - "L0.170[28657,45771] 9ns |-----------------------------------------L0.170-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 789kb total:"
- - "L0 "
- - "L0.?[28657,37982] 9ns 430kb|---------------------L0.?----------------------| "
- - "L0.?[37983,45771] 9ns 359kb |-----------------L0.?-----------------| "
- - "**** Simulation run 69, type=split(ReduceOverlap)(split_times=[75864]). 1 Input Files, 833kb total:"
- - "L0, all files 833kb "
- - "L0.111[67701,85768] 10ns |-----------------------------------------L0.111-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 833kb total:"
- - "L0 "
- - "L0.?[67701,75864] 10ns 376kb|-----------------L0.?-----------------| "
- - "L0.?[75865,85768] 10ns 457kb |---------------------L0.?----------------------| "
- - "**** Simulation run 70, type=split(ReduceOverlap)(split_times=[37982]). 1 Input Files, 789kb total:"
- - "L0, all files 789kb "
- - "L0.174[28657,45771] 10ns |-----------------------------------------L0.174-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 789kb total:"
- - "L0 "
- - "L0.?[28657,37982] 10ns 430kb|---------------------L0.?----------------------| "
- - "L0.?[37983,45771] 10ns 359kb |-----------------L0.?-----------------| "
- - "Committing partition 1:"
- - " Soft Deleting 8 files: L0.99, L0.103, L0.107, L0.111, L0.162, L0.166, L0.170, L0.174"
- - " Creating 16 files"
- - "**** Simulation run 71, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[127765, 164087]). 11 Input Files, 30mb total:"
- - "L0 "
- - "L0.157[91443,114324] 6ns 1mb|-----L0.157-----| "
- - "L0.119[114325,115086] 6ns 35kb |L0.119| "
- - "L0.120[115087,135300] 6ns 932kb |----L0.120----| "
- - "L0.93[135301,142880] 6ns 349kb |L0.93| "
- - "L0.51[142881,171436] 6ns 1mb |--------L0.51--------| "
- - "L0.178[171437,177322] 6ns 271kb |L0.178| "
- - "L0.179[177323,187127] 6ns 452kb |L0.179| "
- - "L0.144[187128,200000] 6ns 593kb |-L0.144-| "
- - "L1 "
- - "L1.155[91443,135300] 5ns 10mb|--------------L1.155--------------| "
- - "L1.176[135301,177322] 5ns 10mb |-------------L1.176-------------| "
- - "L1.177[177323,200000] 5ns 5mb |-----L1.177-----| "
- - "**** 3 Output Files (parquet_file_id not yet assigned), 30mb total:"
- - "L1 "
- - "L1.?[91443,127765] 6ns 10mb|------------L1.?------------| "
- - "L1.?[127766,164087] 6ns 10mb |------------L1.?------------| "
- - "L1.?[164088,200000] 6ns 10mb |-----------L1.?------------| "
- - "Committing partition 1:"
- - " Soft Deleting 11 files: L0.51, L0.93, L0.119, L0.120, L0.144, L1.155, L0.157, L1.176, L1.177, L0.178, L0.179"
- - " Creating 3 files"
- - "**** Simulation run 72, type=split(ReduceOverlap)(split_times=[164087]). 1 Input Files, 1mb total:"
- - "L0, all files 1mb "
- - "L0.58[142881,171436] 7ns |-----------------------------------------L0.58------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
- - "L0 "
- - "L0.?[142881,164087] 7ns 978kb|------------------------------L0.?------------------------------| "
- - "L0.?[164088,171436] 7ns 339kb |--------L0.?---------| "
- - "**** Simulation run 73, type=split(ReduceOverlap)(split_times=[127765]). 1 Input Files, 932kb total:"
- - "L0, all files 932kb "
- - "L0.124[115087,135300] 7ns|-----------------------------------------L0.124-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 932kb total:"
- - "L0 "
- - "L0.?[115087,127765] 7ns 585kb|-------------------------L0.?-------------------------| "
- - "L0.?[127766,135300] 7ns 347kb |-------------L0.?--------------| "
- - "**** Simulation run 74, type=split(ReduceOverlap)(split_times=[164087]). 1 Input Files, 1mb total:"
- - "L0, all files 1mb "
- - "L0.65[142881,171436] 8ns |-----------------------------------------L0.65------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
- - "L0 "
- - "L0.?[142881,164087] 8ns 978kb|------------------------------L0.?------------------------------| "
- - "L0.?[164088,171436] 8ns 339kb |--------L0.?---------| "
- - "**** Simulation run 75, type=split(ReduceOverlap)(split_times=[127765]). 1 Input Files, 932kb total:"
- - "L0, all files 932kb "
- - "L0.128[115087,135300] 8ns|-----------------------------------------L0.128-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 932kb total:"
- - "L0 "
- - "L0.?[115087,127765] 8ns 585kb|-------------------------L0.?-------------------------| "
- - "L0.?[127766,135300] 8ns 347kb |-------------L0.?--------------| "
- - "**** Simulation run 76, type=split(ReduceOverlap)(split_times=[164087]). 1 Input Files, 1mb total:"
- - "L0, all files 1mb "
- - "L0.72[142881,171436] 9ns |-----------------------------------------L0.72------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
- - "L0 "
- - "L0.?[142881,164087] 9ns 978kb|------------------------------L0.?------------------------------| "
- - "L0.?[164088,171436] 9ns 339kb |--------L0.?---------| "
- - "**** Simulation run 77, type=split(ReduceOverlap)(split_times=[127765]). 1 Input Files, 932kb total:"
- - "L0, all files 932kb "
- - "L0.132[115087,135300] 9ns|-----------------------------------------L0.132-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 932kb total:"
- - "L0 "
- - "L0.?[115087,127765] 9ns 585kb|-------------------------L0.?-------------------------| "
- - "L0.?[127766,135300] 9ns 347kb |-------------L0.?--------------| "
- - "**** Simulation run 78, type=split(ReduceOverlap)(split_times=[164087]). 1 Input Files, 1mb total:"
+ - "**** Simulation run 14, type=split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))(split_times=[136536]). 10 Input Files, 13mb total:"
- "L0, all files 1mb "
- - "L0.79[142881,171436] 10ns|-----------------------------------------L0.79------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
- - "L0 "
- - "L0.?[142881,164087] 10ns 978kb|------------------------------L0.?------------------------------| "
- - "L0.?[164088,171436] 10ns 339kb |--------L0.?---------| "
- - "**** Simulation run 79, type=split(ReduceOverlap)(split_times=[127765]). 1 Input Files, 932kb total:"
- - "L0, all files 932kb "
- - "L0.136[115087,135300] 10ns|-----------------------------------------L0.136-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 932kb total:"
- - "L0 "
- - "L0.?[115087,127765] 10ns 585kb|-------------------------L0.?-------------------------| "
- - "L0.?[127766,135300] 10ns 347kb |-------------L0.?--------------| "
- - "Committing partition 1:"
- - " Soft Deleting 8 files: L0.58, L0.65, L0.72, L0.79, L0.124, L0.128, L0.132, L0.136"
- - " Creating 16 files"
- - "**** Simulation run 80, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[32463, 64826]). 12 Input Files, 28mb total:"
- - "L0 "
- - "L0.53[100,28656] 7ns 1mb |----------L0.53-----------| "
- - "L0.193[28657,37982] 7ns 430kb |L0.193-| "
- - "L0.194[37983,45771] 7ns 359kb |L0.194| "
- - "L0.163[45772,57212] 7ns 527kb |-L0.163--| "
- - "L0.125[57213,57593] 7ns 18kb |L0.125| "
- - "L0.126[57594,67700] 7ns 466kb |L0.126-| "
- - "L0.191[67701,75864] 7ns 376kb |L0.191| "
- - "L0.192[75865,85768] 7ns 457kb |L0.192-| "
- - "L0.160[85769,91442] 7ns 262kb |L0.160|"
- - "L1 "
- - "L1.188[100,37982] 6ns 10mb|--------------L1.188---------------| "
- - "L1.189[37983,75864] 6ns 10mb |--------------L1.189---------------| "
- - "L1.190[75865,91442] 6ns 4mb |---L1.190----| "
- - "**** 3 Output Files (parquet_file_id not yet assigned), 28mb total:"
- - "L1 "
- - "L1.?[100,32463] 7ns 10mb |------------L1.?-------------| "
- - "L1.?[32464,64826] 7ns 10mb |------------L1.?-------------| "
- - "L1.?[64827,91442] 7ns 8mb |----------L1.?----------| "
- - "Committing partition 1:"
- - " Soft Deleting 12 files: L0.53, L0.125, L0.126, L0.160, L0.163, L1.188, L1.189, L1.190, L0.191, L0.192, L0.193, L0.194"
- - " Creating 3 files"
- - "**** Simulation run 81, type=split(ReduceOverlap)(split_times=[64826]). 1 Input Files, 466kb total:"
- - "L0, all files 466kb "
- - "L0.130[57594,67700] 8ns |-----------------------------------------L0.130-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 466kb total:"
- - "L0 "
- - "L0.?[57594,64826] 8ns 333kb|-----------------------------L0.?-----------------------------| "
- - "L0.?[64827,67700] 8ns 133kb |---------L0.?----------| "
- - "**** Simulation run 82, type=split(ReduceOverlap)(split_times=[32463]). 1 Input Files, 430kb total:"
- - "L0, all files 430kb "
- - "L0.197[28657,37982] 8ns |-----------------------------------------L0.197-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 430kb total:"
- - "L0 "
- - "L0.?[28657,32463] 8ns 176kb|---------------L0.?---------------| "
- - "L0.?[32464,37982] 8ns 254kb |-----------------------L0.?------------------------| "
- - "**** Simulation run 83, type=split(ReduceOverlap)(split_times=[64826]). 1 Input Files, 466kb total:"
- - "L0, all files 466kb "
- - "L0.134[57594,67700] 9ns |-----------------------------------------L0.134-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 466kb total:"
- - "L0 "
- - "L0.?[57594,64826] 9ns 333kb|-----------------------------L0.?-----------------------------| "
- - "L0.?[64827,67700] 9ns 133kb |---------L0.?----------| "
- - "**** Simulation run 84, type=split(ReduceOverlap)(split_times=[32463]). 1 Input Files, 430kb total:"
- - "L0, all files 430kb "
- - "L0.201[28657,37982] 9ns |-----------------------------------------L0.201-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 430kb total:"
- - "L0 "
- - "L0.?[28657,32463] 9ns 176kb|---------------L0.?---------------| "
- - "L0.?[32464,37982] 9ns 254kb |-----------------------L0.?------------------------| "
- - "**** Simulation run 85, type=split(ReduceOverlap)(split_times=[64826]). 1 Input Files, 466kb total:"
- - "L0, all files 466kb "
- - "L0.138[57594,67700] 10ns |-----------------------------------------L0.138-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 466kb total:"
- - "L0 "
- - "L0.?[57594,64826] 10ns 333kb|-----------------------------L0.?-----------------------------| "
- - "L0.?[64827,67700] 10ns 133kb |---------L0.?----------| "
- - "**** Simulation run 86, type=split(ReduceOverlap)(split_times=[32463]). 1 Input Files, 430kb total:"
- - "L0, all files 430kb "
- - "L0.205[28657,37982] 10ns |-----------------------------------------L0.205-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 430kb total:"
- - "L0 "
- - "L0.?[28657,32463] 10ns 176kb|---------------L0.?---------------| "
- - "L0.?[32464,37982] 10ns 254kb |-----------------------L0.?------------------------| "
- - "Committing partition 1:"
- - " Soft Deleting 6 files: L0.130, L0.134, L0.138, L0.197, L0.201, L0.205"
- - " Creating 12 files"
- - "**** Simulation run 87, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[122660, 153877]). 8 Input Files, 23mb total:"
- - "L0 "
- - "L0.161[91443,114324] 7ns 1mb|----------L0.161----------| "
- - "L0.123[114325,115086] 7ns 35kb |L0.123| "
- - "L0.212[115087,127765] 7ns 585kb |---L0.212----| "
- - "L0.213[127766,135300] 7ns 347kb |L0.213-| "
- - "L0.97[135301,142880] 7ns 349kb |-L0.97-| "
- - "L0.210[142881,164087] 7ns 978kb |---------L0.210---------| "
- - "L1 "
- - "L1.207[91443,127765] 6ns 10mb|------------------L1.207-------------------| "
- - "L1.208[127766,164087] 6ns 10mb |------------------L1.208------------------| "
- - "**** 3 Output Files (parquet_file_id not yet assigned), 23mb total:"
- - "L1 "
- - "L1.?[91443,122660] 7ns 10mb|----------------L1.?----------------| "
- - "L1.?[122661,153877] 7ns 10mb |----------------L1.?----------------| "
- - "L1.?[153878,164087] 7ns 3mb |---L1.?---| "
- - "Committing partition 1:"
- - " Soft Deleting 8 files: L0.97, L0.123, L0.161, L1.207, L1.208, L0.210, L0.212, L0.213"
- - " Creating 3 files"
- - "**** Simulation run 88, type=split(ReduceOverlap)(split_times=[153877]). 1 Input Files, 978kb total:"
- - "L0, all files 978kb "
- - "L0.214[142881,164087] 8ns|-----------------------------------------L0.214-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 978kb total:"
- - "L0 "
- - "L0.?[142881,153877] 8ns 507kb|--------------------L0.?--------------------| "
- - "L0.?[153878,164087] 8ns 471kb |------------------L0.?-------------------| "
- - "**** Simulation run 89, type=split(ReduceOverlap)(split_times=[122660]). 1 Input Files, 585kb total:"
- - "L0, all files 585kb "
- - "L0.216[115087,127765] 8ns|-----------------------------------------L0.216-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 585kb total:"
- - "L0 "
- - "L0.?[115087,122660] 8ns 349kb|-----------------------L0.?------------------------| "
- - "L0.?[122661,127765] 8ns 235kb |---------------L0.?---------------| "
- - "**** Simulation run 90, type=split(ReduceOverlap)(split_times=[153877]). 1 Input Files, 978kb total:"
- - "L0, all files 978kb "
- - "L0.218[142881,164087] 9ns|-----------------------------------------L0.218-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 978kb total:"
- - "L0 "
- - "L0.?[142881,153877] 9ns 507kb|--------------------L0.?--------------------| "
- - "L0.?[153878,164087] 9ns 471kb |------------------L0.?-------------------| "
- - "**** Simulation run 91, type=split(ReduceOverlap)(split_times=[122660]). 1 Input Files, 585kb total:"
- - "L0, all files 585kb "
- - "L0.220[115087,127765] 9ns|-----------------------------------------L0.220-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 585kb total:"
- - "L0 "
- - "L0.?[115087,122660] 9ns 349kb|-----------------------L0.?------------------------| "
- - "L0.?[122661,127765] 9ns 235kb |---------------L0.?---------------| "
- - "**** Simulation run 92, type=split(ReduceOverlap)(split_times=[153877]). 1 Input Files, 978kb total:"
- - "L0, all files 978kb "
- - "L0.222[142881,164087] 10ns|-----------------------------------------L0.222-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 978kb total:"
- - "L0 "
- - "L0.?[142881,153877] 10ns 507kb|--------------------L0.?--------------------| "
- - "L0.?[153878,164087] 10ns 471kb |------------------L0.?-------------------| "
- - "**** Simulation run 93, type=split(ReduceOverlap)(split_times=[122660]). 1 Input Files, 585kb total:"
- - "L0, all files 585kb "
- - "L0.224[115087,127765] 10ns|-----------------------------------------L0.224-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 585kb total:"
- - "L0 "
- - "L0.?[115087,122660] 10ns 349kb|-----------------------L0.?------------------------| "
- - "L0.?[122661,127765] 10ns 235kb |---------------L0.?---------------| "
- - "Committing partition 1:"
- - " Soft Deleting 6 files: L0.214, L0.216, L0.218, L0.220, L0.222, L0.224"
- - " Creating 12 files"
- - "**** Simulation run 94, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[192817]). 5 Input Files, 12mb total:"
- - "L0 "
- - "L0.211[164088,171436] 7ns 339kb|-----L0.211-----| "
- - "L0.180[171437,177322] 7ns 271kb |---L0.180---| "
- - "L0.181[177323,187127] 7ns 452kb |--------L0.181--------| "
- - "L0.146[187128,200000] 7ns 593kb |------------L0.146------------| "
- - "L1 "
- - "L1.209[164088,200000] 6ns 10mb|-----------------------------------------L1.209-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 12mb total:"
+ - "L0.78[114325,142880] 10ns|-----------------------------------------L0.78------------------------------------------|"
+ - "L0.71[114325,142880] 9ns |-----------------------------------------L0.71------------------------------------------|"
+ - "L0.64[114325,142880] 8ns |-----------------------------------------L0.64------------------------------------------|"
+ - "L0.57[114325,142880] 7ns |-----------------------------------------L0.57------------------------------------------|"
+ - "L0.50[114325,142880] 6ns |-----------------------------------------L0.50------------------------------------------|"
+ - "L0.43[114325,142880] 5ns |-----------------------------------------L0.43------------------------------------------|"
+ - "L0.36[114325,142880] 4ns |-----------------------------------------L0.36------------------------------------------|"
+ - "L0.29[114325,142880] 3ns |-----------------------------------------L0.29------------------------------------------|"
+ - "L0.22[114325,142880] 2ns |-----------------------------------------L0.22------------------------------------------|"
+ - "L0.15[114325,142880] 1ns |-----------------------------------------L0.15------------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 13mb total:"
- "L1 "
- - "L1.?[164088,192817] 7ns 9mb|--------------------------------L1.?---------------------------------| "
- - "L1.?[192818,200000] 7ns 2mb |-----L1.?------| "
+ - "L1.?[114325,136536] 10ns 10mb|--------------------------------L1.?--------------------------------| "
+ - "L1.?[136537,142880] 10ns 3mb |------L1.?-------| "
- "Committing partition 1:"
- - " Soft Deleting 5 files: L0.146, L0.180, L0.181, L1.209, L0.211"
+ - " Soft Deleting 10 files: L0.15, L0.22, L0.29, L0.36, L0.43, L0.50, L0.57, L0.64, L0.71, L0.78"
- " Creating 2 files"
- - "**** Simulation run 95, type=split(ReduceOverlap)(split_times=[192817]). 1 Input Files, 593kb total:"
- - "L0, all files 593kb "
- - "L0.148[187128,200000] 8ns|-----------------------------------------L0.148-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 593kb total:"
- - "L0 "
- - "L0.?[187128,192817] 8ns 262kb|----------------L0.?-----------------| "
- - "L0.?[192818,200000] 8ns 331kb |----------------------L0.?----------------------| "
- - "**** Simulation run 96, type=split(ReduceOverlap)(split_times=[192817]). 1 Input Files, 593kb total:"
- - "L0, all files 593kb "
- - "L0.150[187128,200000] 9ns|-----------------------------------------L0.150-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 593kb total:"
- - "L0 "
- - "L0.?[187128,192817] 9ns 262kb|----------------L0.?-----------------| "
- - "L0.?[192818,200000] 9ns 331kb |----------------------L0.?----------------------| "
- - "**** Simulation run 97, type=split(ReduceOverlap)(split_times=[192817]). 1 Input Files, 593kb total:"
- - "L0, all files 593kb "
- - "L0.152[187128,200000] 10ns|-----------------------------------------L0.152-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 593kb total:"
- - "L0 "
- - "L0.?[187128,192817] 10ns 262kb|----------------L0.?-----------------| "
- - "L0.?[192818,200000] 10ns 331kb |----------------------L0.?----------------------| "
- - "Committing partition 1:"
- - " Soft Deleting 3 files: L0.148, L0.150, L0.152"
- - " Creating 6 files"
- - "**** Simulation run 98, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[28347, 56594]). 9 Input Files, 23mb total:"
- - "L0 "
- - "L0.60[100,28656] 8ns 1mb |----------------L0.60----------------| "
- - "L0.231[28657,32463] 8ns 176kb |L0.231| "
- - "L0.232[32464,37982] 8ns 254kb |L0.232| "
- - "L0.198[37983,45771] 8ns 359kb |-L0.198-| "
- - "L0.167[45772,57212] 8ns 527kb |---L0.167----| "
- - "L0.129[57213,57593] 8ns 18kb |L0.129| "
- - "L0.229[57594,64826] 8ns 333kb |-L0.229-| "
- - "L1 "
- - "L1.226[100,32463] 7ns 10mb|------------------L1.226-------------------| "
- - "L1.227[32464,64826] 7ns 10mb |------------------L1.227------------------| "
- - "**** 3 Output Files (parquet_file_id not yet assigned), 23mb total:"
- - "L1 "
- - "L1.?[100,28347] 8ns 10mb |----------------L1.?-----------------| "
- - "L1.?[28348,56594] 8ns 10mb |----------------L1.?-----------------| "
- - "L1.?[56595,64826] 8ns 3mb |--L1.?---| "
- - "Committing partition 1:"
- - " Soft Deleting 9 files: L0.60, L0.129, L0.167, L0.198, L1.226, L1.227, L0.229, L0.231, L0.232"
- - " Creating 3 files"
- - "**** Simulation run 99, type=split(ReduceOverlap)(split_times=[56594]). 1 Input Files, 527kb total:"
- - "L0, all files 527kb "
- - "L0.171[45772,57212] 9ns |-----------------------------------------L0.171-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 527kb total:"
- - "L0 "
- - "L0.?[45772,56594] 9ns 499kb|---------------------------------------L0.?----------------------------------------| "
- - "L0.?[56595,57212] 9ns 28kb |L0.?|"
- - "**** Simulation run 100, type=split(ReduceOverlap)(split_times=[28347]). 1 Input Files, 1mb total:"
+ - "**** Simulation run 15, type=split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))(split_times=[165092]). 10 Input Files, 13mb total:"
- "L0, all files 1mb "
- - "L0.67[100,28656] 9ns |-----------------------------------------L0.67------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
- - "L0 "
- - "L0.?[100,28347] 9ns 1mb |-----------------------------------------L0.?------------------------------------------| "
- - "L0.?[28348,28656] 9ns 14kb |L0.?|"
- - "**** Simulation run 101, type=split(ReduceOverlap)(split_times=[56594]). 1 Input Files, 527kb total:"
- - "L0, all files 527kb "
- - "L0.175[45772,57212] 10ns |-----------------------------------------L0.175-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 527kb total:"
- - "L0 "
- - "L0.?[45772,56594] 10ns 499kb|---------------------------------------L0.?----------------------------------------| "
- - "L0.?[56595,57212] 10ns 28kb |L0.?|"
- - "**** Simulation run 102, type=split(ReduceOverlap)(split_times=[28347]). 1 Input Files, 1mb total:"
+ - "L0.79[142881,171436] 10ns|-----------------------------------------L0.79------------------------------------------|"
+ - "L0.72[142881,171436] 9ns |-----------------------------------------L0.72------------------------------------------|"
+ - "L0.65[142881,171436] 8ns |-----------------------------------------L0.65------------------------------------------|"
+ - "L0.58[142881,171436] 7ns |-----------------------------------------L0.58------------------------------------------|"
+ - "L0.51[142881,171436] 6ns |-----------------------------------------L0.51------------------------------------------|"
+ - "L0.44[142881,171436] 5ns |-----------------------------------------L0.44------------------------------------------|"
+ - "L0.37[142881,171436] 4ns |-----------------------------------------L0.37------------------------------------------|"
+ - "L0.30[142881,171436] 3ns |-----------------------------------------L0.30------------------------------------------|"
+ - "L0.23[142881,171436] 2ns |-----------------------------------------L0.23------------------------------------------|"
+ - "L0.16[142881,171436] 1ns |-----------------------------------------L0.16------------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 13mb total:"
+ - "L1 "
+ - "L1.?[142881,165092] 10ns 10mb|--------------------------------L1.?--------------------------------| "
+ - "L1.?[165093,171436] 10ns 3mb |------L1.?-------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 10 files: L0.16, L0.23, L0.30, L0.37, L0.44, L0.51, L0.58, L0.65, L0.72, L0.79"
+ - " Creating 2 files"
+ - "**** Simulation run 16, type=split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))(split_times=[193648]). 10 Input Files, 13mb total:"
- "L0, all files 1mb "
- - "L0.74[100,28656] 10ns |-----------------------------------------L0.74------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
- - "L0 "
- - "L0.?[100,28347] 10ns 1mb |-----------------------------------------L0.?------------------------------------------| "
- - "L0.?[28348,28656] 10ns 14kb |L0.?|"
- - "Committing partition 1:"
- - " Soft Deleting 4 files: L0.67, L0.74, L0.171, L0.175"
- - " Creating 8 files"
- - "**** Simulation run 103, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[92594, 120361]). 9 Input Files, 21mb total:"
- - "L0 "
- - "L0.230[64827,67700] 8ns 133kb|L0.230| "
- - "L0.195[67701,75864] 8ns 376kb |--L0.195--| "
- - "L0.196[75865,85768] 8ns 457kb |---L0.196----| "
- - "L0.164[85769,91442] 8ns 262kb |L0.164| "
- - "L0.165[91443,114324] 8ns 1mb |-------------L0.165--------------| "
- - "L0.127[114325,115086] 8ns 35kb |L0.127| "
- - "L0.246[115087,122660] 8ns 349kb |-L0.246--| "
+ - "L0.80[171437,200000] 10ns|-----------------------------------------L0.80------------------------------------------|"
+ - "L0.73[171437,200000] 9ns |-----------------------------------------L0.73------------------------------------------|"
+ - "L0.66[171437,200000] 8ns |-----------------------------------------L0.66------------------------------------------|"
+ - "L0.59[171437,200000] 7ns |-----------------------------------------L0.59------------------------------------------|"
+ - "L0.52[171437,200000] 6ns |-----------------------------------------L0.52------------------------------------------|"
+ - "L0.45[171437,200000] 5ns |-----------------------------------------L0.45------------------------------------------|"
+ - "L0.38[171437,200000] 4ns |-----------------------------------------L0.38------------------------------------------|"
+ - "L0.31[171437,200000] 3ns |-----------------------------------------L0.31------------------------------------------|"
+ - "L0.24[171437,200000] 2ns |-----------------------------------------L0.24------------------------------------------|"
+ - "L0.17[171437,200000] 1ns |-----------------------------------------L0.17------------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 13mb total:"
- "L1 "
- - "L1.228[64827,91442] 7ns 8mb|----------------L1.228-----------------| "
- - "L1.241[91443,122660] 7ns 10mb |--------------------L1.241--------------------| "
- - "**** 3 Output Files (parquet_file_id not yet assigned), 21mb total:"
+ - "L1.?[171437,193648] 10ns 10mb|-------------------------------L1.?--------------------------------| "
+ - "L1.?[193649,200000] 10ns 3mb |-------L1.?-------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 10 files: L0.17, L0.24, L0.31, L0.38, L0.45, L0.52, L0.59, L0.66, L0.73, L0.80"
+ - " Creating 2 files"
+ - "**** Simulation run 17, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[44523, 66734]). 5 Input Files, 29mb total:"
- "L1 "
- - "L1.?[64827,92594] 8ns 10mb|------------------L1.?-------------------| "
- - "L1.?[92595,120361] 8ns 10mb |------------------L1.?-------------------| "
- - "L1.?[120362,122660] 8ns 848kb |L1.?|"
+ - "L1.82[22312,28656] 10ns 3mb|L1.82-| "
+ - "L1.83[28657,50868] 10ns 10mb |------------L1.83------------| "
+ - "L1.84[50869,57212] 10ns 3mb |L1.84-| "
+ - "L1.85[57213,79424] 10ns 10mb |------------L1.85------------| "
+ - "L1.86[79425,85768] 10ns 3mb |L1.86-| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 29mb total:"
+ - "L2 "
+ - "L2.?[22312,44523] 10ns 10mb|------------L2.?-------------| "
+ - "L2.?[44524,66734] 10ns 10mb |------------L2.?-------------| "
+ - "L2.?[66735,85768] 10ns 9mb |----------L2.?----------| "
- "Committing partition 1:"
- - " Soft Deleting 9 files: L0.127, L0.164, L0.165, L0.195, L0.196, L1.228, L0.230, L1.241, L0.246"
+ - " Soft Deleting 5 files: L1.82, L1.83, L1.84, L1.85, L1.86"
+ - " Upgrading 1 files level to CompactionLevel::L2: L1.81"
- " Creating 3 files"
- - "**** Simulation run 104, type=split(ReduceOverlap)(split_times=[120361]). 1 Input Files, 349kb total:"
- - "L0, all files 349kb "
- - "L0.250[115087,122660] 9ns|-----------------------------------------L0.250-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 349kb total:"
- - "L0 "
- - "L0.?[115087,120361] 9ns 243kb|----------------------------L0.?----------------------------| "
- - "L0.?[120362,122660] 9ns 106kb |----------L0.?-----------| "
- - "**** Simulation run 105, type=split(ReduceOverlap)(split_times=[92594]). 1 Input Files, 1mb total:"
- - "L0, all files 1mb "
- - "L0.169[91443,114324] 9ns |-----------------------------------------L0.169-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
- - "L0 "
- - "L0.?[91443,92594] 9ns 53kb|L0.?| "
- - "L0.?[92595,114324] 9ns 1002kb |---------------------------------------L0.?----------------------------------------| "
- - "**** Simulation run 106, type=split(ReduceOverlap)(split_times=[120361]). 1 Input Files, 349kb total:"
- - "L0, all files 349kb "
- - "L0.254[115087,122660] 10ns|-----------------------------------------L0.254-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 349kb total:"
- - "L0 "
- - "L0.?[115087,120361] 10ns 243kb|----------------------------L0.?----------------------------| "
- - "L0.?[120362,122660] 10ns 106kb |----------L0.?-----------| "
- - "**** Simulation run 107, type=split(ReduceOverlap)(split_times=[92594]). 1 Input Files, 1mb total:"
- - "L0, all files 1mb "
- - "L0.173[91443,114324] 10ns|-----------------------------------------L0.173-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
- - "L0 "
- - "L0.?[91443,92594] 10ns 53kb|L0.?| "
- - "L0.?[92595,114324] 10ns 1002kb |---------------------------------------L0.?----------------------------------------| "
- - "Committing partition 1:"
- - " Soft Deleting 4 files: L0.169, L0.173, L0.250, L0.254"
- - " Creating 8 files"
- - "**** Simulation run 108, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[150032, 177403]). 14 Input Files, 28mb total:"
- - "L0 "
- - "L0.247[122661,127765] 8ns 235kb|L0.247| "
- - "L0.217[127766,135300] 8ns 347kb |L0.217| "
- - "L0.101[135301,142880] 8ns 349kb |L0.101| "
- - "L0.244[142881,153877] 8ns 507kb |--L0.244--| "
- - "L0.245[153878,164087] 8ns 471kb |-L0.245--| "
- - "L0.215[164088,171436] 8ns 339kb |L0.215| "
- - "L0.182[171437,177322] 8ns 271kb |L0.182| "
- - "L0.183[177323,187127] 8ns 452kb |-L0.183--| "
- - "L0.258[187128,192817] 8ns 262kb |L0.258| "
- - "L0.259[192818,200000] 8ns 331kb |L0.259| "
+ - "**** Simulation run 18, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[130192, 152403]). 5 Input Files, 29mb total:"
- "L1 "
- - "L1.242[122661,153877] 7ns 10mb|--------------L1.242--------------| "
- - "L1.243[153878,164087] 7ns 3mb |-L1.243--| "
- - "L1.256[164088,192817] 7ns 9mb |------------L1.256-------------| "
- - "L1.257[192818,200000] 7ns 2mb |L1.257| "
- - "**** 3 Output Files (parquet_file_id not yet assigned), 28mb total:"
- - "L1 "
- - "L1.?[122661,150032] 8ns 10mb|------------L1.?-------------| "
- - "L1.?[150033,177403] 8ns 10mb |------------L1.?-------------| "
- - "L1.?[177404,200000] 8ns 8mb |----------L1.?----------| "
+ - "L1.88[107981,114324] 10ns 3mb|L1.88-| "
+ - "L1.89[114325,136536] 10ns 10mb |------------L1.89------------| "
+ - "L1.90[136537,142880] 10ns 3mb |L1.90-| "
+ - "L1.91[142881,165092] 10ns 10mb |------------L1.91------------| "
+ - "L1.92[165093,171436] 10ns 3mb |L1.92-| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 29mb total:"
+ - "L2 "
+ - "L2.?[107981,130192] 10ns 10mb|------------L2.?-------------| "
+ - "L2.?[130193,152403] 10ns 10mb |------------L2.?-------------| "
+ - "L2.?[152404,171436] 10ns 9mb |----------L2.?----------| "
- "Committing partition 1:"
- - " Soft Deleting 14 files: L0.101, L0.182, L0.183, L0.215, L0.217, L1.242, L1.243, L0.244, L0.245, L0.247, L1.256, L1.257, L0.258, L0.259"
+ - " Soft Deleting 5 files: L1.88, L1.89, L1.90, L1.91, L1.92"
+ - " Upgrading 1 files level to CompactionLevel::L2: L1.87"
- " Creating 3 files"
- - "**** Simulation run 109, type=split(ReduceOverlap)(split_times=[177403]). 1 Input Files, 452kb total:"
- - "L0, all files 452kb "
- - "L0.185[177323,187127] 9ns|-----------------------------------------L0.185-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 452kb total:"
- - "L0 "
- - "L0.?[177323,177403] 9ns 4kb|L0.?| "
- - "L0.?[177404,187127] 9ns 448kb|-----------------------------------------L0.?------------------------------------------| "
- - "**** Simulation run 110, type=split(ReduceOverlap)(split_times=[150032]). 1 Input Files, 507kb total:"
- - "L0, all files 507kb "
- - "L0.248[142881,153877] 9ns|-----------------------------------------L0.248-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 507kb total:"
- - "L0 "
- - "L0.?[142881,150032] 9ns 330kb|--------------------------L0.?--------------------------| "
- - "L0.?[150033,153877] 9ns 177kb |------------L0.?-------------| "
- - "**** Simulation run 111, type=split(ReduceOverlap)(split_times=[177403]). 1 Input Files, 452kb total:"
- - "L0, all files 452kb "
- - "L0.187[177323,187127] 10ns|-----------------------------------------L0.187-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 452kb total:"
- - "L0 "
- - "L0.?[177323,177403] 10ns 4kb|L0.?| "
- - "L0.?[177404,187127] 10ns 448kb|-----------------------------------------L0.?------------------------------------------| "
- - "**** Simulation run 112, type=split(ReduceOverlap)(split_times=[150032]). 1 Input Files, 507kb total:"
- - "L0, all files 507kb "
- - "L0.252[142881,153877] 10ns|-----------------------------------------L0.252-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 507kb total:"
- - "L0 "
- - "L0.?[142881,150032] 10ns 330kb|--------------------------L0.?--------------------------| "
- - "L0.?[150033,153877] 10ns 177kb |------------L0.?-------------| "
+ - "**** Simulation run 19, type=split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))(split_times=[198729]). 1 Input Files, 3mb total:"
+ - "L1, all files 3mb "
+ - "L1.94[193649,200000] 10ns|-----------------------------------------L1.94------------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
+ - "L2 "
+ - "L2.?[193649,198729] 10ns 2mb|--------------------------------L2.?---------------------------------| "
+ - "L2.?[198730,200000] 10ns 586kb |-----L2.?------| "
- "Committing partition 1:"
- - " Soft Deleting 4 files: L0.185, L0.187, L0.248, L0.252"
- - " Creating 8 files"
- - "**** Simulation run 113, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[25160, 50220]). 12 Input Files, 26mb total:"
+ - " Soft Deleting 1 files: L1.94"
+ - " Upgrading 1 files level to CompactionLevel::L2: L1.93"
+ - " Creating 2 files"
+ - "**** Final Output Files (240mb written)"
+ - "L2 "
+ - "L2.81[100,22311] 10ns 10mb|-L2.81-| "
+ - "L2.87[85769,107980] 10ns 10mb |-L2.87-| "
+ - "L2.93[171437,193648] 10ns 10mb |-L2.93-| "
+ - "L2.95[22312,44523] 10ns 10mb |-L2.95-| "
+ - "L2.96[44524,66734] 10ns 10mb |-L2.96-| "
+ - "L2.97[66735,85768] 10ns 9mb |L2.97-| "
+ - "L2.98[107981,130192] 10ns 10mb |-L2.98-| "
+ - "L2.99[130193,152403] 10ns 10mb |-L2.99-| "
+ - "L2.100[152404,171436] 10ns 9mb |L2.100| "
+ - "L2.101[193649,198729] 10ns 2mb |L2.101|"
+ - "L2.102[198730,200000] 10ns 586kb |L2.102|"
+ "###
+ );
+}
+
+#[tokio::test]
+async fn all_overlapping_l0_max_input_bytes_per_partition_small_max_desired_file_size() {
+ test_helpers::maybe_start_logging();
+
+ // limit the plan to combining 30 mb at a time
+ let setup = layout_setup_builder()
+ .await
+ .with_max_desired_file_size_bytes(10 * ONE_MB)
+ .build()
+ .await;
+
+ // create virtual files
+ let setup = all_overlapping_l0_files(setup).await;
+
+ // expect that each plan the compactor runs has at most three input files
+ insta::assert_yaml_snapshot!(
+ run_layout_scenario(&setup).await,
+ @r###"
+ ---
+ - "**** Input Files "
+ - "L0, all files 9mb "
+ - "L0.1[100,200000] 1ns |-----------------------------------------L0.1------------------------------------------| "
+ - "L0.2[100,200000] 2ns |-----------------------------------------L0.2------------------------------------------| "
+ - "L0.3[100,200000] 3ns |-----------------------------------------L0.3------------------------------------------| "
+ - "L0.4[100,200000] 4ns |-----------------------------------------L0.4------------------------------------------| "
+ - "L0.5[100,200000] 5ns |-----------------------------------------L0.5------------------------------------------| "
+ - "L0.6[100,200000] 6ns |-----------------------------------------L0.6------------------------------------------| "
+ - "L0.7[100,200000] 7ns |-----------------------------------------L0.7------------------------------------------| "
+ - "L0.8[100,200000] 8ns |-----------------------------------------L0.8------------------------------------------| "
+ - "L0.9[100,200000] 9ns |-----------------------------------------L0.9------------------------------------------| "
+ - "L0.10[100,200000] 10ns |-----------------------------------------L0.10-----------------------------------------| "
+ - "**** Simulation run 0, type=split(VerticalSplit)(split_times=[28656, 57212, 85768, 114324, 142880, 171436]). 1 Input Files, 9mb total:"
+ - "L0, all files 9mb "
+ - "L0.1[100,200000] 1ns |-----------------------------------------L0.1------------------------------------------| "
+ - "**** 7 Output Files (parquet_file_id not yet assigned), 9mb total:"
- "L0 "
- - "L0.269[100,28347] 9ns 1mb|---------------L0.269----------------| "
- - "L0.270[28348,28656] 9ns 14kb |L0.270| "
- - "L0.235[28657,32463] 9ns 176kb |L0.235| "
- - "L0.236[32464,37982] 9ns 254kb |L0.236| "
- - "L0.202[37983,45771] 9ns 359kb |-L0.202-| "
- - "L0.267[45772,56594] 9ns 499kb |---L0.267----| "
- - "L0.268[56595,57212] 9ns 28kb |L0.268| "
- - "L0.133[57213,57593] 9ns 18kb |L0.133| "
- - "L0.233[57594,64826] 9ns 333kb |-L0.233-| "
- - "L1 "
- - "L1.264[100,28347] 8ns 10mb|---------------L1.264----------------| "
- - "L1.265[28348,56594] 8ns 10mb |---------------L1.265----------------| "
- - "L1.266[56595,64826] 8ns 3mb |-L1.266--| "
- - "**** 3 Output Files (parquet_file_id not yet assigned), 26mb total:"
- - "L1 "
- - "L1.?[100,25160] 9ns 10mb |--------------L1.?--------------| "
- - "L1.?[25161,50220] 9ns 10mb |--------------L1.?--------------| "
- - "L1.?[50221,64826] 9ns 6mb |-------L1.?-------| "
- - "Committing partition 1:"
- - " Soft Deleting 12 files: L0.133, L0.202, L0.233, L0.235, L0.236, L1.264, L1.265, L1.266, L0.267, L0.268, L0.269, L0.270"
- - " Creating 3 files"
- - "**** Simulation run 114, type=split(ReduceOverlap)(split_times=[50220]). 1 Input Files, 499kb total:"
- - "L0, all files 499kb "
- - "L0.271[45772,56594] 10ns |-----------------------------------------L0.271-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 499kb total:"
+ - "L0.?[100,28656] 1ns 1mb |---L0.?---| "
+ - "L0.?[28657,57212] 1ns 1mb |---L0.?---| "
+ - "L0.?[57213,85768] 1ns 1mb |---L0.?---| "
+ - "L0.?[85769,114324] 1ns 1mb |---L0.?---| "
+ - "L0.?[114325,142880] 1ns 1mb |---L0.?---| "
+ - "L0.?[142881,171436] 1ns 1mb |---L0.?---| "
+ - "L0.?[171437,200000] 1ns 1mb |---L0.?---| "
+ - "**** Simulation run 1, type=split(VerticalSplit)(split_times=[28656, 57212, 85768, 114324, 142880, 171436]). 1 Input Files, 9mb total:"
+ - "L0, all files 9mb "
+ - "L0.2[100,200000] 2ns |-----------------------------------------L0.2------------------------------------------| "
+ - "**** 7 Output Files (parquet_file_id not yet assigned), 9mb total:"
- "L0 "
- - "L0.?[45772,50220] 10ns 205kb|---------------L0.?---------------| "
- - "L0.?[50221,56594] 10ns 294kb |-----------------------L0.?------------------------| "
- - "**** Simulation run 115, type=split(ReduceOverlap)(split_times=[25160]). 1 Input Files, 1mb total:"
- - "L0, all files 1mb "
- - "L0.273[100,28347] 10ns |-----------------------------------------L0.273-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
+ - "L0.?[100,28656] 2ns 1mb |---L0.?---| "
+ - "L0.?[28657,57212] 2ns 1mb |---L0.?---| "
+ - "L0.?[57213,85768] 2ns 1mb |---L0.?---| "
+ - "L0.?[85769,114324] 2ns 1mb |---L0.?---| "
+ - "L0.?[114325,142880] 2ns 1mb |---L0.?---| "
+ - "L0.?[142881,171436] 2ns 1mb |---L0.?---| "
+ - "L0.?[171437,200000] 2ns 1mb |---L0.?---| "
+ - "**** Simulation run 2, type=split(VerticalSplit)(split_times=[28656, 57212, 85768, 114324, 142880, 171436]). 1 Input Files, 9mb total:"
+ - "L0, all files 9mb "
+ - "L0.3[100,200000] 3ns |-----------------------------------------L0.3------------------------------------------| "
+ - "**** 7 Output Files (parquet_file_id not yet assigned), 9mb total:"
- "L0 "
- - "L0.?[100,25160] 10ns 1mb |------------------------------------L0.?-------------------------------------| "
- - "L0.?[25161,28347] 10ns 147kb |--L0.?--| "
- - "Committing partition 1:"
- - " Soft Deleting 2 files: L0.271, L0.273"
- - " Creating 4 files"
- - "**** Simulation run 116, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[89508, 114189]). 12 Input Files, 23mb total:"
+ - "L0.?[100,28656] 3ns 1mb |---L0.?---| "
+ - "L0.?[28657,57212] 3ns 1mb |---L0.?---| "
+ - "L0.?[57213,85768] 3ns 1mb |---L0.?---| "
+ - "L0.?[85769,114324] 3ns 1mb |---L0.?---| "
+ - "L0.?[114325,142880] 3ns 1mb |---L0.?---| "
+ - "L0.?[142881,171436] 3ns 1mb |---L0.?---| "
+ - "L0.?[171437,200000] 3ns 1mb |---L0.?---| "
+ - "**** Simulation run 3, type=split(VerticalSplit)(split_times=[28656, 57212, 85768, 114324, 142880, 171436]). 1 Input Files, 9mb total:"
+ - "L0, all files 9mb "
+ - "L0.4[100,200000] 4ns |-----------------------------------------L0.4------------------------------------------| "
+ - "**** 7 Output Files (parquet_file_id not yet assigned), 9mb total:"
- "L0 "
- - "L0.234[64827,67700] 9ns 133kb|L0.234| "
- - "L0.199[67701,75864] 9ns 376kb |--L0.199--| "
- - "L0.200[75865,85768] 9ns 457kb |---L0.200----| "
- - "L0.168[85769,91442] 9ns 262kb |L0.168| "
- - "L0.280[91443,92594] 9ns 53kb |L0.280| "
- - "L0.281[92595,114324] 9ns 1002kb |------------L0.281-------------| "
- - "L0.131[114325,115086] 9ns 35kb |L0.131| "
- - "L0.278[115087,120361] 9ns 243kb |L0.278| "
- - "L0.279[120362,122660] 9ns 106kb |L0.279|"
- - "L1 "
- - "L1.275[64827,92594] 8ns 10mb|-----------------L1.275------------------| "
- - "L1.276[92595,120361] 8ns 10mb |-----------------L1.276------------------| "
- - "L1.277[120362,122660] 8ns 848kb |L1.277|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 23mb total:"
- - "L1 "
- - "L1.?[64827,89508] 9ns 10mb|----------------L1.?----------------| "
- - "L1.?[89509,114189] 9ns 10mb |----------------L1.?----------------| "
- - "L1.?[114190,122660] 9ns 3mb |---L1.?----| "
- - "Committing partition 1:"
- - " Soft Deleting 12 files: L0.131, L0.168, L0.199, L0.200, L0.234, L1.275, L1.276, L1.277, L0.278, L0.279, L0.280, L0.281"
- - " Creating 3 files"
- - "**** Simulation run 117, type=split(ReduceOverlap)(split_times=[114189]). 1 Input Files, 1002kb total:"
- - "L0, all files 1002kb "
- - "L0.285[92595,114324] 10ns|-----------------------------------------L0.285-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 1002kb total:"
+ - "L0.?[100,28656] 4ns 1mb |---L0.?---| "
+ - "L0.?[28657,57212] 4ns 1mb |---L0.?---| "
+ - "L0.?[57213,85768] 4ns 1mb |---L0.?---| "
+ - "L0.?[85769,114324] 4ns 1mb |---L0.?---| "
+ - "L0.?[114325,142880] 4ns 1mb |---L0.?---| "
+ - "L0.?[142881,171436] 4ns 1mb |---L0.?---| "
+ - "L0.?[171437,200000] 4ns 1mb |---L0.?---| "
+ - "**** Simulation run 4, type=split(VerticalSplit)(split_times=[28656, 57212, 85768, 114324, 142880, 171436]). 1 Input Files, 9mb total:"
+ - "L0, all files 9mb "
+ - "L0.5[100,200000] 5ns |-----------------------------------------L0.5------------------------------------------| "
+ - "**** 7 Output Files (parquet_file_id not yet assigned), 9mb total:"
- "L0 "
- - "L0.?[92595,114189] 10ns 996kb|-----------------------------------------L0.?------------------------------------------| "
- - "L0.?[114190,114324] 10ns 6kb |L0.?|"
- - "**** Simulation run 118, type=split(ReduceOverlap)(split_times=[89508]). 1 Input Files, 262kb total:"
- - "L0, all files 262kb "
- - "L0.172[85769,91442] 10ns |-----------------------------------------L0.172-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 262kb total:"
+ - "L0.?[100,28656] 5ns 1mb |---L0.?---| "
+ - "L0.?[28657,57212] 5ns 1mb |---L0.?---| "
+ - "L0.?[57213,85768] 5ns 1mb |---L0.?---| "
+ - "L0.?[85769,114324] 5ns 1mb |---L0.?---| "
+ - "L0.?[114325,142880] 5ns 1mb |---L0.?---| "
+ - "L0.?[142881,171436] 5ns 1mb |---L0.?---| "
+ - "L0.?[171437,200000] 5ns 1mb |---L0.?---| "
+ - "**** Simulation run 5, type=split(VerticalSplit)(split_times=[28656, 57212, 85768, 114324, 142880, 171436]). 1 Input Files, 9mb total:"
+ - "L0, all files 9mb "
+ - "L0.6[100,200000] 6ns |-----------------------------------------L0.6------------------------------------------| "
+ - "**** 7 Output Files (parquet_file_id not yet assigned), 9mb total:"
- "L0 "
- - "L0.?[85769,89508] 10ns 172kb|--------------------------L0.?---------------------------| "
- - "L0.?[89509,91442] 10ns 89kb |------------L0.?------------| "
- - "Committing partition 1:"
- - " Soft Deleting 2 files: L0.172, L0.285"
- - " Creating 4 files"
- - "**** Simulation run 119, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[147029, 171397]). 11 Input Files, 22mb total:"
+ - "L0.?[100,28656] 6ns 1mb |---L0.?---| "
+ - "L0.?[28657,57212] 6ns 1mb |---L0.?---| "
+ - "L0.?[57213,85768] 6ns 1mb |---L0.?---| "
+ - "L0.?[85769,114324] 6ns 1mb |---L0.?---| "
+ - "L0.?[114325,142880] 6ns 1mb |---L0.?---| "
+ - "L0.?[142881,171436] 6ns 1mb |---L0.?---| "
+ - "L0.?[171437,200000] 6ns 1mb |---L0.?---| "
+ - "**** Simulation run 6, type=split(VerticalSplit)(split_times=[28656, 57212, 85768, 114324, 142880, 171436]). 1 Input Files, 9mb total:"
+ - "L0, all files 9mb "
+ - "L0.7[100,200000] 7ns |-----------------------------------------L0.7------------------------------------------| "
+ - "**** 7 Output Files (parquet_file_id not yet assigned), 9mb total:"
- "L0 "
- - "L0.251[122661,127765] 9ns 235kb|L0.251| "
- - "L0.221[127766,135300] 9ns 347kb |--L0.221--| "
- - "L0.105[135301,142880] 9ns 349kb |--L0.105--| "
- - "L0.291[142881,150032] 9ns 330kb |-L0.291--| "
- - "L0.292[150033,153877] 9ns 177kb |L0.292| "
- - "L0.249[153878,164087] 9ns 471kb |----L0.249----| "
- - "L0.219[164088,171436] 9ns 339kb |--L0.219--| "
- - "L0.184[171437,177322] 9ns 271kb |L0.184-| "
- - "L0.289[177323,177403] 9ns 4kb |L0.289|"
- - "L1 "
- - "L1.286[122661,150032] 8ns 10mb|------------------L1.286-------------------| "
- - "L1.287[150033,177403] 8ns 10mb |------------------L1.287------------------| "
- - "**** 3 Output Files (parquet_file_id not yet assigned), 22mb total:"
- - "L1 "
- - "L1.?[122661,147029] 9ns 10mb|-----------------L1.?-----------------| "
- - "L1.?[147030,171397] 9ns 10mb |-----------------L1.?-----------------| "
- - "L1.?[171398,177403] 9ns 2mb |-L1.?--| "
- - "Committing partition 1:"
- - " Soft Deleting 11 files: L0.105, L0.184, L0.219, L0.221, L0.249, L0.251, L1.286, L1.287, L0.289, L0.291, L0.292"
- - " Creating 3 files"
- - "**** Simulation run 120, type=split(ReduceOverlap)(split_times=[171397]). 1 Input Files, 339kb total:"
- - "L0, all files 339kb "
- - "L0.223[164088,171436] 10ns|-----------------------------------------L0.223-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 339kb total:"
+ - "L0.?[100,28656] 7ns 1mb |---L0.?---| "
+ - "L0.?[28657,57212] 7ns 1mb |---L0.?---| "
+ - "L0.?[57213,85768] 7ns 1mb |---L0.?---| "
+ - "L0.?[85769,114324] 7ns 1mb |---L0.?---| "
+ - "L0.?[114325,142880] 7ns 1mb |---L0.?---| "
+ - "L0.?[142881,171436] 7ns 1mb |---L0.?---| "
+ - "L0.?[171437,200000] 7ns 1mb |---L0.?---| "
+ - "**** Simulation run 7, type=split(VerticalSplit)(split_times=[28656, 57212, 85768, 114324, 142880, 171436]). 1 Input Files, 9mb total:"
+ - "L0, all files 9mb "
+ - "L0.8[100,200000] 8ns |-----------------------------------------L0.8------------------------------------------| "
+ - "**** 7 Output Files (parquet_file_id not yet assigned), 9mb total:"
- "L0 "
- - "L0.?[164088,171397] 10ns 337kb|-----------------------------------------L0.?------------------------------------------| "
- - "L0.?[171398,171436] 10ns 2kb |L0.?|"
- - "**** Simulation run 121, type=split(ReduceOverlap)(split_times=[147029]). 1 Input Files, 330kb total:"
- - "L0, all files 330kb "
- - "L0.295[142881,150032] 10ns|-----------------------------------------L0.295-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 330kb total:"
+ - "L0.?[100,28656] 8ns 1mb |---L0.?---| "
+ - "L0.?[28657,57212] 8ns 1mb |---L0.?---| "
+ - "L0.?[57213,85768] 8ns 1mb |---L0.?---| "
+ - "L0.?[85769,114324] 8ns 1mb |---L0.?---| "
+ - "L0.?[114325,142880] 8ns 1mb |---L0.?---| "
+ - "L0.?[142881,171436] 8ns 1mb |---L0.?---| "
+ - "L0.?[171437,200000] 8ns 1mb |---L0.?---| "
+ - "**** Simulation run 8, type=split(VerticalSplit)(split_times=[28656, 57212, 85768, 114324, 142880, 171436]). 1 Input Files, 9mb total:"
+ - "L0, all files 9mb "
+ - "L0.9[100,200000] 9ns |-----------------------------------------L0.9------------------------------------------| "
+ - "**** 7 Output Files (parquet_file_id not yet assigned), 9mb total:"
- "L0 "
- - "L0.?[142881,147029] 10ns 191kb|-----------------------L0.?-----------------------| "
- - "L0.?[147030,150032] 10ns 138kb |---------------L0.?----------------| "
- - "Committing partition 1:"
- - " Soft Deleting 2 files: L0.223, L0.295"
- - " Creating 4 files"
- - "**** Simulation run 122, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[195480]). 4 Input Files, 9mb total:"
+ - "L0.?[100,28656] 9ns 1mb |---L0.?---| "
+ - "L0.?[28657,57212] 9ns 1mb |---L0.?---| "
+ - "L0.?[57213,85768] 9ns 1mb |---L0.?---| "
+ - "L0.?[85769,114324] 9ns 1mb |---L0.?---| "
+ - "L0.?[114325,142880] 9ns 1mb |---L0.?---| "
+ - "L0.?[142881,171436] 9ns 1mb |---L0.?---| "
+ - "L0.?[171437,200000] 9ns 1mb |---L0.?---| "
+ - "**** Simulation run 9, type=split(VerticalSplit)(split_times=[28656, 57212, 85768, 114324, 142880, 171436]). 1 Input Files, 9mb total:"
+ - "L0, all files 9mb "
+ - "L0.10[100,200000] 10ns |-----------------------------------------L0.10-----------------------------------------| "
+ - "**** 7 Output Files (parquet_file_id not yet assigned), 9mb total:"
- "L0 "
- - "L0.290[177404,187127] 9ns 448kb|---------------L0.290---------------| "
- - "L0.260[187128,192817] 9ns 262kb |-------L0.260-------| "
- - "L0.261[192818,200000] 9ns 331kb |----------L0.261----------| "
- - "L1 "
- - "L1.288[177404,200000] 8ns 8mb|-----------------------------------------L1.288-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 9mb total:"
- - "L1 "
- - "L1.?[177404,195480] 9ns 7mb|--------------------------------L1.?---------------------------------| "
- - "L1.?[195481,200000] 9ns 2mb |-----L1.?------| "
+ - "L0.?[100,28656] 10ns 1mb |---L0.?---| "
+ - "L0.?[28657,57212] 10ns 1mb |---L0.?---| "
+ - "L0.?[57213,85768] 10ns 1mb |---L0.?---| "
+ - "L0.?[85769,114324] 10ns 1mb |---L0.?---| "
+ - "L0.?[114325,142880] 10ns 1mb |---L0.?---| "
+ - "L0.?[142881,171436] 10ns 1mb |---L0.?---| "
+ - "L0.?[171437,200000] 10ns 1mb |---L0.?---| "
- "Committing partition 1:"
- - " Soft Deleting 4 files: L0.260, L0.261, L1.288, L0.290"
+ - " Soft Deleting 10 files: L0.1, L0.2, L0.3, L0.4, L0.5, L0.6, L0.7, L0.8, L0.9, L0.10"
+ - " Creating 70 files"
+ - "**** Simulation run 10, type=split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))(split_times=[22311]). 10 Input Files, 13mb total:"
+ - "L0, all files 1mb "
+ - "L0.74[100,28656] 10ns |-----------------------------------------L0.74------------------------------------------|"
+ - "L0.67[100,28656] 9ns |-----------------------------------------L0.67------------------------------------------|"
+ - "L0.60[100,28656] 8ns |-----------------------------------------L0.60------------------------------------------|"
+ - "L0.53[100,28656] 7ns |-----------------------------------------L0.53------------------------------------------|"
+ - "L0.46[100,28656] 6ns |-----------------------------------------L0.46------------------------------------------|"
+ - "L0.39[100,28656] 5ns |-----------------------------------------L0.39------------------------------------------|"
+ - "L0.32[100,28656] 4ns |-----------------------------------------L0.32------------------------------------------|"
+ - "L0.25[100,28656] 3ns |-----------------------------------------L0.25------------------------------------------|"
+ - "L0.18[100,28656] 2ns |-----------------------------------------L0.18------------------------------------------|"
+ - "L0.11[100,28656] 1ns |-----------------------------------------L0.11------------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 13mb total:"
+ - "L1 "
+ - "L1.?[100,22311] 10ns 10mb|--------------------------------L1.?--------------------------------| "
+ - "L1.?[22312,28656] 10ns 3mb |------L1.?-------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 10 files: L0.11, L0.18, L0.25, L0.32, L0.39, L0.46, L0.53, L0.60, L0.67, L0.74"
- " Creating 2 files"
- - "**** Simulation run 123, type=split(ReduceOverlap)(split_times=[195480]). 1 Input Files, 331kb total:"
- - "L0, all files 331kb "
- - "L0.263[192818,200000] 10ns|-----------------------------------------L0.263-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 331kb total:"
- - "L0 "
- - "L0.?[192818,195480] 10ns 123kb|-------------L0.?--------------| "
- - "L0.?[195481,200000] 10ns 208kb |-------------------------L0.?-------------------------| "
+ - "**** Simulation run 11, type=split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))(split_times=[50868]). 10 Input Files, 13mb total:"
+ - "L0, all files 1mb "
+ - "L0.75[28657,57212] 10ns |-----------------------------------------L0.75------------------------------------------|"
+ - "L0.68[28657,57212] 9ns |-----------------------------------------L0.68------------------------------------------|"
+ - "L0.61[28657,57212] 8ns |-----------------------------------------L0.61------------------------------------------|"
+ - "L0.54[28657,57212] 7ns |-----------------------------------------L0.54------------------------------------------|"
+ - "L0.47[28657,57212] 6ns |-----------------------------------------L0.47------------------------------------------|"
+ - "L0.40[28657,57212] 5ns |-----------------------------------------L0.40------------------------------------------|"
+ - "L0.33[28657,57212] 4ns |-----------------------------------------L0.33------------------------------------------|"
+ - "L0.26[28657,57212] 3ns |-----------------------------------------L0.26------------------------------------------|"
+ - "L0.19[28657,57212] 2ns |-----------------------------------------L0.19------------------------------------------|"
+ - "L0.12[28657,57212] 1ns |-----------------------------------------L0.12------------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 13mb total:"
+ - "L1 "
+ - "L1.?[28657,50868] 10ns 10mb|--------------------------------L1.?--------------------------------| "
+ - "L1.?[50869,57212] 10ns 3mb |------L1.?-------| "
- "Committing partition 1:"
- - " Soft Deleting 1 files: L0.263"
+ - " Soft Deleting 10 files: L0.12, L0.19, L0.26, L0.33, L0.40, L0.47, L0.54, L0.61, L0.68, L0.75"
- " Creating 2 files"
- - "**** Simulation run 124, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[22619, 45138]). 14 Input Files, 29mb total:"
- - "L0 "
- - "L0.302[100,25160] 10ns 1mb|-------------L0.302-------------| "
- - "L0.303[25161,28347] 10ns 147kb |L0.303| "
- - "L0.274[28348,28656] 10ns 14kb |L0.274| "
- - "L0.239[28657,32463] 10ns 176kb |L0.239| "
- - "L0.240[32464,37982] 10ns 254kb |L0.240| "
- - "L0.206[37983,45771] 10ns 359kb |-L0.206-| "
- - "L0.300[45772,50220] 10ns 205kb |L0.300| "
- - "L0.301[50221,56594] 10ns 294kb |L0.301| "
- - "L0.272[56595,57212] 10ns 28kb |L0.272| "
- - "L0.137[57213,57593] 10ns 18kb |L0.137| "
- - "L0.237[57594,64826] 10ns 333kb |-L0.237-| "
- - "L1 "
- - "L1.297[100,25160] 9ns 10mb|-------------L1.297-------------| "
- - "L1.298[25161,50220] 9ns 10mb |-------------L1.298-------------| "
- - "L1.299[50221,64826] 9ns 6mb |------L1.299------| "
- - "**** 3 Output Files (parquet_file_id not yet assigned), 29mb total:"
+ - "**** Simulation run 12, type=split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))(split_times=[79424]). 10 Input Files, 13mb total:"
+ - "L0, all files 1mb "
+ - "L0.76[57213,85768] 10ns |-----------------------------------------L0.76------------------------------------------|"
+ - "L0.69[57213,85768] 9ns |-----------------------------------------L0.69------------------------------------------|"
+ - "L0.62[57213,85768] 8ns |-----------------------------------------L0.62------------------------------------------|"
+ - "L0.55[57213,85768] 7ns |-----------------------------------------L0.55------------------------------------------|"
+ - "L0.48[57213,85768] 6ns |-----------------------------------------L0.48------------------------------------------|"
+ - "L0.41[57213,85768] 5ns |-----------------------------------------L0.41------------------------------------------|"
+ - "L0.34[57213,85768] 4ns |-----------------------------------------L0.34------------------------------------------|"
+ - "L0.27[57213,85768] 3ns |-----------------------------------------L0.27------------------------------------------|"
+ - "L0.20[57213,85768] 2ns |-----------------------------------------L0.20------------------------------------------|"
+ - "L0.13[57213,85768] 1ns |-----------------------------------------L0.13------------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 13mb total:"
- "L1 "
- - "L1.?[100,22619] 10ns 10mb|------------L1.?-------------| "
- - "L1.?[22620,45138] 10ns 10mb |------------L1.?-------------| "
- - "L1.?[45139,64826] 10ns 9mb |----------L1.?-----------| "
+ - "L1.?[57213,79424] 10ns 10mb|--------------------------------L1.?--------------------------------| "
+ - "L1.?[79425,85768] 10ns 3mb |------L1.?-------| "
- "Committing partition 1:"
- - " Soft Deleting 14 files: L0.137, L0.206, L0.237, L0.239, L0.240, L0.272, L0.274, L1.297, L1.298, L1.299, L0.300, L0.301, L0.302, L0.303"
- - " Creating 3 files"
- - "**** Simulation run 125, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[87040, 109253]). 14 Input Files, 26mb total:"
- - "L0 "
- - "L0.238[64827,67700] 10ns 133kb|L0.238| "
- - "L0.203[67701,75864] 10ns 376kb |--L0.203--| "
- - "L0.204[75865,85768] 10ns 457kb |---L0.204----| "
- - "L0.309[85769,89508] 10ns 172kb |L0.309| "
- - "L0.310[89509,91442] 10ns 89kb |L0.310| "
- - "L0.284[91443,92594] 10ns 53kb |L0.284| "
- - "L0.307[92595,114189] 10ns 996kb |------------L0.307-------------| "
- - "L0.308[114190,114324] 10ns 6kb |L0.308| "
- - "L0.135[114325,115086] 10ns 35kb |L0.135| "
- - "L0.282[115087,120361] 10ns 243kb |L0.282| "
- - "L0.283[120362,122660] 10ns 106kb |L0.283|"
- - "L1 "
- - "L1.304[64827,89508] 9ns 10mb|---------------L1.304---------------| "
- - "L1.305[89509,114189] 9ns 10mb |---------------L1.305---------------| "
- - "L1.306[114190,122660] 9ns 3mb |--L1.306---| "
- - "**** 3 Output Files (parquet_file_id not yet assigned), 26mb total:"
+ - " Soft Deleting 10 files: L0.13, L0.20, L0.27, L0.34, L0.41, L0.48, L0.55, L0.62, L0.69, L0.76"
+ - " Creating 2 files"
+ - "**** Simulation run 13, type=split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))(split_times=[107980]). 10 Input Files, 13mb total:"
+ - "L0, all files 1mb "
+ - "L0.77[85769,114324] 10ns |-----------------------------------------L0.77------------------------------------------|"
+ - "L0.70[85769,114324] 9ns |-----------------------------------------L0.70------------------------------------------|"
+ - "L0.63[85769,114324] 8ns |-----------------------------------------L0.63------------------------------------------|"
+ - "L0.56[85769,114324] 7ns |-----------------------------------------L0.56------------------------------------------|"
+ - "L0.49[85769,114324] 6ns |-----------------------------------------L0.49------------------------------------------|"
+ - "L0.42[85769,114324] 5ns |-----------------------------------------L0.42------------------------------------------|"
+ - "L0.35[85769,114324] 4ns |-----------------------------------------L0.35------------------------------------------|"
+ - "L0.28[85769,114324] 3ns |-----------------------------------------L0.28------------------------------------------|"
+ - "L0.21[85769,114324] 2ns |-----------------------------------------L0.21------------------------------------------|"
+ - "L0.14[85769,114324] 1ns |-----------------------------------------L0.14------------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 13mb total:"
- "L1 "
- - "L1.?[64827,87040] 10ns 10mb|--------------L1.?--------------| "
- - "L1.?[87041,109253] 10ns 10mb |--------------L1.?--------------| "
- - "L1.?[109254,122660] 10ns 6mb |-------L1.?-------| "
+ - "L1.?[85769,107980] 10ns 10mb|--------------------------------L1.?--------------------------------| "
+ - "L1.?[107981,114324] 10ns 3mb |------L1.?-------| "
- "Committing partition 1:"
- - " Soft Deleting 14 files: L0.135, L0.203, L0.204, L0.238, L0.282, L0.283, L0.284, L1.304, L1.305, L1.306, L0.307, L0.308, L0.309, L0.310"
- - " Creating 3 files"
- - "**** Simulation run 126, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[144620, 166579]). 14 Input Files, 25mb total:"
- - "L0 "
- - "L0.255[122661,127765] 10ns 235kb|L0.255| "
- - "L0.225[127766,135300] 10ns 347kb |--L0.225--| "
- - "L0.109[135301,142880] 10ns 349kb |--L0.109--| "
- - "L0.316[142881,147029] 10ns 191kb |L0.316| "
- - "L0.317[147030,150032] 10ns 138kb |L0.317| "
- - "L0.296[150033,153877] 10ns 177kb |L0.296| "
- - "L0.253[153878,164087] 10ns 471kb |----L0.253----| "
- - "L0.314[164088,171397] 10ns 337kb |--L0.314--| "
- - "L0.315[171398,171436] 10ns 2kb |L0.315| "
- - "L0.186[171437,177322] 10ns 271kb |L0.186-| "
- - "L0.293[177323,177403] 10ns 4kb |L0.293|"
- - "L1 "
- - "L1.311[122661,147029] 9ns 10mb|----------------L1.311----------------| "
- - "L1.312[147030,171397] 9ns 10mb |----------------L1.312----------------| "
- - "L1.313[171398,177403] 9ns 2mb |L1.313-| "
- - "**** 3 Output Files (parquet_file_id not yet assigned), 25mb total:"
+ - " Soft Deleting 10 files: L0.14, L0.21, L0.28, L0.35, L0.42, L0.49, L0.56, L0.63, L0.70, L0.77"
+ - " Creating 2 files"
+ - "**** Simulation run 14, type=split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))(split_times=[136536]). 10 Input Files, 13mb total:"
+ - "L0, all files 1mb "
+ - "L0.78[114325,142880] 10ns|-----------------------------------------L0.78------------------------------------------|"
+ - "L0.71[114325,142880] 9ns |-----------------------------------------L0.71------------------------------------------|"
+ - "L0.64[114325,142880] 8ns |-----------------------------------------L0.64------------------------------------------|"
+ - "L0.57[114325,142880] 7ns |-----------------------------------------L0.57------------------------------------------|"
+ - "L0.50[114325,142880] 6ns |-----------------------------------------L0.50------------------------------------------|"
+ - "L0.43[114325,142880] 5ns |-----------------------------------------L0.43------------------------------------------|"
+ - "L0.36[114325,142880] 4ns |-----------------------------------------L0.36------------------------------------------|"
+ - "L0.29[114325,142880] 3ns |-----------------------------------------L0.29------------------------------------------|"
+ - "L0.22[114325,142880] 2ns |-----------------------------------------L0.22------------------------------------------|"
+ - "L0.15[114325,142880] 1ns |-----------------------------------------L0.15------------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 13mb total:"
- "L1 "
- - "L1.?[122661,144620] 10ns 10mb|---------------L1.?---------------| "
- - "L1.?[144621,166579] 10ns 10mb |---------------L1.?---------------| "
- - "L1.?[166580,177403] 10ns 5mb |-----L1.?------| "
+ - "L1.?[114325,136536] 10ns 10mb|--------------------------------L1.?--------------------------------| "
+ - "L1.?[136537,142880] 10ns 3mb |------L1.?-------| "
- "Committing partition 1:"
- - " Soft Deleting 14 files: L0.109, L0.186, L0.225, L0.253, L0.255, L0.293, L0.296, L1.311, L1.312, L1.313, L0.314, L0.315, L0.316, L0.317"
- - " Creating 3 files"
- - "**** Simulation run 127, type=split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))(split_times=[195480]). 6 Input Files, 10mb total:"
- - "L0 "
- - "L0.321[195481,200000] 10ns 208kb |----L0.321-----| "
- - "L0.320[192818,195480] 10ns 123kb |-L0.320-| "
- - "L0.262[187128,192817] 10ns 262kb |-------L0.262-------| "
- - "L0.294[177404,187127] 10ns 448kb|---------------L0.294---------------| "
- - "L1 "
- - "L1.319[195481,200000] 9ns 2mb |----L1.319-----| "
- - "L1.318[177404,195480] 9ns 7mb|-------------------------------L1.318--------------------------------| "
- - "**** 2 Output Files (parquet_file_id not yet assigned), 10mb total:"
+ - " Soft Deleting 10 files: L0.15, L0.22, L0.29, L0.36, L0.43, L0.50, L0.57, L0.64, L0.71, L0.78"
+ - " Creating 2 files"
+ - "**** Simulation run 15, type=split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))(split_times=[165092]). 10 Input Files, 13mb total:"
+ - "L0, all files 1mb "
+ - "L0.79[142881,171436] 10ns|-----------------------------------------L0.79------------------------------------------|"
+ - "L0.72[142881,171436] 9ns |-----------------------------------------L0.72------------------------------------------|"
+ - "L0.65[142881,171436] 8ns |-----------------------------------------L0.65------------------------------------------|"
+ - "L0.58[142881,171436] 7ns |-----------------------------------------L0.58------------------------------------------|"
+ - "L0.51[142881,171436] 6ns |-----------------------------------------L0.51------------------------------------------|"
+ - "L0.44[142881,171436] 5ns |-----------------------------------------L0.44------------------------------------------|"
+ - "L0.37[142881,171436] 4ns |-----------------------------------------L0.37------------------------------------------|"
+ - "L0.30[142881,171436] 3ns |-----------------------------------------L0.30------------------------------------------|"
+ - "L0.23[142881,171436] 2ns |-----------------------------------------L0.23------------------------------------------|"
+ - "L0.16[142881,171436] 1ns |-----------------------------------------L0.16------------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 13mb total:"
+ - "L1 "
+ - "L1.?[142881,165092] 10ns 10mb|--------------------------------L1.?--------------------------------| "
+ - "L1.?[165093,171436] 10ns 3mb |------L1.?-------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 10 files: L0.16, L0.23, L0.30, L0.37, L0.44, L0.51, L0.58, L0.65, L0.72, L0.79"
+ - " Creating 2 files"
+ - "**** Simulation run 16, type=split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))(split_times=[193648]). 10 Input Files, 13mb total:"
+ - "L0, all files 1mb "
+ - "L0.80[171437,200000] 10ns|-----------------------------------------L0.80------------------------------------------|"
+ - "L0.73[171437,200000] 9ns |-----------------------------------------L0.73------------------------------------------|"
+ - "L0.66[171437,200000] 8ns |-----------------------------------------L0.66------------------------------------------|"
+ - "L0.59[171437,200000] 7ns |-----------------------------------------L0.59------------------------------------------|"
+ - "L0.52[171437,200000] 6ns |-----------------------------------------L0.52------------------------------------------|"
+ - "L0.45[171437,200000] 5ns |-----------------------------------------L0.45------------------------------------------|"
+ - "L0.38[171437,200000] 4ns |-----------------------------------------L0.38------------------------------------------|"
+ - "L0.31[171437,200000] 3ns |-----------------------------------------L0.31------------------------------------------|"
+ - "L0.24[171437,200000] 2ns |-----------------------------------------L0.24------------------------------------------|"
+ - "L0.17[171437,200000] 1ns |-----------------------------------------L0.17------------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 13mb total:"
- "L1 "
- - "L1.?[177404,195480] 10ns 8mb|--------------------------------L1.?---------------------------------| "
- - "L1.?[195481,200000] 10ns 2mb |-----L1.?------| "
+ - "L1.?[171437,193648] 10ns 10mb|-------------------------------L1.?--------------------------------| "
+ - "L1.?[193649,200000] 10ns 3mb |-------L1.?-------| "
- "Committing partition 1:"
- - " Soft Deleting 6 files: L0.262, L0.294, L1.318, L1.319, L0.320, L0.321"
+ - " Soft Deleting 10 files: L0.17, L0.24, L0.31, L0.38, L0.45, L0.52, L0.59, L0.66, L0.73, L0.80"
- " Creating 2 files"
- - "**** Simulation run 128, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[45033, 67446]). 3 Input Files, 29mb total:"
+ - "**** Simulation run 17, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[44523, 66734]). 5 Input Files, 29mb total:"
- "L1 "
- - "L1.323[22620,45138] 10ns 10mb|-----------L1.323------------| "
- - "L1.324[45139,64826] 10ns 9mb |---------L1.324----------| "
- - "L1.325[64827,87040] 10ns 10mb |-----------L1.325------------| "
+ - "L1.82[22312,28656] 10ns 3mb|L1.82-| "
+ - "L1.83[28657,50868] 10ns 10mb |------------L1.83------------| "
+ - "L1.84[50869,57212] 10ns 3mb |L1.84-| "
+ - "L1.85[57213,79424] 10ns 10mb |------------L1.85------------| "
+ - "L1.86[79425,85768] 10ns 3mb |L1.86-| "
- "**** 3 Output Files (parquet_file_id not yet assigned), 29mb total:"
- "L2 "
- - "L2.?[22620,45033] 10ns 10mb|------------L2.?-------------| "
- - "L2.?[45034,67446] 10ns 10mb |------------L2.?-------------| "
- - "L2.?[67447,87040] 10ns 9mb |----------L2.?-----------| "
+ - "L2.?[22312,44523] 10ns 10mb|------------L2.?-------------| "
+ - "L2.?[44524,66734] 10ns 10mb |------------L2.?-------------| "
+ - "L2.?[66735,85768] 10ns 9mb |----------L2.?----------| "
- "Committing partition 1:"
- - " Soft Deleting 3 files: L1.323, L1.324, L1.325"
- - " Upgrading 1 files level to CompactionLevel::L2: L1.322"
+ - " Soft Deleting 5 files: L1.82, L1.83, L1.84, L1.85, L1.86"
+ - " Upgrading 1 files level to CompactionLevel::L2: L1.81"
- " Creating 3 files"
- - "**** Simulation run 129, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[109156, 131271]). 3 Input Files, 26mb total:"
+ - "**** Simulation run 18, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[130192, 152403]). 5 Input Files, 29mb total:"
- "L1 "
- - "L1.326[87041,109253] 10ns 10mb|-------------L1.326-------------| "
- - "L1.327[109254,122660] 10ns 6mb |------L1.327------| "
- - "L1.328[122661,144620] 10ns 10mb |-------------L1.328-------------| "
- - "**** 3 Output Files (parquet_file_id not yet assigned), 26mb total:"
+ - "L1.88[107981,114324] 10ns 3mb|L1.88-| "
+ - "L1.89[114325,136536] 10ns 10mb |------------L1.89------------| "
+ - "L1.90[136537,142880] 10ns 3mb |L1.90-| "
+ - "L1.91[142881,165092] 10ns 10mb |------------L1.91------------| "
+ - "L1.92[165093,171436] 10ns 3mb |L1.92-| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 29mb total:"
- "L2 "
- - "L2.?[87041,109156] 10ns 10mb|--------------L2.?--------------| "
- - "L2.?[109157,131271] 10ns 10mb |--------------L2.?--------------| "
- - "L2.?[131272,144620] 10ns 6mb |-------L2.?-------| "
+ - "L2.?[107981,130192] 10ns 10mb|------------L2.?-------------| "
+ - "L2.?[130193,152403] 10ns 10mb |------------L2.?-------------| "
+ - "L2.?[152404,171436] 10ns 9mb |----------L2.?----------| "
- "Committing partition 1:"
- - " Soft Deleting 3 files: L1.326, L1.327, L1.328"
+ - " Soft Deleting 5 files: L1.88, L1.89, L1.90, L1.91, L1.92"
+ - " Upgrading 1 files level to CompactionLevel::L2: L1.87"
- " Creating 3 files"
- - "**** Simulation run 130, type=split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))(split_times=[188538]). 3 Input Files, 15mb total:"
- - "L1 "
- - "L1.332[195481,200000] 10ns 2mb |--L1.332--| "
- - "L1.331[177404,195480] 10ns 8mb |--------------------L1.331--------------------| "
- - "L1.330[166580,177403] 10ns 5mb|----------L1.330-----------| "
- - "**** 2 Output Files (parquet_file_id not yet assigned), 15mb total:"
+ - "**** Simulation run 19, type=split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))(split_times=[198729]). 1 Input Files, 3mb total:"
+ - "L1, all files 3mb "
+ - "L1.94[193649,200000] 10ns|-----------------------------------------L1.94------------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- "L2 "
- - "L2.?[166580,188538] 10ns 10mb|--------------------------L2.?---------------------------| "
- - "L2.?[188539,200000] 10ns 5mb |------------L2.?------------| "
+ - "L2.?[193649,198729] 10ns 2mb|--------------------------------L2.?---------------------------------| "
+ - "L2.?[198730,200000] 10ns 586kb |-----L2.?------| "
- "Committing partition 1:"
- - " Soft Deleting 3 files: L1.330, L1.331, L1.332"
- - " Upgrading 1 files level to CompactionLevel::L2: L1.329"
+ - " Soft Deleting 1 files: L1.94"
+ - " Upgrading 1 files level to CompactionLevel::L2: L1.93"
- " Creating 2 files"
- - "**** Final Output Files (717mb written)"
+ - "**** Final Output Files (240mb written)"
- "L2 "
- - "L2.322[100,22619] 10ns 10mb|-L2.322-| "
- - "L2.329[144621,166579] 10ns 10mb |L2.329-| "
- - "L2.333[22620,45033] 10ns 10mb |-L2.333-| "
- - "L2.334[45034,67446] 10ns 10mb |-L2.334-| "
- - "L2.335[67447,87040] 10ns 9mb |L2.335| "
- - "L2.336[87041,109156] 10ns 10mb |L2.336-| "
- - "L2.337[109157,131271] 10ns 10mb |L2.337-| "
- - "L2.338[131272,144620] 10ns 6mb |L2.338| "
- - "L2.339[166580,188538] 10ns 10mb |L2.339-| "
- - "L2.340[188539,200000] 10ns 5mb |L2.340|"
+ - "L2.81[100,22311] 10ns 10mb|-L2.81-| "
+ - "L2.87[85769,107980] 10ns 10mb |-L2.87-| "
+ - "L2.93[171437,193648] 10ns 10mb |-L2.93-| "
+ - "L2.95[22312,44523] 10ns 10mb |-L2.95-| "
+ - "L2.96[44524,66734] 10ns 10mb |-L2.96-| "
+ - "L2.97[66735,85768] 10ns 9mb |L2.97-| "
+ - "L2.98[107981,130192] 10ns 10mb |-L2.98-| "
+ - "L2.99[130193,152403] 10ns 10mb |-L2.99-| "
+ - "L2.100[152404,171436] 10ns 9mb |L2.100| "
+ - "L2.101[193649,198729] 10ns 2mb |L2.101|"
+ - "L2.102[198730,200000] 10ns 586kb |L2.102|"
"###
);
}
diff --git a/compactor/tests/layouts/large_files.rs b/compactor/tests/layouts/large_files.rs
index 4f53980213..96d849dc5c 100644
--- a/compactor/tests/layouts/large_files.rs
+++ b/compactor/tests/layouts/large_files.rs
@@ -645,7 +645,7 @@ async fn two_large_files_total_over_max_compact_size_start_l0() {
- "Committing partition 1:"
- " Soft Deleting 2 files: L0.1, L1.2"
- " Creating 4 files"
- - "**** Simulation run 2, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[334]). 2 Input Files, 200mb total:"
+ - "**** Simulation run 2, type=split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))(split_times=[334]). 2 Input Files, 200mb total:"
- "L0 "
- "L0.3[0,667] 10ns 100mb |------------------------------------------L0.3------------------------------------------|"
- "L1 "
@@ -669,24 +669,24 @@ async fn two_large_files_total_over_max_compact_size_start_l0() {
- "Committing partition 1:"
- " Soft Deleting 2 files: L0.4, L1.6"
- " Creating 2 files"
- - "**** Simulation run 4, type=split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))(split_times=[669]). 3 Input Files, 200mb total:"
- - "L1 "
- - "L1.10[934,1000] 10ns 20mb |L1.10-| "
- - "L1.9[668,933] 10ns 80mb |--------------L1.9---------------| "
- - "L1.8[335,667] 10ns 100mb |-------------------L1.8-------------------| "
- - "**** 2 Output Files (parquet_file_id not yet assigned), 200mb total:"
+ - "**** Simulation run 4, type=split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))(split_times=[986]). 1 Input Files, 20mb total:"
+ - "L1, all files 20mb "
+ - "L1.10[934,1000] 10ns |-----------------------------------------L1.10------------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 20mb total:"
- "L2 "
- - "L2.?[335,669] 10ns 100mb |-------------------L2.?--------------------| "
- - "L2.?[670,1000] 10ns 99mb |-------------------L2.?-------------------| "
+ - "L2.?[934,986] 10ns 16mb |--------------------------------L2.?--------------------------------| "
+ - "L2.?[987,1000] 10ns 4mb |-----L2.?------| "
- "Committing partition 1:"
- - " Soft Deleting 3 files: L1.8, L1.9, L1.10"
- - " Upgrading 1 files level to CompactionLevel::L2: L1.7"
+ - " Soft Deleting 1 files: L1.10"
+ - " Upgrading 3 files level to CompactionLevel::L2: L1.7, L1.8, L1.9"
- " Creating 2 files"
- - "**** Final Output Files (800mb written)"
+ - "**** Final Output Files (620mb written)"
- "L2 "
- "L2.7[0,334] 10ns 100mb |------------L2.7------------| "
- - "L2.11[335,669] 10ns 100mb |-----------L2.11------------| "
- - "L2.12[670,1000] 10ns 99mb |-----------L2.12-----------| "
+ - "L2.8[335,667] 10ns 100mb |-----------L2.8------------| "
+ - "L2.9[668,933] 10ns 80mb |--------L2.9---------| "
+ - "L2.11[934,986] 10ns 16mb |L2.11|"
+ - "L2.12[987,1000] 10ns 4mb |L2.12|"
"###
);
diff --git a/compactor/tests/layouts/large_overlaps.rs b/compactor/tests/layouts/large_overlaps.rs
index 747054026d..69f865e9c3 100644
--- a/compactor/tests/layouts/large_overlaps.rs
+++ b/compactor/tests/layouts/large_overlaps.rs
@@ -581,362 +581,333 @@ async fn many_good_size_l0_files() {
- "Committing partition 1:"
- " Soft Deleting 2 files: L0.96, L0.191"
- " Creating 4 files"
- - "**** Simulation run 2, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[50, 100]). 151 Input Files, 300mb total:"
+ - "**** Simulation run 2, type=split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))(split_times=[50]). 96 Input Files, 191mb total:"
- "L0 "
- - "L0.1[0,1] 1ns 2mb |L0.1| "
- - "L0.2[1,2] 2ns 2mb |L0.2| "
+ - "L0.289[95,95] 96ns 1mb |L0.289|"
+ - "L0.95[94,95] 95ns 2mb |L0.95|"
+ - "L0.94[93,94] 94ns 2mb |L0.94|"
+ - "L0.93[92,93] 93ns 2mb |L0.93|"
+ - "L0.92[91,92] 92ns 2mb |L0.92|"
+ - "L0.91[90,91] 91ns 2mb |L0.91|"
+ - "L0.90[89,90] 90ns 2mb |L0.90|"
+ - "L0.89[88,89] 89ns 2mb |L0.89|"
+ - "L0.88[87,88] 88ns 2mb |L0.88| "
+ - "L0.87[86,87] 87ns 2mb |L0.87| "
+ - "L0.86[85,86] 86ns 2mb |L0.86| "
+ - "L0.85[84,85] 85ns 2mb |L0.85| "
+ - "L0.84[83,84] 84ns 2mb |L0.84| "
+ - "L0.83[82,83] 83ns 2mb |L0.83| "
+ - "L0.82[81,82] 82ns 2mb |L0.82| "
+ - "L0.81[80,81] 81ns 2mb |L0.81| "
+ - "L0.80[79,80] 80ns 2mb |L0.80| "
+ - "L0.79[78,79] 79ns 2mb |L0.79| "
+ - "L0.78[77,78] 78ns 2mb |L0.78| "
+ - "L0.77[76,77] 77ns 2mb |L0.77| "
+ - "L0.76[75,76] 76ns 2mb |L0.76| "
+ - "L0.75[74,75] 75ns 2mb |L0.75| "
+ - "L0.74[73,74] 74ns 2mb |L0.74| "
+ - "L0.73[72,73] 73ns 2mb |L0.73| "
+ - "L0.72[71,72] 72ns 2mb |L0.72| "
+ - "L0.71[70,71] 71ns 2mb |L0.71| "
+ - "L0.70[69,70] 70ns 2mb |L0.70| "
+ - "L0.69[68,69] 69ns 2mb |L0.69| "
+ - "L0.68[67,68] 68ns 2mb |L0.68| "
+ - "L0.67[66,67] 67ns 2mb |L0.67| "
+ - "L0.66[65,66] 66ns 2mb |L0.66| "
+ - "L0.65[64,65] 65ns 2mb |L0.65| "
+ - "L0.64[63,64] 64ns 2mb |L0.64| "
+ - "L0.63[62,63] 63ns 2mb |L0.63| "
+ - "L0.62[61,62] 62ns 2mb |L0.62| "
+ - "L0.61[60,61] 61ns 2mb |L0.61| "
+ - "L0.60[59,60] 60ns 2mb |L0.60| "
+ - "L0.59[58,59] 59ns 2mb |L0.59| "
+ - "L0.58[57,58] 58ns 2mb |L0.58| "
+ - "L0.57[56,57] 57ns 2mb |L0.57| "
+ - "L0.56[55,56] 56ns 2mb |L0.56| "
+ - "L0.55[54,55] 55ns 2mb |L0.55| "
+ - "L0.54[53,54] 54ns 2mb |L0.54| "
+ - "L0.53[52,53] 53ns 2mb |L0.53| "
+ - "L0.52[51,52] 52ns 2mb |L0.52| "
+ - "L0.51[50,51] 51ns 2mb |L0.51| "
+ - "L0.50[49,50] 50ns 2mb |L0.50| "
+ - "L0.49[48,49] 49ns 2mb |L0.49| "
+ - "L0.48[47,48] 48ns 2mb |L0.48| "
+ - "L0.47[46,47] 47ns 2mb |L0.47| "
+ - "L0.46[45,46] 46ns 2mb |L0.46| "
+ - "L0.45[44,45] 45ns 2mb |L0.45| "
+ - "L0.44[43,44] 44ns 2mb |L0.44| "
+ - "L0.43[42,43] 43ns 2mb |L0.43| "
+ - "L0.42[41,42] 42ns 2mb |L0.42| "
+ - "L0.41[40,41] 41ns 2mb |L0.41| "
+ - "L0.40[39,40] 40ns 2mb |L0.40| "
+ - "L0.39[38,39] 39ns 2mb |L0.39| "
+ - "L0.38[37,38] 38ns 2mb |L0.38| "
+ - "L0.37[36,37] 37ns 2mb |L0.37| "
+ - "L0.36[35,36] 36ns 2mb |L0.36| "
+ - "L0.35[34,35] 35ns 2mb |L0.35| "
+ - "L0.34[33,34] 34ns 2mb |L0.34| "
+ - "L0.33[32,33] 33ns 2mb |L0.33| "
+ - "L0.32[31,32] 32ns 2mb |L0.32| "
+ - "L0.31[30,31] 31ns 2mb |L0.31| "
+ - "L0.30[29,30] 30ns 2mb |L0.30| "
+ - "L0.29[28,29] 29ns 2mb |L0.29| "
+ - "L0.28[27,28] 28ns 2mb |L0.28| "
+ - "L0.27[26,27] 27ns 2mb |L0.27| "
+ - "L0.26[25,26] 26ns 2mb |L0.26| "
+ - "L0.25[24,25] 25ns 2mb |L0.25| "
+ - "L0.24[23,24] 24ns 2mb |L0.24| "
+ - "L0.23[22,23] 23ns 2mb |L0.23| "
+ - "L0.22[21,22] 22ns 2mb |L0.22| "
+ - "L0.21[20,21] 21ns 2mb |L0.21| "
+ - "L0.20[19,20] 20ns 2mb |L0.20| "
+ - "L0.19[18,19] 19ns 2mb |L0.19| "
+ - "L0.18[17,18] 18ns 2mb |L0.18| "
+ - "L0.17[16,17] 17ns 2mb |L0.17| "
+ - "L0.16[15,16] 16ns 2mb |L0.16| "
+ - "L0.15[14,15] 15ns 2mb |L0.15| "
+ - "L0.14[13,14] 14ns 2mb |L0.14| "
+ - "L0.13[12,13] 13ns 2mb |L0.13| "
+ - "L0.12[11,12] 12ns 2mb |L0.12| "
+ - "L0.11[10,11] 11ns 2mb |L0.11| "
+ - "L0.10[9,10] 10ns 2mb |L0.10| "
+ - "L0.9[8,9] 9ns 2mb |L0.9| "
+ - "L0.8[7,8] 8ns 2mb |L0.8| "
+ - "L0.7[6,7] 7ns 2mb |L0.7| "
+ - "L0.6[5,6] 6ns 2mb |L0.6| "
+ - "L0.5[4,5] 5ns 2mb |L0.5| "
+ - "L0.4[3,4] 4ns 2mb |L0.4| "
- "L0.3[2,3] 3ns 2mb |L0.3| "
- - "L0.4[3,4] 4ns 2mb |L0.4| "
- - "L0.5[4,5] 5ns 2mb |L0.5| "
- - "L0.6[5,6] 6ns 2mb |L0.6| "
- - "L0.7[6,7] 7ns 2mb |L0.7| "
- - "L0.8[7,8] 8ns 2mb |L0.8| "
- - "L0.9[8,9] 9ns 2mb |L0.9| "
- - "L0.10[9,10] 10ns 2mb |L0.10| "
- - "L0.11[10,11] 11ns 2mb |L0.11| "
- - "L0.12[11,12] 12ns 2mb |L0.12| "
- - "L0.13[12,13] 13ns 2mb |L0.13| "
- - "L0.14[13,14] 14ns 2mb |L0.14| "
- - "L0.15[14,15] 15ns 2mb |L0.15| "
- - "L0.16[15,16] 16ns 2mb |L0.16| "
- - "L0.17[16,17] 17ns 2mb |L0.17| "
- - "L0.18[17,18] 18ns 2mb |L0.18| "
- - "L0.19[18,19] 19ns 2mb |L0.19| "
- - "L0.20[19,20] 20ns 2mb |L0.20| "
- - "L0.21[20,21] 21ns 2mb |L0.21| "
- - "L0.22[21,22] 22ns 2mb |L0.22| "
- - "L0.23[22,23] 23ns 2mb |L0.23| "
- - "L0.24[23,24] 24ns 2mb |L0.24| "
- - "L0.25[24,25] 25ns 2mb |L0.25| "
- - "L0.26[25,26] 26ns 2mb |L0.26| "
- - "L0.27[26,27] 27ns 2mb |L0.27| "
- - "L0.28[27,28] 28ns 2mb |L0.28| "
- - "L0.29[28,29] 29ns 2mb |L0.29| "
- - "L0.30[29,30] 30ns 2mb |L0.30| "
- - "L0.31[30,31] 31ns 2mb |L0.31| "
- - "L0.32[31,32] 32ns 2mb |L0.32| "
- - "L0.33[32,33] 33ns 2mb |L0.33| "
- - "L0.34[33,34] 34ns 2mb |L0.34| "
- - "L0.35[34,35] 35ns 2mb |L0.35| "
- - "L0.36[35,36] 36ns 2mb |L0.36| "
- - "L0.37[36,37] 37ns 2mb |L0.37| "
- - "L0.38[37,38] 38ns 2mb |L0.38| "
- - "L0.39[38,39] 39ns 2mb |L0.39| "
- - "L0.40[39,40] 40ns 2mb |L0.40| "
- - "L0.41[40,41] 41ns 2mb |L0.41| "
- - "L0.42[41,42] 42ns 2mb |L0.42| "
- - "L0.43[42,43] 43ns 2mb |L0.43| "
- - "L0.44[43,44] 44ns 2mb |L0.44| "
- - "L0.45[44,45] 45ns 2mb |L0.45| "
- - "L0.46[45,46] 46ns 2mb |L0.46| "
- - "L0.47[46,47] 47ns 2mb |L0.47| "
- - "L0.48[47,48] 48ns 2mb |L0.48| "
- - "L0.49[48,49] 49ns 2mb |L0.49| "
- - "L0.50[49,50] 50ns 2mb |L0.50| "
- - "L0.51[50,51] 51ns 2mb |L0.51| "
- - "L0.52[51,52] 52ns 2mb |L0.52| "
- - "L0.53[52,53] 53ns 2mb |L0.53| "
- - "L0.54[53,54] 54ns 2mb |L0.54| "
- - "L0.55[54,55] 55ns 2mb |L0.55| "
- - "L0.56[55,56] 56ns 2mb |L0.56| "
- - "L0.57[56,57] 57ns 2mb |L0.57| "
- - "L0.58[57,58] 58ns 2mb |L0.58| "
- - "L0.59[58,59] 59ns 2mb |L0.59| "
- - "L0.60[59,60] 60ns 2mb |L0.60| "
- - "L0.61[60,61] 61ns 2mb |L0.61| "
- - "L0.62[61,62] 62ns 2mb |L0.62| "
- - "L0.63[62,63] 63ns 2mb |L0.63| "
- - "L0.64[63,64] 64ns 2mb |L0.64| "
- - "L0.65[64,65] 65ns 2mb |L0.65| "
- - "L0.66[65,66] 66ns 2mb |L0.66| "
- - "L0.67[66,67] 67ns 2mb |L0.67| "
- - "L0.68[67,68] 68ns 2mb |L0.68| "
- - "L0.69[68,69] 69ns 2mb |L0.69| "
- - "L0.70[69,70] 70ns 2mb |L0.70| "
- - "L0.71[70,71] 71ns 2mb |L0.71| "
- - "L0.72[71,72] 72ns 2mb |L0.72| "
- - "L0.73[72,73] 73ns 2mb |L0.73| "
- - "L0.74[73,74] 74ns 2mb |L0.74| "
- - "L0.75[74,75] 75ns 2mb |L0.75| "
- - "L0.76[75,76] 76ns 2mb |L0.76| "
- - "L0.77[76,77] 77ns 2mb |L0.77| "
- - "L0.78[77,78] 78ns 2mb |L0.78| "
- - "L0.79[78,79] 79ns 2mb |L0.79| "
- - "L0.80[79,80] 80ns 2mb |L0.80| "
- - "L0.81[80,81] 81ns 2mb |L0.81| "
- - "L0.82[81,82] 82ns 2mb |L0.82| "
- - "L0.83[82,83] 83ns 2mb |L0.83| "
- - "L0.84[83,84] 84ns 2mb |L0.84| "
- - "L0.85[84,85] 85ns 2mb |L0.85| "
- - "L0.86[85,86] 86ns 2mb |L0.86| "
- - "L0.87[86,87] 87ns 2mb |L0.87| "
- - "L0.88[87,88] 88ns 2mb |L0.88| "
- - "L0.89[88,89] 89ns 2mb |L0.89| "
- - "L0.90[89,90] 90ns 2mb |L0.90| "
- - "L0.91[90,91] 91ns 2mb |L0.91| "
- - "L0.92[91,92] 92ns 2mb |L0.92| "
- - "L0.93[92,93] 93ns 2mb |L0.93| "
- - "L0.94[93,94] 94ns 2mb |L0.94| "
- - "L0.95[94,95] 95ns 2mb |L0.95| "
- - "L0.289[95,95] 96ns 1mb |L0.289| "
- - "L0.290[96,96] 96ns 1mb |L0.290| "
- - "L0.97[96,97] 97ns 2mb |L0.97| "
- - "L0.98[97,98] 98ns 2mb |L0.98| "
- - "L0.99[98,99] 99ns 2mb |L0.99| "
- - "L0.100[99,100] 100ns 2mb |L0.100| "
- - "L0.101[100,101] 101ns 2mb |L0.101| "
- - "L0.102[101,102] 102ns 2mb |L0.102| "
- - "L0.103[102,103] 103ns 2mb |L0.103| "
- - "L0.104[103,104] 104ns 2mb |L0.104| "
- - "L0.105[104,105] 105ns 2mb |L0.105| "
- - "L0.106[105,106] 106ns 2mb |L0.106| "
- - "L0.107[106,107] 107ns 2mb |L0.107| "
- - "L0.108[107,108] 108ns 2mb |L0.108| "
- - "L0.109[108,109] 109ns 2mb |L0.109| "
- - "L0.110[109,110] 110ns 2mb |L0.110| "
- - "L0.111[110,111] 111ns 2mb |L0.111| "
- - "L0.112[111,112] 112ns 2mb |L0.112| "
- - "L0.113[112,113] 113ns 2mb |L0.113| "
- - "L0.114[113,114] 114ns 2mb |L0.114| "
- - "L0.115[114,115] 115ns 2mb |L0.115| "
- - "L0.116[115,116] 116ns 2mb |L0.116| "
- - "L0.117[116,117] 117ns 2mb |L0.117| "
- - "L0.118[117,118] 118ns 2mb |L0.118| "
- - "L0.119[118,119] 119ns 2mb |L0.119| "
- - "L0.120[119,120] 120ns 2mb |L0.120| "
- - "L0.121[120,121] 121ns 2mb |L0.121| "
- - "L0.122[121,122] 122ns 2mb |L0.122| "
- - "L0.123[122,123] 123ns 2mb |L0.123| "
- - "L0.124[123,124] 124ns 2mb |L0.124| "
- - "L0.125[124,125] 125ns 2mb |L0.125| "
- - "L0.126[125,126] 126ns 2mb |L0.126| "
- - "L0.127[126,127] 127ns 2mb |L0.127| "
- - "L0.128[127,128] 128ns 2mb |L0.128| "
- - "L0.129[128,129] 129ns 2mb |L0.129| "
- - "L0.130[129,130] 130ns 2mb |L0.130| "
- - "L0.131[130,131] 131ns 2mb |L0.131| "
- - "L0.132[131,132] 132ns 2mb |L0.132| "
- - "L0.133[132,133] 133ns 2mb |L0.133| "
- - "L0.134[133,134] 134ns 2mb |L0.134| "
- - "L0.135[134,135] 135ns 2mb |L0.135| "
- - "L0.136[135,136] 136ns 2mb |L0.136| "
- - "L0.137[136,137] 137ns 2mb |L0.137| "
- - "L0.138[137,138] 138ns 2mb |L0.138|"
- - "L0.139[138,139] 139ns 2mb |L0.139|"
- - "L0.140[139,140] 140ns 2mb |L0.140|"
- - "L0.141[140,141] 141ns 2mb |L0.141|"
- - "L0.142[141,142] 142ns 2mb |L0.142|"
- - "L0.143[142,143] 143ns 2mb |L0.143|"
- - "L0.144[143,144] 144ns 2mb |L0.144|"
- - "L0.145[144,145] 145ns 2mb |L0.145|"
- - "L0.146[145,146] 146ns 2mb |L0.146|"
- - "L0.147[146,147] 147ns 2mb |L0.147|"
- - "L0.148[147,148] 148ns 2mb |L0.148|"
- - "L0.149[148,149] 149ns 2mb |L0.149|"
- - "L0.150[149,150] 150ns 2mb |L0.150|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 300mb total:"
- - "L1 "
- - "L1.?[0,50] 150ns 101mb |------------L1.?------------| "
- - "L1.?[51,100] 150ns 99mb |-----------L1.?------------| "
- - "L1.?[101,150] 150ns 99mb |-----------L1.?------------| "
- - "Committing partition 1:"
- - " Soft Deleting 151 files: L0.1, L0.2, L0.3, L0.4, L0.5, L0.6, L0.7, L0.8, L0.9, L0.10, L0.11, L0.12, L0.13, L0.14, L0.15, L0.16, L0.17, L0.18, L0.19, L0.20, L0.21, L0.22, L0.23, L0.24, L0.25, L0.26, L0.27, L0.28, L0.29, L0.30, L0.31, L0.32, L0.33, L0.34, L0.35, L0.36, L0.37, L0.38, L0.39, L0.40, L0.41, L0.42, L0.43, L0.44, L0.45, L0.46, L0.47, L0.48, L0.49, L0.50, L0.51, L0.52, L0.53, L0.54, L0.55, L0.56, L0.57, L0.58, L0.59, L0.60, L0.61, L0.62, L0.63, L0.64, L0.65, L0.66, L0.67, L0.68, L0.69, L0.70, L0.71, L0.72, L0.73, L0.74, L0.75, L0.76, L0.77, L0.78, L0.79, L0.80, L0.81, L0.82, L0.83, L0.84, L0.85, L0.86, L0.87, L0.88, L0.89, L0.90, L0.91, L0.92, L0.93, L0.94, L0.95, L0.97, L0.98, L0.99, L0.100, L0.101, L0.102, L0.103, L0.104, L0.105, L0.106, L0.107, L0.108, L0.109, L0.110, L0.111, L0.112, L0.113, L0.114, L0.115, L0.116, L0.117, L0.118, L0.119, L0.120, L0.121, L0.122, L0.123, L0.124, L0.125, L0.126, L0.127, L0.128, L0.129, L0.130, L0.131, L0.132, L0.133, L0.134, L0.135, L0.136, L0.137, L0.138, L0.139, L0.140, L0.141, L0.142, L0.143, L0.144, L0.145, L0.146, L0.147, L0.148, L0.149, L0.150, L0.289, L0.290"
- - " Creating 3 files"
- - "**** Simulation run 3, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[151, 201]). 102 Input Files, 299mb total:"
- - "L0 "
- - "L0.151[150,151] 151ns 2mb |L0.151| "
- - "L0.152[151,152] 152ns 2mb |L0.152| "
- - "L0.153[152,153] 153ns 2mb |L0.153| "
- - "L0.154[153,154] 154ns 2mb |L0.154| "
- - "L0.155[154,155] 155ns 2mb |L0.155| "
- - "L0.156[155,156] 156ns 2mb |L0.156| "
- - "L0.157[156,157] 157ns 2mb |L0.157| "
- - "L0.158[157,158] 158ns 2mb |L0.158| "
- - "L0.159[158,159] 159ns 2mb |L0.159| "
- - "L0.160[159,160] 160ns 2mb |L0.160| "
- - "L0.161[160,161] 161ns 2mb |L0.161| "
- - "L0.162[161,162] 162ns 2mb |L0.162| "
- - "L0.163[162,163] 163ns 2mb |L0.163| "
- - "L0.164[163,164] 164ns 2mb |L0.164| "
- - "L0.165[164,165] 165ns 2mb |L0.165| "
- - "L0.166[165,166] 166ns 2mb |L0.166| "
- - "L0.167[166,167] 167ns 2mb |L0.167| "
- - "L0.168[167,168] 168ns 2mb |L0.168| "
- - "L0.169[168,169] 169ns 2mb |L0.169| "
- - "L0.170[169,170] 170ns 2mb |L0.170| "
- - "L0.171[170,171] 171ns 2mb |L0.171| "
- - "L0.172[171,172] 172ns 2mb |L0.172| "
- - "L0.173[172,173] 173ns 2mb |L0.173| "
- - "L0.174[173,174] 174ns 2mb |L0.174| "
- - "L0.175[174,175] 175ns 2mb |L0.175| "
- - "L0.176[175,176] 176ns 2mb |L0.176| "
- - "L0.177[176,177] 177ns 2mb |L0.177| "
- - "L0.178[177,178] 178ns 2mb |L0.178| "
- - "L0.179[178,179] 179ns 2mb |L0.179| "
- - "L0.180[179,180] 180ns 2mb |L0.180| "
- - "L0.181[180,181] 181ns 2mb |L0.181| "
- - "L0.182[181,182] 182ns 2mb |L0.182| "
- - "L0.183[182,183] 183ns 2mb |L0.183| "
- - "L0.184[183,184] 184ns 2mb |L0.184| "
- - "L0.185[184,185] 185ns 2mb |L0.185| "
- - "L0.186[185,186] 186ns 2mb |L0.186| "
- - "L0.187[186,187] 187ns 2mb |L0.187| "
- - "L0.188[187,188] 188ns 2mb |L0.188| "
- - "L0.189[188,189] 189ns 2mb |L0.189| "
- - "L0.190[189,190] 190ns 2mb |L0.190| "
- - "L0.291[190,190] 191ns 1mb |L0.291| "
- - "L0.292[191,191] 191ns 1mb |L0.292| "
- - "L0.192[191,192] 192ns 2mb |L0.192| "
- - "L0.193[192,193] 193ns 2mb |L0.193| "
- - "L0.194[193,194] 194ns 2mb |L0.194| "
- - "L0.195[194,195] 195ns 2mb |L0.195| "
- - "L0.196[195,196] 196ns 2mb |L0.196| "
- - "L0.197[196,197] 197ns 2mb |L0.197| "
- - "L0.198[197,198] 198ns 2mb |L0.198| "
- - "L0.199[198,199] 199ns 2mb |L0.199| "
- - "L0.200[199,200] 200ns 2mb |L0.200| "
- - "L0.201[200,201] 201ns 2mb |L0.201| "
- - "L0.202[201,202] 202ns 2mb |L0.202| "
- - "L0.203[202,203] 203ns 2mb |L0.203| "
- - "L0.204[203,204] 204ns 2mb |L0.204| "
- - "L0.205[204,205] 205ns 2mb |L0.205| "
- - "L0.206[205,206] 206ns 2mb |L0.206| "
- - "L0.207[206,207] 207ns 2mb |L0.207| "
- - "L0.208[207,208] 208ns 2mb |L0.208| "
- - "L0.209[208,209] 209ns 2mb |L0.209| "
- - "L0.210[209,210] 210ns 2mb |L0.210| "
- - "L0.211[210,211] 211ns 2mb |L0.211| "
- - "L0.212[211,212] 212ns 2mb |L0.212| "
- - "L0.213[212,213] 213ns 2mb |L0.213| "
- - "L0.214[213,214] 214ns 2mb |L0.214| "
- - "L0.215[214,215] 215ns 2mb |L0.215| "
- - "L0.216[215,216] 216ns 2mb |L0.216| "
- - "L0.217[216,217] 217ns 2mb |L0.217| "
- - "L0.218[217,218] 218ns 2mb |L0.218| "
- - "L0.219[218,219] 219ns 2mb |L0.219| "
- - "L0.220[219,220] 220ns 2mb |L0.220| "
- - "L0.221[220,221] 221ns 2mb |L0.221| "
- - "L0.222[221,222] 222ns 2mb |L0.222| "
- - "L0.223[222,223] 223ns 2mb |L0.223| "
- - "L0.224[223,224] 224ns 2mb |L0.224| "
- - "L0.225[224,225] 225ns 2mb |L0.225| "
- - "L0.226[225,226] 226ns 2mb |L0.226| "
- - "L0.227[226,227] 227ns 2mb |L0.227| "
- - "L0.228[227,228] 228ns 2mb |L0.228| "
- - "L0.229[228,229] 229ns 2mb |L0.229| "
- - "L0.230[229,230] 230ns 2mb |L0.230| "
- - "L0.231[230,231] 231ns 2mb |L0.231| "
- - "L0.232[231,232] 232ns 2mb |L0.232| "
- - "L0.233[232,233] 233ns 2mb |L0.233| "
- - "L0.234[233,234] 234ns 2mb |L0.234| "
- - "L0.235[234,235] 235ns 2mb |L0.235| "
- - "L0.236[235,236] 236ns 2mb |L0.236| "
- - "L0.237[236,237] 237ns 2mb |L0.237| "
- - "L0.238[237,238] 238ns 2mb |L0.238|"
- - "L0.239[238,239] 239ns 2mb |L0.239|"
- - "L0.240[239,240] 240ns 2mb |L0.240|"
- - "L0.241[240,241] 241ns 2mb |L0.241|"
- - "L0.242[241,242] 242ns 2mb |L0.242|"
- - "L0.243[242,243] 243ns 2mb |L0.243|"
- - "L0.244[243,244] 244ns 2mb |L0.244|"
- - "L0.245[244,245] 245ns 2mb |L0.245|"
- - "L0.246[245,246] 246ns 2mb |L0.246|"
- - "L0.247[246,247] 247ns 2mb |L0.247|"
- - "L0.248[247,248] 248ns 2mb |L0.248|"
- - "L0.249[248,249] 249ns 2mb |L0.249|"
- - "L0.250[249,250] 250ns 2mb |L0.250|"
- - "L1 "
- - "L1.295[101,150] 150ns 99mb|----------L1.295-----------| "
- - "**** 3 Output Files (parquet_file_id not yet assigned), 299mb total:"
+ - "L0.2[1,2] 2ns 2mb |L0.2| "
+ - "L0.1[0,1] 1ns 2mb |L0.1| "
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 191mb total:"
- "L1 "
- - "L1.?[101,151] 250ns 102mb|------------L1.?------------| "
- - "L1.?[152,201] 250ns 100mb |-----------L1.?------------| "
- - "L1.?[202,250] 250ns 98mb |-----------L1.?-----------| "
+ - "L1.?[0,50] 96ns 101mb |--------------------L1.?---------------------| "
+ - "L1.?[51,95] 96ns 90mb |-----------------L1.?------------------| "
- "Committing partition 1:"
- - " Soft Deleting 102 files: L0.151, L0.152, L0.153, L0.154, L0.155, L0.156, L0.157, L0.158, L0.159, L0.160, L0.161, L0.162, L0.163, L0.164, L0.165, L0.166, L0.167, L0.168, L0.169, L0.170, L0.171, L0.172, L0.173, L0.174, L0.175, L0.176, L0.177, L0.178, L0.179, L0.180, L0.181, L0.182, L0.183, L0.184, L0.185, L0.186, L0.187, L0.188, L0.189, L0.190, L0.192, L0.193, L0.194, L0.195, L0.196, L0.197, L0.198, L0.199, L0.200, L0.201, L0.202, L0.203, L0.204, L0.205, L0.206, L0.207, L0.208, L0.209, L0.210, L0.211, L0.212, L0.213, L0.214, L0.215, L0.216, L0.217, L0.218, L0.219, L0.220, L0.221, L0.222, L0.223, L0.224, L0.225, L0.226, L0.227, L0.228, L0.229, L0.230, L0.231, L0.232, L0.233, L0.234, L0.235, L0.236, L0.237, L0.238, L0.239, L0.240, L0.241, L0.242, L0.243, L0.244, L0.245, L0.246, L0.247, L0.248, L0.249, L0.250, L0.291, L0.292, L1.295"
- - " Creating 3 files"
- - "**** Simulation run 4, type=split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))(split_times=[252]). 39 Input Files, 174mb total:"
+ - " Soft Deleting 96 files: L0.1, L0.2, L0.3, L0.4, L0.5, L0.6, L0.7, L0.8, L0.9, L0.10, L0.11, L0.12, L0.13, L0.14, L0.15, L0.16, L0.17, L0.18, L0.19, L0.20, L0.21, L0.22, L0.23, L0.24, L0.25, L0.26, L0.27, L0.28, L0.29, L0.30, L0.31, L0.32, L0.33, L0.34, L0.35, L0.36, L0.37, L0.38, L0.39, L0.40, L0.41, L0.42, L0.43, L0.44, L0.45, L0.46, L0.47, L0.48, L0.49, L0.50, L0.51, L0.52, L0.53, L0.54, L0.55, L0.56, L0.57, L0.58, L0.59, L0.60, L0.61, L0.62, L0.63, L0.64, L0.65, L0.66, L0.67, L0.68, L0.69, L0.70, L0.71, L0.72, L0.73, L0.74, L0.75, L0.76, L0.77, L0.78, L0.79, L0.80, L0.81, L0.82, L0.83, L0.84, L0.85, L0.86, L0.87, L0.88, L0.89, L0.90, L0.91, L0.92, L0.93, L0.94, L0.95, L0.289"
+ - " Creating 2 files"
+ - "**** Simulation run 3, type=split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))(split_times=[146]). 96 Input Files, 190mb total:"
- "L0 "
- - "L0.288[287,288] 288ns 2mb |L0.288|"
- - "L0.287[286,287] 287ns 2mb |L0.287|"
- - "L0.286[285,286] 286ns 2mb |L0.286|"
- - "L0.285[284,285] 285ns 2mb |L0.285|"
- - "L0.284[283,284] 284ns 2mb |L0.284|"
- - "L0.283[282,283] 283ns 2mb |L0.283|"
- - "L0.282[281,282] 282ns 2mb |L0.282|"
- - "L0.281[280,281] 281ns 2mb |L0.281| "
- - "L0.280[279,280] 280ns 2mb |L0.280| "
- - "L0.279[278,279] 279ns 2mb |L0.279| "
- - "L0.278[277,278] 278ns 2mb |L0.278| "
- - "L0.277[276,277] 277ns 2mb |L0.277| "
- - "L0.276[275,276] 276ns 2mb |L0.276| "
- - "L0.275[274,275] 275ns 2mb |L0.275| "
- - "L0.274[273,274] 274ns 2mb |L0.274| "
- - "L0.273[272,273] 273ns 2mb |L0.273| "
- - "L0.272[271,272] 272ns 2mb |L0.272| "
- - "L0.271[270,271] 271ns 2mb |L0.271| "
- - "L0.270[269,270] 270ns 2mb |L0.270| "
- - "L0.269[268,269] 269ns 2mb |L0.269| "
- - "L0.268[267,268] 268ns 2mb |L0.268| "
- - "L0.267[266,267] 267ns 2mb |L0.267| "
- - "L0.266[265,266] 266ns 2mb |L0.266| "
- - "L0.265[264,265] 265ns 2mb |L0.265| "
- - "L0.264[263,264] 264ns 2mb |L0.264| "
- - "L0.263[262,263] 263ns 2mb |L0.263| "
- - "L0.262[261,262] 262ns 2mb |L0.262| "
- - "L0.261[260,261] 261ns 2mb |L0.261| "
- - "L0.260[259,260] 260ns 2mb |L0.260| "
- - "L0.259[258,259] 259ns 2mb |L0.259| "
- - "L0.258[257,258] 258ns 2mb |L0.258| "
- - "L0.257[256,257] 257ns 2mb |L0.257| "
- - "L0.256[255,256] 256ns 2mb |L0.256| "
- - "L0.255[254,255] 255ns 2mb |L0.255| "
- - "L0.254[253,254] 254ns 2mb |L0.254| "
- - "L0.253[252,253] 253ns 2mb |L0.253| "
- - "L0.252[251,252] 252ns 2mb |L0.252| "
- - "L0.251[250,251] 251ns 2mb |L0.251| "
+ - "L0.291[190,190] 191ns 1mb |L0.291|"
+ - "L0.290[96,96] 96ns 1mb |L0.290| "
+ - "L0.190[189,190] 190ns 2mb |L0.190|"
+ - "L0.189[188,189] 189ns 2mb |L0.189|"
+ - "L0.188[187,188] 188ns 2mb |L0.188|"
+ - "L0.187[186,187] 187ns 2mb |L0.187|"
+ - "L0.186[185,186] 186ns 2mb |L0.186|"
+ - "L0.185[184,185] 185ns 2mb |L0.185|"
+ - "L0.184[183,184] 184ns 2mb |L0.184|"
+ - "L0.183[182,183] 183ns 2mb |L0.183|"
+ - "L0.182[181,182] 182ns 2mb |L0.182| "
+ - "L0.181[180,181] 181ns 2mb |L0.181| "
+ - "L0.180[179,180] 180ns 2mb |L0.180| "
+ - "L0.179[178,179] 179ns 2mb |L0.179| "
+ - "L0.178[177,178] 178ns 2mb |L0.178| "
+ - "L0.177[176,177] 177ns 2mb |L0.177| "
+ - "L0.176[175,176] 176ns 2mb |L0.176| "
+ - "L0.175[174,175] 175ns 2mb |L0.175| "
+ - "L0.174[173,174] 174ns 2mb |L0.174| "
+ - "L0.173[172,173] 173ns 2mb |L0.173| "
+ - "L0.172[171,172] 172ns 2mb |L0.172| "
+ - "L0.171[170,171] 171ns 2mb |L0.171| "
+ - "L0.170[169,170] 170ns 2mb |L0.170| "
+ - "L0.169[168,169] 169ns 2mb |L0.169| "
+ - "L0.168[167,168] 168ns 2mb |L0.168| "
+ - "L0.167[166,167] 167ns 2mb |L0.167| "
+ - "L0.166[165,166] 166ns 2mb |L0.166| "
+ - "L0.165[164,165] 165ns 2mb |L0.165| "
+ - "L0.164[163,164] 164ns 2mb |L0.164| "
+ - "L0.163[162,163] 163ns 2mb |L0.163| "
+ - "L0.162[161,162] 162ns 2mb |L0.162| "
+ - "L0.161[160,161] 161ns 2mb |L0.161| "
+ - "L0.160[159,160] 160ns 2mb |L0.160| "
+ - "L0.159[158,159] 159ns 2mb |L0.159| "
+ - "L0.158[157,158] 158ns 2mb |L0.158| "
+ - "L0.157[156,157] 157ns 2mb |L0.157| "
+ - "L0.156[155,156] 156ns 2mb |L0.156| "
+ - "L0.155[154,155] 155ns 2mb |L0.155| "
+ - "L0.154[153,154] 154ns 2mb |L0.154| "
+ - "L0.153[152,153] 153ns 2mb |L0.153| "
+ - "L0.152[151,152] 152ns 2mb |L0.152| "
+ - "L0.151[150,151] 151ns 2mb |L0.151| "
+ - "L0.150[149,150] 150ns 2mb |L0.150| "
+ - "L0.149[148,149] 149ns 2mb |L0.149| "
+ - "L0.148[147,148] 148ns 2mb |L0.148| "
+ - "L0.147[146,147] 147ns 2mb |L0.147| "
+ - "L0.146[145,146] 146ns 2mb |L0.146| "
+ - "L0.145[144,145] 145ns 2mb |L0.145| "
+ - "L0.144[143,144] 144ns 2mb |L0.144| "
+ - "L0.143[142,143] 143ns 2mb |L0.143| "
+ - "L0.142[141,142] 142ns 2mb |L0.142| "
+ - "L0.141[140,141] 141ns 2mb |L0.141| "
+ - "L0.140[139,140] 140ns 2mb |L0.140| "
+ - "L0.139[138,139] 139ns 2mb |L0.139| "
+ - "L0.138[137,138] 138ns 2mb |L0.138| "
+ - "L0.137[136,137] 137ns 2mb |L0.137| "
+ - "L0.136[135,136] 136ns 2mb |L0.136| "
+ - "L0.135[134,135] 135ns 2mb |L0.135| "
+ - "L0.134[133,134] 134ns 2mb |L0.134| "
+ - "L0.133[132,133] 133ns 2mb |L0.133| "
+ - "L0.132[131,132] 132ns 2mb |L0.132| "
+ - "L0.131[130,131] 131ns 2mb |L0.131| "
+ - "L0.130[129,130] 130ns 2mb |L0.130| "
+ - "L0.129[128,129] 129ns 2mb |L0.129| "
+ - "L0.128[127,128] 128ns 2mb |L0.128| "
+ - "L0.127[126,127] 127ns 2mb |L0.127| "
+ - "L0.126[125,126] 126ns 2mb |L0.126| "
+ - "L0.125[124,125] 125ns 2mb |L0.125| "
+ - "L0.124[123,124] 124ns 2mb |L0.124| "
+ - "L0.123[122,123] 123ns 2mb |L0.123| "
+ - "L0.122[121,122] 122ns 2mb |L0.122| "
+ - "L0.121[120,121] 121ns 2mb |L0.121| "
+ - "L0.120[119,120] 120ns 2mb |L0.120| "
+ - "L0.119[118,119] 119ns 2mb |L0.119| "
+ - "L0.118[117,118] 118ns 2mb |L0.118| "
+ - "L0.117[116,117] 117ns 2mb |L0.117| "
+ - "L0.116[115,116] 116ns 2mb |L0.116| "
+ - "L0.115[114,115] 115ns 2mb |L0.115| "
+ - "L0.114[113,114] 114ns 2mb |L0.114| "
+ - "L0.113[112,113] 113ns 2mb |L0.113| "
+ - "L0.112[111,112] 112ns 2mb |L0.112| "
+ - "L0.111[110,111] 111ns 2mb |L0.111| "
+ - "L0.110[109,110] 110ns 2mb |L0.110| "
+ - "L0.109[108,109] 109ns 2mb |L0.109| "
+ - "L0.108[107,108] 108ns 2mb |L0.108| "
+ - "L0.107[106,107] 107ns 2mb |L0.107| "
+ - "L0.106[105,106] 106ns 2mb |L0.106| "
+ - "L0.105[104,105] 105ns 2mb |L0.105| "
+ - "L0.104[103,104] 104ns 2mb |L0.104| "
+ - "L0.103[102,103] 103ns 2mb |L0.103| "
+ - "L0.102[101,102] 102ns 2mb |L0.102| "
+ - "L0.101[100,101] 101ns 2mb |L0.101| "
+ - "L0.100[99,100] 100ns 2mb |L0.100| "
+ - "L0.99[98,99] 99ns 2mb |L0.99| "
+ - "L0.98[97,98] 98ns 2mb |L0.98| "
+ - "L0.97[96,97] 97ns 2mb |L0.97| "
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 190mb total:"
- "L1 "
- - "L1.298[202,250] 250ns 98mb|---------------------L1.298---------------------| "
- - "**** 2 Output Files (parquet_file_id not yet assigned), 174mb total:"
- - "L1 "
- - "L1.?[202,252] 288ns 102mb|-----------------------L1.?-----------------------| "
- - "L1.?[253,288] 288ns 72mb |---------------L1.?---------------| "
+ - "L1.?[96,146] 191ns 102mb |--------------------L1.?---------------------| "
+ - "L1.?[147,190] 191ns 88mb |-----------------L1.?------------------| "
- "Committing partition 1:"
- - " Soft Deleting 39 files: L0.251, L0.252, L0.253, L0.254, L0.255, L0.256, L0.257, L0.258, L0.259, L0.260, L0.261, L0.262, L0.263, L0.264, L0.265, L0.266, L0.267, L0.268, L0.269, L0.270, L0.271, L0.272, L0.273, L0.274, L0.275, L0.276, L0.277, L0.278, L0.279, L0.280, L0.281, L0.282, L0.283, L0.284, L0.285, L0.286, L0.287, L0.288, L1.298"
+ - " Soft Deleting 96 files: L0.97, L0.98, L0.99, L0.100, L0.101, L0.102, L0.103, L0.104, L0.105, L0.106, L0.107, L0.108, L0.109, L0.110, L0.111, L0.112, L0.113, L0.114, L0.115, L0.116, L0.117, L0.118, L0.119, L0.120, L0.121, L0.122, L0.123, L0.124, L0.125, L0.126, L0.127, L0.128, L0.129, L0.130, L0.131, L0.132, L0.133, L0.134, L0.135, L0.136, L0.137, L0.138, L0.139, L0.140, L0.141, L0.142, L0.143, L0.144, L0.145, L0.146, L0.147, L0.148, L0.149, L0.150, L0.151, L0.152, L0.153, L0.154, L0.155, L0.156, L0.157, L0.158, L0.159, L0.160, L0.161, L0.162, L0.163, L0.164, L0.165, L0.166, L0.167, L0.168, L0.169, L0.170, L0.171, L0.172, L0.173, L0.174, L0.175, L0.176, L0.177, L0.178, L0.179, L0.180, L0.181, L0.182, L0.183, L0.184, L0.185, L0.186, L0.187, L0.188, L0.189, L0.190, L0.290, L0.291"
- " Creating 2 files"
- - "**** Simulation run 5, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[101]). 2 Input Files, 201mb total:"
+ - "**** Simulation run 4, type=split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))(split_times=[241]). 98 Input Files, 195mb total:"
+ - "L0 "
+ - "L0.292[191,191] 191ns 1mb|L0.292| "
+ - "L0.288[287,288] 288ns 2mb |L0.288|"
+ - "L0.287[286,287] 287ns 2mb |L0.287|"
+ - "L0.286[285,286] 286ns 2mb |L0.286|"
+ - "L0.285[284,285] 285ns 2mb |L0.285|"
+ - "L0.284[283,284] 284ns 2mb |L0.284|"
+ - "L0.283[282,283] 283ns 2mb |L0.283|"
+ - "L0.282[281,282] 282ns 2mb |L0.282|"
+ - "L0.281[280,281] 281ns 2mb |L0.281|"
+ - "L0.280[279,280] 280ns 2mb |L0.280| "
+ - "L0.279[278,279] 279ns 2mb |L0.279| "
+ - "L0.278[277,278] 278ns 2mb |L0.278| "
+ - "L0.277[276,277] 277ns 2mb |L0.277| "
+ - "L0.276[275,276] 276ns 2mb |L0.276| "
+ - "L0.275[274,275] 275ns 2mb |L0.275| "
+ - "L0.274[273,274] 274ns 2mb |L0.274| "
+ - "L0.273[272,273] 273ns 2mb |L0.273| "
+ - "L0.272[271,272] 272ns 2mb |L0.272| "
+ - "L0.271[270,271] 271ns 2mb |L0.271| "
+ - "L0.270[269,270] 270ns 2mb |L0.270| "
+ - "L0.269[268,269] 269ns 2mb |L0.269| "
+ - "L0.268[267,268] 268ns 2mb |L0.268| "
+ - "L0.267[266,267] 267ns 2mb |L0.267| "
+ - "L0.266[265,266] 266ns 2mb |L0.266| "
+ - "L0.265[264,265] 265ns 2mb |L0.265| "
+ - "L0.264[263,264] 264ns 2mb |L0.264| "
+ - "L0.263[262,263] 263ns 2mb |L0.263| "
+ - "L0.262[261,262] 262ns 2mb |L0.262| "
+ - "L0.261[260,261] 261ns 2mb |L0.261| "
+ - "L0.260[259,260] 260ns 2mb |L0.260| "
+ - "L0.259[258,259] 259ns 2mb |L0.259| "
+ - "L0.258[257,258] 258ns 2mb |L0.258| "
+ - "L0.257[256,257] 257ns 2mb |L0.257| "
+ - "L0.256[255,256] 256ns 2mb |L0.256| "
+ - "L0.255[254,255] 255ns 2mb |L0.255| "
+ - "L0.254[253,254] 254ns 2mb |L0.254| "
+ - "L0.253[252,253] 253ns 2mb |L0.253| "
+ - "L0.252[251,252] 252ns 2mb |L0.252| "
+ - "L0.251[250,251] 251ns 2mb |L0.251| "
+ - "L0.250[249,250] 250ns 2mb |L0.250| "
+ - "L0.249[248,249] 249ns 2mb |L0.249| "
+ - "L0.248[247,248] 248ns 2mb |L0.248| "
+ - "L0.247[246,247] 247ns 2mb |L0.247| "
+ - "L0.246[245,246] 246ns 2mb |L0.246| "
+ - "L0.245[244,245] 245ns 2mb |L0.245| "
+ - "L0.244[243,244] 244ns 2mb |L0.244| "
+ - "L0.243[242,243] 243ns 2mb |L0.243| "
+ - "L0.242[241,242] 242ns 2mb |L0.242| "
+ - "L0.241[240,241] 241ns 2mb |L0.241| "
+ - "L0.240[239,240] 240ns 2mb |L0.240| "
+ - "L0.239[238,239] 239ns 2mb |L0.239| "
+ - "L0.238[237,238] 238ns 2mb |L0.238| "
+ - "L0.237[236,237] 237ns 2mb |L0.237| "
+ - "L0.236[235,236] 236ns 2mb |L0.236| "
+ - "L0.235[234,235] 235ns 2mb |L0.235| "
+ - "L0.234[233,234] 234ns 2mb |L0.234| "
+ - "L0.233[232,233] 233ns 2mb |L0.233| "
+ - "L0.232[231,232] 232ns 2mb |L0.232| "
+ - "L0.231[230,231] 231ns 2mb |L0.231| "
+ - "L0.230[229,230] 230ns 2mb |L0.230| "
+ - "L0.229[228,229] 229ns 2mb |L0.229| "
+ - "L0.228[227,228] 228ns 2mb |L0.228| "
+ - "L0.227[226,227] 227ns 2mb |L0.227| "
+ - "L0.226[225,226] 226ns 2mb |L0.226| "
+ - "L0.225[224,225] 225ns 2mb |L0.225| "
+ - "L0.224[223,224] 224ns 2mb |L0.224| "
+ - "L0.223[222,223] 223ns 2mb |L0.223| "
+ - "L0.222[221,222] 222ns 2mb |L0.222| "
+ - "L0.221[220,221] 221ns 2mb |L0.221| "
+ - "L0.220[219,220] 220ns 2mb |L0.220| "
+ - "L0.219[218,219] 219ns 2mb |L0.219| "
+ - "L0.218[217,218] 218ns 2mb |L0.218| "
+ - "L0.217[216,217] 217ns 2mb |L0.217| "
+ - "L0.216[215,216] 216ns 2mb |L0.216| "
+ - "L0.215[214,215] 215ns 2mb |L0.215| "
+ - "L0.214[213,214] 214ns 2mb |L0.214| "
+ - "L0.213[212,213] 213ns 2mb |L0.213| "
+ - "L0.212[211,212] 212ns 2mb |L0.212| "
+ - "L0.211[210,211] 211ns 2mb |L0.211| "
+ - "L0.210[209,210] 210ns 2mb |L0.210| "
+ - "L0.209[208,209] 209ns 2mb |L0.209| "
+ - "L0.208[207,208] 208ns 2mb |L0.208| "
+ - "L0.207[206,207] 207ns 2mb |L0.207| "
+ - "L0.206[205,206] 206ns 2mb |L0.206| "
+ - "L0.205[204,205] 205ns 2mb |L0.205| "
+ - "L0.204[203,204] 204ns 2mb |L0.204| "
+ - "L0.203[202,203] 203ns 2mb |L0.203| "
+ - "L0.202[201,202] 202ns 2mb |L0.202| "
+ - "L0.201[200,201] 201ns 2mb |L0.201| "
+ - "L0.200[199,200] 200ns 2mb |L0.200| "
+ - "L0.199[198,199] 199ns 2mb |L0.199| "
+ - "L0.198[197,198] 198ns 2mb |L0.198| "
+ - "L0.197[196,197] 197ns 2mb |L0.197| "
+ - "L0.196[195,196] 196ns 2mb |L0.196| "
+ - "L0.195[194,195] 195ns 2mb |L0.195| "
+ - "L0.194[193,194] 194ns 2mb |L0.194| "
+ - "L0.193[192,193] 193ns 2mb|L0.193| "
+ - "L0.192[191,192] 192ns 2mb|L0.192| "
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 195mb total:"
- "L1 "
- - "L1.294[51,100] 150ns 99mb|------------------L1.294------------------| "
- - "L1.296[101,151] 250ns 102mb |------------------L1.296-------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 201mb total:"
- - "L2 "
- - "L2.?[51,101] 250ns 102mb |-------------------L2.?--------------------| "
- - "L2.?[102,151] 250ns 100mb |-------------------L2.?-------------------| "
+ - "L1.?[191,241] 288ns 101mb|--------------------L1.?--------------------| "
+ - "L1.?[242,288] 288ns 94mb |------------------L1.?------------------| "
- "Committing partition 1:"
- - " Soft Deleting 2 files: L1.294, L1.296"
- - " Upgrading 1 files level to CompactionLevel::L2: L1.293"
+ - " Soft Deleting 98 files: L0.192, L0.193, L0.194, L0.195, L0.196, L0.197, L0.198, L0.199, L0.200, L0.201, L0.202, L0.203, L0.204, L0.205, L0.206, L0.207, L0.208, L0.209, L0.210, L0.211, L0.212, L0.213, L0.214, L0.215, L0.216, L0.217, L0.218, L0.219, L0.220, L0.221, L0.222, L0.223, L0.224, L0.225, L0.226, L0.227, L0.228, L0.229, L0.230, L0.231, L0.232, L0.233, L0.234, L0.235, L0.236, L0.237, L0.238, L0.239, L0.240, L0.241, L0.242, L0.243, L0.244, L0.245, L0.246, L0.247, L0.248, L0.249, L0.250, L0.251, L0.252, L0.253, L0.254, L0.255, L0.256, L0.257, L0.258, L0.259, L0.260, L0.261, L0.262, L0.263, L0.264, L0.265, L0.266, L0.267, L0.268, L0.269, L0.270, L0.271, L0.272, L0.273, L0.274, L0.275, L0.276, L0.277, L0.278, L0.279, L0.280, L0.281, L0.282, L0.283, L0.284, L0.285, L0.286, L0.287, L0.288, L0.292"
- " Creating 2 files"
- - "**** Simulation run 6, type=split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))(split_times=[202, 252]). 3 Input Files, 274mb total:"
- - "L1 "
- - "L1.300[253,288] 288ns 72mb |-------L1.300--------| "
- - "L1.297[152,201] 250ns 100mb|------------L1.297------------| "
- - "L1.299[202,252] 288ns 102mb |------------L1.299-------------| "
- - "**** 3 Output Files (parquet_file_id not yet assigned), 274mb total:"
- - "L2 "
- - "L2.?[152,202] 288ns 102mb|-------------L2.?--------------| "
- - "L2.?[203,252] 288ns 100mb |-------------L2.?-------------| "
- - "L2.?[253,288] 288ns 72mb |--------L2.?---------| "
- "Committing partition 1:"
- - " Soft Deleting 3 files: L1.297, L1.299, L1.300"
- - " Creating 3 files"
- - "**** Final Output Files (1.22gb written)"
+ - " Upgrading 6 files level to CompactionLevel::L2: L1.293, L1.294, L1.295, L1.296, L1.297, L1.298"
+ - "**** Final Output Files (580mb written)"
- "L2 "
- - "L2.293[0,50] 150ns 101mb |---L2.293----| "
- - "L2.301[51,101] 250ns 102mb |---L2.301----| "
- - "L2.302[102,151] 250ns 100mb |---L2.302----| "
- - "L2.303[152,202] 288ns 102mb |---L2.303----| "
- - "L2.304[203,252] 288ns 100mb |---L2.304----| "
- - "L2.305[253,288] 288ns 72mb |-L2.305-| "
+ - "L2.293[0,50] 96ns 101mb |---L2.293----| "
+ - "L2.294[51,95] 96ns 90mb |--L2.294---| "
+ - "L2.295[96,146] 191ns 102mb |---L2.295----| "
+ - "L2.296[147,190] 191ns 88mb |--L2.296---| "
+ - "L2.297[191,241] 288ns 101mb |---L2.297----| "
+ - "L2.298[242,288] 288ns 94mb |---L2.298---| "
"###
);
}
diff --git a/compactor/tests/layouts/many_files.rs b/compactor/tests/layouts/many_files.rs
index 148d8c8116..599dc0a2b5 100644
--- a/compactor/tests/layouts/many_files.rs
+++ b/compactor/tests/layouts/many_files.rs
@@ -5725,23 +5725,21 @@ async fn l0s_needing_vertical_split() {
- "L0.998[24,100] 1.02us |-----------------------------------------L0.998-----------------------------------------|"
- "L0.999[24,100] 1.02us |-----------------------------------------L0.999-----------------------------------------|"
- "L0.1000[24,100] 1.02us |----------------------------------------L0.1000-----------------------------------------|"
- - "**** Final Output Files (4.32gb written)"
+ - "**** Final Output Files (2.63gb written)"
- "L2 "
- - "L2.6077[24,35] 1.02us 112mb|--L2.6077--| "
- - "L2.6078[36,46] 1.02us 103mb |-L2.6078-| "
- - "L2.6082[74,84] 1.02us 111mb |-L2.6082-| "
- - "L2.6083[85,94] 1.02us 101mb |L2.6083-| "
- - "L2.6085[47,57] 1.02us 107mb |-L2.6085-| "
- - "L2.6086[58,67] 1.02us 97mb |L2.6086-| "
- - "L2.6087[68,73] 1.02us 58mb |L2.6087| "
- - "L2.6088[95,99] 1.02us 50mb |L2.6088|"
- - "L2.6089[100,100] 1.02us 10mb |L2.6089|"
+ - "L2.6026[24,34] 1.02us 107mb|-L2.6026-| "
+ - "L2.6034[81,91] 1.02us 107mb |-L2.6034-| "
+ - "L2.6035[92,100] 1.02us 88mb |L2.6035| "
+ - "L2.6036[35,45] 1.02us 107mb |-L2.6036-| "
+ - "L2.6037[46,55] 1.02us 97mb |L2.6037-| "
+ - "L2.6038[56,63] 1.02us 78mb |L2.6038| "
+ - "L2.6039[64,74] 1.02us 107mb |-L2.6039-| "
+ - "L2.6040[75,80] 1.02us 58mb |L2.6040| "
- "**** Breakdown of where bytes were written"
- - 2.13gb written by split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))
- - 333mb written by split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))
- - 417mb written by split(ReduceOverlap)
+ - 282mb written by split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))
- 750mb written by compact(ManySmallFiles)
- 750mb written by split(VerticalSplit)
+ - 916mb written by split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))
"###
);
}
diff --git a/compactor/tests/layouts/single_timestamp.rs b/compactor/tests/layouts/single_timestamp.rs
index 34526c49e2..df4e66908f 100644
--- a/compactor/tests/layouts/single_timestamp.rs
+++ b/compactor/tests/layouts/single_timestamp.rs
@@ -385,234 +385,54 @@ async fn many_medium_files_time_range_1() {
- "Committing partition 1:"
- " Soft Deleting 10 files: L0.11, L0.12, L0.13, L0.14, L0.15, L0.16, L0.17, L0.18, L0.19, L0.20"
- " Creating 20 files"
- - "**** Simulation run 12, type=compact(FoundSubsetLessThanMaxCompactSize). 2 Input Files, 165mb total:"
+ - "**** Simulation run 12, type=compact(TotalSizeLessThanMaxCompactSize). 11 Input Files, 300mb total:"
- "L0 "
+ - "L0.42[100,100] 20ns 15mb |-----------------------------------------L0.42------------------------------------------|"
+ - "L0.40[100,100] 19ns 15mb |-----------------------------------------L0.40------------------------------------------|"
+ - "L0.38[100,100] 18ns 15mb |-----------------------------------------L0.38------------------------------------------|"
+ - "L0.36[100,100] 17ns 15mb |-----------------------------------------L0.36------------------------------------------|"
+ - "L0.34[100,100] 16ns 15mb |-----------------------------------------L0.34------------------------------------------|"
+ - "L0.32[100,100] 15ns 15mb |-----------------------------------------L0.32------------------------------------------|"
+ - "L0.30[100,100] 14ns 15mb |-----------------------------------------L0.30------------------------------------------|"
+ - "L0.28[100,100] 13ns 15mb |-----------------------------------------L0.28------------------------------------------|"
+ - "L0.26[100,100] 12ns 15mb |-----------------------------------------L0.26------------------------------------------|"
- "L0.24[100,100] 11ns 15mb |-----------------------------------------L0.24------------------------------------------|"
- "L1 "
- "L1.22[100,100] 10ns 150mb|-----------------------------------------L1.22------------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 165mb total:"
- - "L1, all files 165mb "
- - "L1.?[100,100] 11ns |------------------------------------------L1.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 2 files: L1.22, L0.24"
- - " Creating 1 files"
- - "**** Simulation run 13, type=compact(FoundSubsetLessThanMaxCompactSize). 2 Input Files, 165mb total:"
- - "L0 "
- - "L0.25[101,101] 11ns 15mb |-----------------------------------------L0.25------------------------------------------|"
- - "L1 "
- - "L1.23[101,101] 10ns 150mb|-----------------------------------------L1.23------------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 165mb total:"
- - "L1, all files 165mb "
- - "L1.?[101,101] 11ns |------------------------------------------L1.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 2 files: L1.23, L0.25"
- - " Creating 1 files"
- - "**** Simulation run 14, type=compact(FoundSubsetLessThanMaxCompactSize). 2 Input Files, 180mb total:"
- - "L0 "
- - "L0.26[100,100] 12ns 15mb |-----------------------------------------L0.26------------------------------------------|"
- - "L1 "
- - "L1.44[100,100] 11ns 165mb|-----------------------------------------L1.44------------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 180mb total:"
- - "L1, all files 180mb "
- - "L1.?[100,100] 12ns |------------------------------------------L1.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 2 files: L0.26, L1.44"
- - " Creating 1 files"
- - "**** Simulation run 15, type=compact(FoundSubsetLessThanMaxCompactSize). 2 Input Files, 180mb total:"
- - "L0 "
- - "L0.27[101,101] 12ns 15mb |-----------------------------------------L0.27------------------------------------------|"
- - "L1 "
- - "L1.45[101,101] 11ns 165mb|-----------------------------------------L1.45------------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 180mb total:"
- - "L1, all files 180mb "
- - "L1.?[101,101] 12ns |------------------------------------------L1.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 2 files: L0.27, L1.45"
- - " Creating 1 files"
- - "**** Simulation run 16, type=compact(FoundSubsetLessThanMaxCompactSize). 2 Input Files, 195mb total:"
- - "L0 "
- - "L0.28[100,100] 13ns 15mb |-----------------------------------------L0.28------------------------------------------|"
- - "L1 "
- - "L1.46[100,100] 12ns 180mb|-----------------------------------------L1.46------------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 195mb total:"
- - "L1, all files 195mb "
- - "L1.?[100,100] 13ns |------------------------------------------L1.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 2 files: L0.28, L1.46"
- - " Creating 1 files"
- - "**** Simulation run 17, type=compact(FoundSubsetLessThanMaxCompactSize). 2 Input Files, 195mb total:"
- - "L0 "
- - "L0.29[101,101] 13ns 15mb |-----------------------------------------L0.29------------------------------------------|"
- - "L1 "
- - "L1.47[101,101] 12ns 180mb|-----------------------------------------L1.47------------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 195mb total:"
- - "L1, all files 195mb "
- - "L1.?[101,101] 13ns |------------------------------------------L1.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 2 files: L0.29, L1.47"
- - " Creating 1 files"
- - "**** Simulation run 18, type=compact(FoundSubsetLessThanMaxCompactSize). 2 Input Files, 210mb total:"
- - "L0 "
- - "L0.30[100,100] 14ns 15mb |-----------------------------------------L0.30------------------------------------------|"
- - "L1 "
- - "L1.48[100,100] 13ns 195mb|-----------------------------------------L1.48------------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 210mb total:"
- - "L1, all files 210mb "
- - "L1.?[100,100] 14ns |------------------------------------------L1.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 2 files: L0.30, L1.48"
- - " Creating 1 files"
- - "**** Simulation run 19, type=compact(FoundSubsetLessThanMaxCompactSize). 2 Input Files, 210mb total:"
- - "L0 "
- - "L0.31[101,101] 14ns 15mb |-----------------------------------------L0.31------------------------------------------|"
- - "L1 "
- - "L1.49[101,101] 13ns 195mb|-----------------------------------------L1.49------------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 210mb total:"
- - "L1, all files 210mb "
- - "L1.?[101,101] 14ns |------------------------------------------L1.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 2 files: L0.31, L1.49"
- - " Creating 1 files"
- - "**** Simulation run 20, type=compact(FoundSubsetLessThanMaxCompactSize). 2 Input Files, 225mb total:"
- - "L0 "
- - "L0.32[100,100] 15ns 15mb |-----------------------------------------L0.32------------------------------------------|"
- - "L1 "
- - "L1.50[100,100] 14ns 210mb|-----------------------------------------L1.50------------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 225mb total:"
- - "L1, all files 225mb "
- - "L1.?[100,100] 15ns |------------------------------------------L1.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 2 files: L0.32, L1.50"
- - " Creating 1 files"
- - "**** Simulation run 21, type=compact(FoundSubsetLessThanMaxCompactSize). 2 Input Files, 225mb total:"
- - "L0 "
- - "L0.33[101,101] 15ns 15mb |-----------------------------------------L0.33------------------------------------------|"
- - "L1 "
- - "L1.51[101,101] 14ns 210mb|-----------------------------------------L1.51------------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 225mb total:"
- - "L1, all files 225mb "
- - "L1.?[101,101] 15ns |------------------------------------------L1.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 2 files: L0.33, L1.51"
- - " Creating 1 files"
- - "**** Simulation run 22, type=compact(FoundSubsetLessThanMaxCompactSize). 2 Input Files, 240mb total:"
- - "L0 "
- - "L0.34[100,100] 16ns 15mb |-----------------------------------------L0.34------------------------------------------|"
- - "L1 "
- - "L1.52[100,100] 15ns 225mb|-----------------------------------------L1.52------------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 240mb total:"
- - "L1, all files 240mb "
- - "L1.?[100,100] 16ns |------------------------------------------L1.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 2 files: L0.34, L1.52"
- - " Creating 1 files"
- - "**** Simulation run 23, type=compact(FoundSubsetLessThanMaxCompactSize). 2 Input Files, 240mb total:"
- - "L0 "
- - "L0.35[101,101] 16ns 15mb |-----------------------------------------L0.35------------------------------------------|"
- - "L1 "
- - "L1.53[101,101] 15ns 225mb|-----------------------------------------L1.53------------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 240mb total:"
- - "L1, all files 240mb "
- - "L1.?[101,101] 16ns |------------------------------------------L1.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 2 files: L0.35, L1.53"
- - " Creating 1 files"
- - "**** Simulation run 24, type=compact(FoundSubsetLessThanMaxCompactSize). 2 Input Files, 255mb total:"
- - "L0 "
- - "L0.36[100,100] 17ns 15mb |-----------------------------------------L0.36------------------------------------------|"
- - "L1 "
- - "L1.54[100,100] 16ns 240mb|-----------------------------------------L1.54------------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 255mb total:"
- - "L1, all files 255mb "
- - "L1.?[100,100] 17ns |------------------------------------------L1.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 2 files: L0.36, L1.54"
- - " Creating 1 files"
- - "**** Simulation run 25, type=compact(FoundSubsetLessThanMaxCompactSize). 2 Input Files, 255mb total:"
- - "L0 "
- - "L0.37[101,101] 17ns 15mb |-----------------------------------------L0.37------------------------------------------|"
- - "L1 "
- - "L1.55[101,101] 16ns 240mb|-----------------------------------------L1.55------------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 255mb total:"
- - "L1, all files 255mb "
- - "L1.?[101,101] 17ns |------------------------------------------L1.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 2 files: L0.37, L1.55"
- - " Creating 1 files"
- - "**** Simulation run 26, type=compact(FoundSubsetLessThanMaxCompactSize). 2 Input Files, 270mb total:"
- - "L0 "
- - "L0.38[100,100] 18ns 15mb |-----------------------------------------L0.38------------------------------------------|"
- - "L1 "
- - "L1.56[100,100] 17ns 255mb|-----------------------------------------L1.56------------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 270mb total:"
- - "L1, all files 270mb "
- - "L1.?[100,100] 18ns |------------------------------------------L1.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 2 files: L0.38, L1.56"
- - " Creating 1 files"
- - "**** Simulation run 27, type=compact(FoundSubsetLessThanMaxCompactSize). 2 Input Files, 270mb total:"
- - "L0 "
- - "L0.39[101,101] 18ns 15mb |-----------------------------------------L0.39------------------------------------------|"
- - "L1 "
- - "L1.57[101,101] 17ns 255mb|-----------------------------------------L1.57------------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 270mb total:"
- - "L1, all files 270mb "
- - "L1.?[101,101] 18ns |------------------------------------------L1.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 2 files: L0.39, L1.57"
- - " Creating 1 files"
- - "**** Simulation run 28, type=compact(FoundSubsetLessThanMaxCompactSize). 2 Input Files, 285mb total:"
- - "L0 "
- - "L0.40[100,100] 19ns 15mb |-----------------------------------------L0.40------------------------------------------|"
- - "L1 "
- - "L1.58[100,100] 18ns 270mb|-----------------------------------------L1.58------------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 285mb total:"
- - "L1, all files 285mb "
- - "L1.?[100,100] 19ns |------------------------------------------L1.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 2 files: L0.40, L1.58"
- - " Creating 1 files"
- - "**** Simulation run 29, type=compact(FoundSubsetLessThanMaxCompactSize). 2 Input Files, 285mb total:"
- - "L0 "
- - "L0.41[101,101] 19ns 15mb |-----------------------------------------L0.41------------------------------------------|"
- - "L1 "
- - "L1.59[101,101] 18ns 270mb|-----------------------------------------L1.59------------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 285mb total:"
- - "L1, all files 285mb "
- - "L1.?[101,101] 19ns |------------------------------------------L1.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 2 files: L0.41, L1.59"
- - " Creating 1 files"
- - "**** Simulation run 30, type=compact(FoundSubsetLessThanMaxCompactSize). 2 Input Files, 300mb total:"
- - "L0 "
- - "L0.42[100,100] 20ns 15mb |-----------------------------------------L0.42------------------------------------------|"
- - "L1 "
- - "L1.60[100,100] 19ns 285mb|-----------------------------------------L1.60------------------------------------------|"
- "**** 1 Output Files (parquet_file_id not yet assigned), 300mb total:"
- "L1, all files 300mb "
- "L1.?[100,100] 20ns |------------------------------------------L1.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 2 files: L0.42, L1.60"
+ - " Soft Deleting 11 files: L1.22, L0.24, L0.26, L0.28, L0.30, L0.32, L0.34, L0.36, L0.38, L0.40, L0.42"
- " Creating 1 files"
- - "**** Simulation run 31, type=compact(TotalSizeLessThanMaxCompactSize). 2 Input Files, 300mb total:"
+ - "**** Simulation run 13, type=compact(TotalSizeLessThanMaxCompactSize). 11 Input Files, 300mb total:"
- "L0 "
- "L0.43[101,101] 20ns 15mb |-----------------------------------------L0.43------------------------------------------|"
+ - "L0.41[101,101] 19ns 15mb |-----------------------------------------L0.41------------------------------------------|"
+ - "L0.39[101,101] 18ns 15mb |-----------------------------------------L0.39------------------------------------------|"
+ - "L0.37[101,101] 17ns 15mb |-----------------------------------------L0.37------------------------------------------|"
+ - "L0.35[101,101] 16ns 15mb |-----------------------------------------L0.35------------------------------------------|"
+ - "L0.33[101,101] 15ns 15mb |-----------------------------------------L0.33------------------------------------------|"
+ - "L0.31[101,101] 14ns 15mb |-----------------------------------------L0.31------------------------------------------|"
+ - "L0.29[101,101] 13ns 15mb |-----------------------------------------L0.29------------------------------------------|"
+ - "L0.27[101,101] 12ns 15mb |-----------------------------------------L0.27------------------------------------------|"
+ - "L0.25[101,101] 11ns 15mb |-----------------------------------------L0.25------------------------------------------|"
- "L1 "
- - "L1.61[101,101] 19ns 285mb|-----------------------------------------L1.61------------------------------------------|"
+ - "L1.23[101,101] 10ns 150mb|-----------------------------------------L1.23------------------------------------------|"
- "**** 1 Output Files (parquet_file_id not yet assigned), 300mb total:"
- "L1, all files 300mb "
- "L1.?[101,101] 20ns |------------------------------------------L1.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 2 files: L0.43, L1.61"
+ - " Soft Deleting 11 files: L1.23, L0.25, L0.27, L0.29, L0.31, L0.33, L0.35, L0.37, L0.39, L0.41, L0.43"
- " Creating 1 files"
- "Committing partition 1:"
- - " Upgrading 2 files level to CompactionLevel::L2: L1.62, L1.63"
- - "**** Final Output Files (5.42gb written)"
+ - " Upgrading 2 files level to CompactionLevel::L2: L1.44, L1.45"
+ - "**** Final Output Files (1.46gb written)"
- "L2, all files 300mb "
- - "L2.62[100,100] 20ns |L2.62| "
- - "L2.63[101,101] 20ns |L2.63|"
- - "WARNING: file L2.62[100,100] 20ns 300mb exceeds soft limit 100mb by more than 50%"
- - "WARNING: file L2.63[101,101] 20ns 300mb exceeds soft limit 100mb by more than 50%"
+ - "L2.44[100,100] 20ns |L2.44| "
+ - "L2.45[101,101] 20ns |L2.45|"
+ - "WARNING: file L2.44[100,100] 20ns 300mb exceeds soft limit 100mb by more than 50%"
+ - "WARNING: file L2.45[101,101] 20ns 300mb exceeds soft limit 100mb by more than 50%"
"###
);
}
diff --git a/compactor/tests/layouts/stuck.rs b/compactor/tests/layouts/stuck.rs
index 3a256c2cdd..e64490f11f 100644
--- a/compactor/tests/layouts/stuck.rs
+++ b/compactor/tests/layouts/stuck.rs
@@ -1112,93 +1112,92 @@ async fn stuck_l0() {
- "L2.59[1686863759000000000,1686867839000000000] 1686928811.43s 96mb |--L2.59--| "
- "L2.74[1686867899000000000,1686868319000000000] 1686928811.43s 14mb |L2.74| "
- "L2.78[1686868379000000000,1686873599000000000] 1686928118.43s 39mb |---L2.78----| "
- - "**** Final Output Files (39.99gb written)"
- - "L1 "
- - "L1.1571[1686873523813205150,1686873599000000000] 1686936871.55s 17mb |L1.1571|"
+ - "**** Final Output Files (26.51gb written)"
- "L2 "
- - "L2.1361[1686841379000000000,1686841840467058594] 1686936871.55s 100mb|L2.1361| "
- - "L2.1362[1686841840467058595,1686842301934117188] 1686936871.55s 100mb |L2.1362| "
- - "L2.1363[1686842301934117189,1686842591386145203] 1686936871.55s 63mb |L2.1363| "
- - "L2.1364[1686842591386145204,1686843090698843823] 1686936871.55s 100mb |L2.1364| "
- - "L2.1365[1686843090698843824,1686843590011542442] 1686936871.55s 100mb |L2.1365| "
- - "L2.1366[1686843590011542443,1686843745696343410] 1686936871.55s 31mb |L2.1366| "
- - "L2.1367[1686843745696343411,1686844315188287820] 1686936871.55s 100mb |L2.1367| "
- - "L2.1368[1686844315188287821,1686844884680232229] 1686936871.55s 100mb |L2.1368| "
- - "L2.1369[1686844884680232230,1686844915746875475] 1686936871.55s 5mb |L2.1369| "
- - "L2.1370[1686844915746875476,1686845230410639574] 1686936871.55s 100mb |L2.1370| "
- - "L2.1371[1686845230410639575,1686845545074403672] 1686936871.55s 100mb |L2.1371| "
- - "L2.1372[1686845545074403673,1686845579000000000] 1686936871.55s 11mb |L2.1372| "
- - "L2.1373[1686845579000000001,1686846102309907804] 1686936871.55s 100mb |L2.1373| "
- - "L2.1374[1686846102309907805,1686846625619815607] 1686936871.55s 100mb |L2.1374| "
- - "L2.1375[1686846625619815608,1686846797919763450] 1686936871.55s 33mb |L2.1375| "
- - "L2.1376[1686846797919763451,1686847129227329927] 1686936871.55s 100mb |L2.1376| "
- - "L2.1453[1686847129227329928,1686847439859251579] 1686936871.55s 100mb |L2.1453| "
- - "L2.1454[1686847439859251580,1686847717990429774] 1686936871.55s 90mb |L2.1454| "
- - "L2.1455[1686847717990429775,1686848189604391003] 1686936871.55s 100mb |L2.1455| "
- - "L2.1456[1686848189604391004,1686848661218352231] 1686936871.55s 100mb |L2.1456| "
- - "L2.1457[1686848661218352232,1686848823844071523] 1686936871.55s 34mb |L2.1457| "
- - "L2.1458[1686848823844071524,1686849239625957845] 1686936871.55s 100mb |L2.1458| "
- - "L2.1459[1686849239625957846,1686849655407844166] 1686936871.55s 100mb |L2.1459| "
- - "L2.1460[1686849655407844167,1686849796980859548] 1686936871.55s 34mb |L2.1460| "
- - "L2.1473[1686849796980859549,1686850334941630613] 1686936871.55s 100mb |L2.1473| "
- - "L2.1474[1686850334941630614,1686850872902401677] 1686936871.55s 100mb |L2.1474| "
- - "L2.1475[1686850872902401678,1686851329891861909] 1686936871.55s 85mb |L2.1475| "
- - "L2.1498[1686851329891861910,1686851898950535674] 1686936871.55s 100mb |L2.1498| "
- - "L2.1499[1686851898950535675,1686852414121657973] 1686936871.55s 91mb |L2.1499| "
- - "L2.1500[1686852414121657974,1686852983180321624] 1686936871.55s 100mb |L2.1500| "
- - "L2.1501[1686852983180321625,1686853526501537801] 1686936871.55s 95mb |L2.1501| "
- - "L2.1502[1686853526501537802,1686853990473932574] 1686936871.55s 100mb |L2.1502| "
- - "L2.1503[1686853990473932575,1686854454446327346] 1686936871.55s 100mb |L2.1503| "
- - "L2.1504[1686854454446327347,1686854846069854244] 1686936871.55s 84mb |L2.1504| "
- - "L2.1514[1686854846069854245,1686855346077232275] 1686936871.55s 100mb |L2.1514| "
- - "L2.1515[1686855346077232276,1686855846084610305] 1686936871.55s 100mb |L2.1515| "
- - "L2.1516[1686855846084610306,1686856086908066277] 1686936871.55s 48mb |L2.1516| "
- - "L2.1517[1686856086908066278,1686856514343181399] 1686936871.55s 100mb |L2.1517| "
- - "L2.1518[1686856514343181400,1686856941778296520] 1686936871.55s 100mb |L2.1518| "
- - "L2.1519[1686856941778296521,1686857300034793367] 1686936871.55s 84mb |L2.1519| "
- - "L2.1520[1686857300034793368,1686857675050961484] 1686936871.55s 100mb |L2.1520| "
- - "L2.1521[1686857675050961485,1686858050067129600] 1686936871.55s 100mb |L2.1521| "
- - "L2.1522[1686858050067129601,1686858119242533661] 1686936871.55s 18mb |L2.1522| "
- - "L2.1526[1686858119242533662,1686858516341903177] 1686936871.55s 100mb |L2.1526| "
- - "L2.1527[1686858516341903178,1686858913441272692] 1686936871.55s 100mb |L2.1527| "
- - "L2.1528[1686858913441272693,1686859028336281227] 1686936871.55s 29mb |L2.1528| "
- - "L2.1529[1686859028336281228,1686859520830892506] 1686936871.55s 100mb |L2.1529| "
- - "L2.1530[1686859520830892507,1686860013325503784] 1686936871.55s 100mb |L2.1530| "
- - "L2.1531[1686860013325503785,1686860292987309304] 1686936871.55s 57mb |L2.1531| "
- - "L2.1532[1686860292987309305,1686860638865965986] 1686936871.55s 100mb |L2.1532| "
- - "L2.1533[1686860638865965987,1686860984744622667] 1686936871.55s 100mb |L2.1533| "
- - "L2.1534[1686860984744622668,1686861013144110463] 1686936871.55s 8mb |L2.1534| "
- - "L2.1535[1686861013144110464,1686861337882976533] 1686936871.55s 100mb |L2.1535| "
- - "L2.1536[1686861337882976534,1686861662621842602] 1686936871.55s 100mb |L2.1536| "
- - "L2.1537[1686861662621842603,1686861977229903189] 1686936871.55s 97mb |L2.1537| "
- - "L2.1538[1686861977229903190,1686862607332684221] 1686936871.55s 100mb |L2.1538| "
- - "L2.1539[1686862607332684222,1686863237435465252] 1686936871.55s 100mb |L2.1539| "
- - "L2.1540[1686863237435465253,1686863699000000000] 1686936871.55s 73mb |L2.1540| "
- - "L2.1551[1686863699000000001,1686865146329435663] 1686936871.55s 100mb |L2.1551| "
- - "L2.1552[1686865146329435664,1686866593658871325] 1686936871.55s 100mb |L2.1552| "
- - "L2.1553[1686866593658871326,1686867839000000000] 1686936871.55s 86mb |L2.1553| "
- - "L2.1554[1686867839000000001,1686868223000000000] 1686936871.55s 43mb |L2.1554| "
- - "L2.1555[1686868223000000001,1686868319000000000] 1686936871.55s 11mb |L2.1555| "
- - "L2.1569[1686873523813205150,1686873599000000000] 1686928118.43s 578kb |L2.1569|"
- - "L2.1596[1686868319000000001,1686869146507785687] 1686936871.55s 100mb |L2.1596| "
- - "L2.1597[1686869146507785688,1686869974015571373] 1686936871.55s 100mb |L2.1597| "
- - "L2.1598[1686869974015571374,1686870213295397652] 1686936871.55s 29mb |L2.1598| "
- - "L2.1599[1686870213295397653,1686870839343606383] 1686936871.55s 100mb |L2.1599| "
- - "L2.1600[1686870839343606384,1686871465391815113] 1686936871.55s 100mb |L2.1600|"
- - "L2.1601[1686871465391815114,1686871637746186969] 1686936871.55s 28mb |L2.1601|"
- - "L2.1602[1686871637746186970,1686872024568482113] 1686936871.55s 100mb |L2.1602|"
- - "L2.1603[1686872024568482114,1686872411390777256] 1686936871.55s 100mb |L2.1603|"
- - "L2.1604[1686872411390777257,1686872474459361066] 1686936871.55s 16mb |L2.1604|"
- - "L2.1605[1686872474459361067,1686872826181928952] 1686936871.55s 100mb |L2.1605|"
- - "L2.1606[1686872826181928953,1686873177904496837] 1686936871.55s 100mb |L2.1606|"
- - "L2.1607[1686873177904496838,1686873523813205149] 1686936871.55s 98mb |L2.1607|"
+ - "L2.1091[1686841379000000000,1686841897338459020] 1686936871.55s 100mb|L2.1091| "
+ - "L2.1092[1686841897338459021,1686842415676918040] 1686936871.55s 100mb |L2.1092| "
+ - "L2.1093[1686842415676918041,1686842839817089481] 1686936871.55s 82mb |L2.1093| "
+ - "L2.1094[1686842839817089482,1686843358155548375] 1686936871.55s 100mb |L2.1094| "
+ - "L2.1095[1686843358155548376,1686843876494007268] 1686936871.55s 100mb |L2.1095| "
+ - "L2.1096[1686843876494007269,1686843991432432431] 1686936871.55s 22mb |L2.1096| "
+ - "L2.1097[1686843991432432432,1686844509879093149] 1686936871.55s 100mb |L2.1097| "
+ - "L2.1098[1686844509879093150,1686845028325753866] 1686936871.55s 100mb |L2.1098| "
+ - "L2.1099[1686845028325753867,1686845452596633248] 1686936871.55s 82mb |L2.1099| "
+ - "L2.1100[1686845452596633249,1686845601719326649] 1686936871.55s 28mb |L2.1100| "
+ - "L2.1101[1686845601719326650,1686845638999999999] 1686936871.55s 7mb |L2.1101| "
+ - "L2.1131[1686845639000000000,1686846157293611501] 1686936871.55s 100mb |L2.1131| "
+ - "L2.1132[1686846157293611502,1686846675587223002] 1686936871.55s 100mb |L2.1132| "
+ - "L2.1133[1686846675587223003,1686847099876735470] 1686936871.55s 82mb |L2.1133| "
+ - "L2.1134[1686847099876735471,1686847618170347409] 1686936871.55s 100mb |L2.1134| "
+ - "L2.1135[1686847618170347410,1686848136463959347] 1686936871.55s 100mb |L2.1135| "
+ - "L2.1136[1686848136463959348,1686848251432432430] 1686936871.55s 22mb |L2.1136| "
+ - "L2.1137[1686848251432432431,1686848771011201758] 1686936871.55s 100mb |L2.1137| "
+ - "L2.1138[1686848771011201759,1686849290589971085] 1686936871.55s 100mb |L2.1138| "
+ - "L2.1139[1686849290589971086,1686849779000000000] 1686936871.55s 94mb |L2.1139| "
+ - "L2.1140[1686849779000000001,1686850296071388521] 1686936871.55s 100mb |L2.1140| "
+ - "L2.1141[1686850296071388522,1686850618999999999] 1686936871.55s 62mb |L2.1141| "
+ - "L2.1171[1686850619000000000,1686851138080106992] 1686936871.55s 100mb |L2.1171| "
+ - "L2.1172[1686851138080106993,1686851657160213984] 1686936871.55s 100mb |L2.1172| "
+ - "L2.1173[1686851657160213985,1686852082153160619] 1686936871.55s 82mb |L2.1173| "
+ - "L2.1174[1686852082153160620,1686852597705498172] 1686936871.55s 100mb |L2.1174| "
+ - "L2.1175[1686852597705498173,1686853113257835724] 1686936871.55s 100mb |L2.1175| "
+ - "L2.1176[1686853113257835725,1686853231432432430] 1686936871.55s 23mb |L2.1176| "
+ - "L2.1177[1686853231432432431,1686853749668309875] 1686936871.55s 100mb |L2.1177| "
+ - "L2.1178[1686853749668309876,1686854267904187319] 1686936871.55s 100mb |L2.1178| "
+ - "L2.1179[1686854267904187320,1686854694562036946] 1686936871.55s 82mb |L2.1179| "
+ - "L2.1180[1686854694562036947,1686854842112407388] 1686936871.55s 27mb |L2.1180| "
+ - "L2.1181[1686854842112407389,1686854878999999999] 1686936871.55s 7mb |L2.1181| "
+ - "L2.1211[1686854879000000000,1686855392351651525] 1686936871.55s 100mb |L2.1211| "
+ - "L2.1212[1686855392351651526,1686855905703303050] 1686936871.55s 100mb |L2.1212| "
+ - "L2.1213[1686855905703303051,1686856326663196472] 1686936871.55s 82mb |L2.1213| "
+ - "L2.1214[1686856326663196473,1686856834721369390] 1686936871.55s 100mb |L2.1214| "
+ - "L2.1215[1686856834721369391,1686857342779542307] 1686936871.55s 100mb |L2.1215| "
+ - "L2.1216[1686857342779542308,1686857491432432430] 1686936871.55s 29mb |L2.1216| "
+ - "L2.1217[1686857491432432431,1686858000732587742] 1686936871.55s 100mb |L2.1217| "
+ - "L2.1218[1686858000732587743,1686858510032743053] 1686936871.55s 100mb |L2.1218| "
+ - "L2.1219[1686858510032743054,1686859019000000000] 1686936871.55s 100mb |L2.1219| "
+ - "L2.1220[1686859019000000001,1686859450999999999] 1686936871.55s 86mb |L2.1220| "
+ - "L2.1221[1686859451000000000,1686859558999999999] 1686936871.55s 21mb |L2.1221| "
+ - "L2.1251[1686859559000000000,1686860066906201610] 1686936871.55s 100mb |L2.1251| "
+ - "L2.1252[1686860066906201611,1686860574812403220] 1686936871.55s 100mb |L2.1252| "
+ - "L2.1253[1686860574812403221,1686861006462323658] 1686936871.55s 85mb |L2.1253| "
+ - "L2.1254[1686861006462323659,1686861514368526128] 1686936871.55s 100mb |L2.1254| "
+ - "L2.1255[1686861514368526129,1686862022274728597] 1686936871.55s 100mb |L2.1255| "
+ - "L2.1256[1686862022274728598,1686862171432432430] 1686936871.55s 29mb |L2.1256| "
+ - "L2.1257[1686862171432432431,1686862680758220490] 1686936871.55s 100mb |L2.1257| "
+ - "L2.1258[1686862680758220491,1686863190084008549] 1686936871.55s 100mb |L2.1258| "
+ - "L2.1259[1686863190084008550,1686863699000000000] 1686936871.55s 100mb |L2.1259| "
+ - "L2.1260[1686863699000000001,1686863758999999999] 1686936871.55s 10mb |L2.1260| "
+ - "L2.1286[1686863759000000000,1686864303793314985] 1686936871.55s 100mb |L2.1286| "
+ - "L2.1287[1686864303793314986,1686864848586629970] 1686936871.55s 100mb |L2.1287| "
+ - "L2.1288[1686864848586629971,1686865291084361649] 1686936871.55s 81mb |L2.1288| "
+ - "L2.1289[1686865291084361650,1686865872354961156] 1686936871.55s 100mb |L2.1289| "
+ - "L2.1290[1686865872354961157,1686866371432432430] 1686936871.55s 86mb |L2.1290| "
+ - "L2.1291[1686866371432432431,1686866958717584080] 1686936871.55s 100mb |L2.1291| "
+ - "L2.1292[1686866958717584081,1686867546002735729] 1686936871.55s 100mb |L2.1292| "
+ - "L2.1293[1686867546002735730,1686867839000000000] 1686936871.55s 50mb |L2.1293| "
+ - "L2.1294[1686867839000000001,1686868270999999999] 1686936871.55s 77mb |L2.1294| "
+ - "L2.1295[1686868271000000000,1686868378999999999] 1686936871.55s 19mb |L2.1295| "
+ - "L2.1330[1686868379000000000,1686868907139596727] 1686936871.55s 100mb |L2.1330| "
+ - "L2.1331[1686868907139596728,1686869435279193454] 1686936871.55s 100mb |L2.1331| "
+ - "L2.1332[1686869435279193455,1686869781827739749] 1686936871.55s 66mb |L2.1332| "
+ - "L2.1333[1686869781827739750,1686870279605194252] 1686936871.55s 100mb |L2.1333| "
+ - "L2.1334[1686870279605194253,1686870777382648754] 1686936871.55s 100mb |L2.1334| "
+ - "L2.1335[1686870777382648755,1686870991432432430] 1686936871.55s 43mb |L2.1335|"
+ - "L2.1336[1686870991432432431,1686871482686369018] 1686936871.55s 100mb |L2.1336|"
+ - "L2.1337[1686871482686369019,1686871973940305605] 1686936871.55s 100mb |L2.1337|"
+ - "L2.1338[1686871973940305606,1686872370429245091] 1686936871.55s 81mb |L2.1338|"
+ - "L2.1339[1686872370429245092,1686872859940700313] 1686936871.55s 100mb |L2.1339|"
+ - "L2.1340[1686872859940700314,1686873349452155534] 1686936871.55s 100mb |L2.1340|"
+ - "L2.1341[1686873349452155535,1686873599000000000] 1686936871.55s 51mb |L2.1341|"
- "**** Breakdown of where bytes were written"
- - 20.12gb written by split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))
- - 415mb written by split(StartLevelOverlapsTooBig)
- - 5.22gb written by compact(ManySmallFiles)
- - 5.28gb written by split(VerticalSplit)
- - 8.17gb written by split(ReduceOverlap)
- - 812mb written by split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))
+ - 10mb written by compact(FoundSubsetLessThanMaxCompactSize)
+ - 4.51gb written by split(ReduceOverlap)
+ - 4.54gb written by compact(ManySmallFiles)
+ - 5.14gb written by split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))
+ - 5.4gb written by split(VerticalSplit)
+ - 6.3gb written by split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))
+ - 623mb written by split(StartLevelOverlapsTooBig)
"###
);
}
@@ -5505,213 +5504,7 @@ async fn stuck_l0_large_l0s() {
- "Committing partition 1:"
- " Soft Deleting 20 files: L0.201, L0.214, L0.227, L0.240, L0.253, L0.266, L0.279, L0.292, L0.305, L0.318, L0.331, L0.344, L0.357, L0.370, L0.383, L0.396, L0.409, L0.422, L0.435, L0.560"
- " Creating 1 files"
- - "**** Simulation run 201, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- - "L0, all files 0b "
- - "L0.573[20,161] 20ns |-----------------------------------------L0.573-----------------------------------------|"
- - "L0.448[21,161] 21ns |----------------------------------------L0.448-----------------------------------------| "
- - "L0.462[22,161] 22ns |----------------------------------------L0.462----------------------------------------| "
- - "L0.476[23,161] 23ns |----------------------------------------L0.476----------------------------------------| "
- - "L0.490[24,161] 24ns |---------------------------------------L0.490----------------------------------------| "
- - "L0.504[25,161] 25ns |---------------------------------------L0.504---------------------------------------| "
- - "L0.518[26,161] 26ns |---------------------------------------L0.518---------------------------------------| "
- - "L0.532[27,161] 27ns |--------------------------------------L0.532---------------------------------------| "
- - "L0.546[28,161] 28ns |--------------------------------------L0.546--------------------------------------| "
- - "L0.587[29,161] 29ns |--------------------------------------L0.587--------------------------------------| "
- - "L0.601[30,161] 30ns |-------------------------------------L0.601--------------------------------------| "
- - "L0.615[31,161] 31ns |-------------------------------------L0.615-------------------------------------| "
- - "L0.629[32,161] 32ns |-------------------------------------L0.629-------------------------------------| "
- - "L0.643[33,161] 33ns |------------------------------------L0.643-------------------------------------| "
- - "L0.657[34,161] 34ns |------------------------------------L0.657-------------------------------------| "
- - "L0.671[35,161] 35ns |------------------------------------L0.671------------------------------------| "
- - "L0.685[36,161] 36ns |-----------------------------------L0.685------------------------------------| "
- - "L0.699[37,161] 37ns |-----------------------------------L0.699------------------------------------| "
- - "L0.713[38,161] 38ns |-----------------------------------L0.713-----------------------------------| "
- - "L0.727[39,161] 39ns |----------------------------------L0.727-----------------------------------| "
- - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- - "L0, all files 0b "
- - "L0.?[20,161] 39ns |------------------------------------------L0.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 20 files: L0.448, L0.462, L0.476, L0.490, L0.504, L0.518, L0.532, L0.546, L0.573, L0.587, L0.601, L0.615, L0.629, L0.643, L0.657, L0.671, L0.685, L0.699, L0.713, L0.727"
- - " Creating 1 files"
- - "**** Simulation run 202, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- - "L0, all files 0b "
- - "L0.741[40,161] 40ns |----------------------------------------L0.741-----------------------------------------| "
- - "L0.755[41,161] 41ns |----------------------------------------L0.755-----------------------------------------| "
- - "L0.769[42,161] 42ns |----------------------------------------L0.769----------------------------------------| "
- - "L0.783[43,161] 43ns |---------------------------------------L0.783----------------------------------------| "
- - "L0.797[44,161] 44ns |---------------------------------------L0.797----------------------------------------| "
- - "L0.811[45,161] 45ns |---------------------------------------L0.811---------------------------------------| "
- - "L0.825[46,161] 46ns |--------------------------------------L0.825---------------------------------------| "
- - "L0.839[47,161] 47ns |--------------------------------------L0.839--------------------------------------| "
- - "L0.853[48,161] 48ns |--------------------------------------L0.853--------------------------------------| "
- - "L0.867[49,161] 49ns |-------------------------------------L0.867--------------------------------------| "
- - "L0.881[50,161] 50ns |-------------------------------------L0.881-------------------------------------| "
- - "L0.895[51,161] 51ns |------------------------------------L0.895-------------------------------------| "
- - "L0.909[52,161] 52ns |------------------------------------L0.909-------------------------------------| "
- - "L0.923[53,161] 53ns |------------------------------------L0.923------------------------------------| "
- - "L0.937[54,161] 54ns |-----------------------------------L0.937------------------------------------| "
- - "L0.951[55,161] 55ns |-----------------------------------L0.951-----------------------------------| "
- - "L0.965[56,161] 56ns |-----------------------------------L0.965-----------------------------------| "
- - "L0.979[57,161] 57ns |----------------------------------L0.979-----------------------------------| "
- - "L0.993[58,161] 58ns |----------------------------------L0.993----------------------------------| "
- - "L0.1007[59,161] 59ns |---------------------------------L0.1007---------------------------------| "
- - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- - "L0, all files 0b "
- - "L0.?[40,161] 59ns |-----------------------------------------L0.?------------------------------------------| "
- - "Committing partition 1:"
- - " Soft Deleting 20 files: L0.741, L0.755, L0.769, L0.783, L0.797, L0.811, L0.825, L0.839, L0.853, L0.867, L0.881, L0.895, L0.909, L0.923, L0.937, L0.951, L0.965, L0.979, L0.993, L0.1007"
- - " Creating 1 files"
- - "**** Simulation run 203, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- - "L0, all files 0b "
- - "L0.1021[60,161] 60ns |----------------------------------------L0.1021-----------------------------------------|"
- - "L0.1035[61,161] 61ns |----------------------------------------L0.1035----------------------------------------| "
- - "L0.1049[62,161] 62ns |---------------------------------------L0.1049----------------------------------------| "
- - "L0.1063[63,161] 63ns |---------------------------------------L0.1063---------------------------------------| "
- - "L0.1077[64,161] 64ns |--------------------------------------L0.1077---------------------------------------| "
- - "L0.1091[65,161] 65ns |--------------------------------------L0.1091--------------------------------------| "
- - "L0.1105[66,161] 66ns |-------------------------------------L0.1105--------------------------------------| "
- - "L0.1119[67,161] 67ns |-------------------------------------L0.1119-------------------------------------| "
- - "L0.1133[68,161] 68ns |------------------------------------L0.1133-------------------------------------| "
- - "L0.1147[69,161] 69ns |------------------------------------L0.1147------------------------------------| "
- - "L0.1161[70,161] 70ns |------------------------------------L0.1161------------------------------------| "
- - "L0.1175[71,161] 71ns |-----------------------------------L0.1175------------------------------------| "
- - "L0.1189[72,161] 72ns |-----------------------------------L0.1189-----------------------------------| "
- - "L0.1203[73,161] 73ns |----------------------------------L0.1203-----------------------------------| "
- - "L0.1217[74,161] 74ns |----------------------------------L0.1217----------------------------------| "
- - "L0.1231[75,161] 75ns |---------------------------------L0.1231----------------------------------| "
- - "L0.1245[76,161] 76ns |---------------------------------L0.1245---------------------------------| "
- - "L0.1259[77,161] 77ns |--------------------------------L0.1259---------------------------------| "
- - "L0.1273[78,161] 78ns |--------------------------------L0.1273--------------------------------| "
- - "L0.1287[79,161] 79ns |--------------------------------L0.1287--------------------------------| "
- - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- - "L0, all files 0b "
- - "L0.?[60,161] 79ns |------------------------------------------L0.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 20 files: L0.1021, L0.1035, L0.1049, L0.1063, L0.1077, L0.1091, L0.1105, L0.1119, L0.1133, L0.1147, L0.1161, L0.1175, L0.1189, L0.1203, L0.1217, L0.1231, L0.1245, L0.1259, L0.1273, L0.1287"
- - " Creating 1 files"
- - "**** Simulation run 204, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- - "L0, all files 0b "
- - "L0.1301[80,161] 80ns |----------------------------------------L0.1301-----------------------------------------|"
- - "L0.1315[81,161] 81ns |---------------------------------------L0.1315----------------------------------------| "
- - "L0.1329[82,161] 82ns |---------------------------------------L0.1329---------------------------------------| "
- - "L0.1343[83,161] 83ns |--------------------------------------L0.1343---------------------------------------| "
- - "L0.1357[84,161] 84ns |--------------------------------------L0.1357--------------------------------------| "
- - "L0.1371[85,161] 85ns |-------------------------------------L0.1371--------------------------------------| "
- - "L0.1385[86,161] 86ns |-------------------------------------L0.1385-------------------------------------| "
- - "L0.1399[87,161] 87ns |------------------------------------L0.1399-------------------------------------| "
- - "L0.1413[88,161] 88ns |------------------------------------L0.1413------------------------------------| "
- - "L0.1427[89,161] 89ns |-----------------------------------L0.1427------------------------------------|"
- - "L0.1441[90,161] 90ns |----------------------------------L0.1441-----------------------------------| "
- - "L0.1455[91,161] 91ns |----------------------------------L0.1455----------------------------------| "
- - "L0.1469[92,161] 92ns |---------------------------------L0.1469----------------------------------| "
- - "L0.1483[93,161] 93ns |---------------------------------L0.1483---------------------------------| "
- - "L0.1497[94,161] 94ns |--------------------------------L0.1497---------------------------------| "
- - "L0.1511[95,161] 95ns |--------------------------------L0.1511--------------------------------| "
- - "L0.1525[96,161] 96ns |-------------------------------L0.1525--------------------------------| "
- - "L0.1539[97,161] 97ns |-------------------------------L0.1539-------------------------------| "
- - "L0.1553[98,161] 98ns |------------------------------L0.1553-------------------------------|"
- - "L0.1567[99,161] 99ns |-----------------------------L0.1567------------------------------| "
- - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- - "L0, all files 0b "
- - "L0.?[80,161] 99ns |------------------------------------------L0.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 20 files: L0.1301, L0.1315, L0.1329, L0.1343, L0.1357, L0.1371, L0.1385, L0.1399, L0.1413, L0.1427, L0.1441, L0.1455, L0.1469, L0.1483, L0.1497, L0.1511, L0.1525, L0.1539, L0.1553, L0.1567"
- - " Creating 1 files"
- - "**** Simulation run 205, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- - "L0, all files 0b "
- - "L0.1581[100,161] 100ns |----------------------------------------L0.1581-----------------------------------------|"
- - "L0.1595[101,161] 101ns |---------------------------------------L0.1595----------------------------------------| "
- - "L0.1609[102,161] 102ns |---------------------------------------L0.1609---------------------------------------| "
- - "L0.1623[103,161] 103ns |--------------------------------------L0.1623--------------------------------------| "
- - "L0.1637[104,161] 104ns |-------------------------------------L0.1637--------------------------------------| "
- - "L0.1651[105,161] 105ns |------------------------------------L0.1651-------------------------------------| "
- - "L0.1665[106,161] 106ns |------------------------------------L0.1665------------------------------------| "
- - "L0.1679[107,161] 107ns |-----------------------------------L0.1679-----------------------------------| "
- - "L0.1693[108,161] 108ns |----------------------------------L0.1693-----------------------------------| "
- - "L0.1707[109,161] 109ns |---------------------------------L0.1707----------------------------------| "
- - "L0.1721[110,161] 110ns |---------------------------------L0.1721---------------------------------| "
- - "L0.1735[111,161] 111ns |--------------------------------L0.1735--------------------------------| "
- - "L0.1749[112,161] 112ns |-------------------------------L0.1749--------------------------------| "
- - "L0.1763[113,161] 113ns |------------------------------L0.1763-------------------------------| "
- - "L0.1777[114,161] 114ns |------------------------------L0.1777------------------------------| "
- - "L0.1791[115,161] 115ns |-----------------------------L0.1791-----------------------------| "
- - "L0.1805[116,161] 116ns |----------------------------L0.1805-----------------------------| "
- - "L0.1819[117,161] 117ns |---------------------------L0.1819----------------------------| "
- - "L0.1833[118,161] 118ns |---------------------------L0.1833---------------------------| "
- - "L0.1847[119,161] 119ns |--------------------------L0.1847--------------------------| "
- - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- - "L0, all files 0b "
- - "L0.?[100,161] 119ns |------------------------------------------L0.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 20 files: L0.1581, L0.1595, L0.1609, L0.1623, L0.1637, L0.1651, L0.1665, L0.1679, L0.1693, L0.1707, L0.1721, L0.1735, L0.1749, L0.1763, L0.1777, L0.1791, L0.1805, L0.1819, L0.1833, L0.1847"
- - " Creating 1 files"
- - "**** Simulation run 206, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- - "L0, all files 0b "
- - "L0.1861[120,161] 120ns |----------------------------------------L0.1861-----------------------------------------|"
- - "L0.1875[121,161] 121ns |---------------------------------------L0.1875---------------------------------------| "
- - "L0.1889[122,161] 122ns |--------------------------------------L0.1889--------------------------------------| "
- - "L0.1903[123,161] 123ns |-------------------------------------L0.1903-------------------------------------| "
- - "L0.1917[124,161] 124ns |------------------------------------L0.1917------------------------------------| "
- - "L0.1931[125,161] 125ns |-----------------------------------L0.1931-----------------------------------| "
- - "L0.1945[126,161] 126ns |---------------------------------L0.1945----------------------------------| "
- - "L0.1959[127,161] 127ns |--------------------------------L0.1959---------------------------------| "
- - "L0.1973[128,161] 128ns |-------------------------------L0.1973--------------------------------| "
- - "L0.1987[129,161] 129ns |------------------------------L0.1987-------------------------------| "
- - "L0.2001[130,161] 130ns |-----------------------------L0.2001------------------------------| "
- - "L0.2015[131,161] 131ns |----------------------------L0.2015----------------------------| "
- - "L0.2029[132,161] 132ns |---------------------------L0.2029---------------------------| "
- - "L0.2043[133,161] 133ns |--------------------------L0.2043--------------------------| "
- - "L0.2057[134,161] 134ns |-------------------------L0.2057-------------------------| "
- - "L0.2183[135,161] 135ns |------------------------L0.2183------------------------| "
- - "L0.2197[136,161] 136ns |----------------------L0.2197-----------------------| "
- - "L0.2071[137,161] 137ns |---------------------L0.2071----------------------| "
- - "L0.2085[138,161] 138ns |--------------------L0.2085---------------------| "
- - "L0.2099[139,161] 139ns |-------------------L0.2099--------------------| "
- - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- - "L0, all files 0b "
- - "L0.?[120,161] 139ns |------------------------------------------L0.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 20 files: L0.1861, L0.1875, L0.1889, L0.1903, L0.1917, L0.1931, L0.1945, L0.1959, L0.1973, L0.1987, L0.2001, L0.2015, L0.2029, L0.2043, L0.2057, L0.2071, L0.2085, L0.2099, L0.2183, L0.2197"
- - " Creating 1 files"
- - "**** Simulation run 207, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- - "L0, all files 0b "
- - "L0.2113[140,161] 140ns |----------------------------------------L0.2113-----------------------------------------|"
- - "L0.2127[141,161] 141ns |--------------------------------------L0.2127--------------------------------------| "
- - "L0.2141[142,161] 142ns |------------------------------------L0.2141------------------------------------| "
- - "L0.2155[143,161] 143ns |----------------------------------L0.2155----------------------------------| "
- - "L0.2169[144,161] 144ns |-------------------------------L0.2169--------------------------------| "
- - "L0.2211[145,161] 145ns |-----------------------------L0.2211------------------------------| "
- - "L0.2225[146,161] 146ns |---------------------------L0.2225----------------------------| "
- - "L0.2239[147,161] 147ns |-------------------------L0.2239--------------------------|"
- - "L0.2253[148,161] 148ns |-----------------------L0.2253-----------------------| "
- - "L0.2267[149,161] 149ns |---------------------L0.2267---------------------| "
- - "L0.2281[150,161] 150ns |-------------------L0.2281-------------------| "
- - "L0.2295[151,161] 151ns |----------------L0.2295-----------------| "
- - "L0.2309[152,161] 152ns |--------------L0.2309---------------| "
- - "L0.2323[153,161] 153ns |------------L0.2323-------------| "
- - "L0.2337[154,161] 154ns |----------L0.2337-----------|"
- - "L0.2351[155,161] 155ns |--------L0.2351--------| "
- - "L0.2365[156,161] 156ns |------L0.2365------| "
- - "L0.2379[157,161] 157ns |----L0.2379----| "
- - "L0.2393[158,161] 158ns |-L0.2393--| "
- - "L0.2407[159,161] 159ns |L0.2407|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- - "L0, all files 0b "
- - "L0.?[140,161] 159ns |------------------------------------------L0.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 20 files: L0.2113, L0.2127, L0.2141, L0.2155, L0.2169, L0.2211, L0.2225, L0.2239, L0.2253, L0.2267, L0.2281, L0.2295, L0.2309, L0.2323, L0.2337, L0.2351, L0.2365, L0.2379, L0.2393, L0.2407"
- - " Creating 1 files"
- - "**** Simulation run 208, type=compact(ManySmallFiles). 2 Input Files, 0b total:"
- - "L0, all files 0b "
- - "L0.2421[160,161] 160ns |----------------------------------------L0.2421-----------------------------------------|"
- - "L0.2435[161,161] 161ns |L0.2435|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- - "L0, all files 0b "
- - "L0.?[160,161] 161ns |------------------------------------------L0.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 2 files: L0.2421, L0.2435"
- - " Creating 1 files"
- - "**** Simulation run 209, type=compact(ManySmallFiles). 20 Input Files, 160mb total:"
+ - "**** Simulation run 201, type=compact(ManySmallFiles). 20 Input Files, 160mb total:"
- "L0, all files 8mb "
- "L0.202[162,321] 0ns |-----------------------------------------L0.202-----------------------------------------|"
- "L0.215[162,321] 1ns |-----------------------------------------L0.215-----------------------------------------|"
@@ -5739,203 +5532,7 @@ async fn stuck_l0_large_l0s() {
- "Committing partition 1:"
- " Soft Deleting 20 files: L0.202, L0.215, L0.228, L0.241, L0.254, L0.267, L0.280, L0.293, L0.306, L0.319, L0.332, L0.345, L0.358, L0.371, L0.384, L0.397, L0.410, L0.423, L0.436, L0.561"
- " Creating 1 files"
- - "**** Simulation run 210, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- - "L0, all files 0b "
- - "L0.574[162,321] 20ns |-----------------------------------------L0.574-----------------------------------------|"
- - "L0.449[162,321] 21ns |-----------------------------------------L0.449-----------------------------------------|"
- - "L0.463[162,321] 22ns |-----------------------------------------L0.463-----------------------------------------|"
- - "L0.477[162,321] 23ns |-----------------------------------------L0.477-----------------------------------------|"
- - "L0.491[162,321] 24ns |-----------------------------------------L0.491-----------------------------------------|"
- - "L0.505[162,321] 25ns |-----------------------------------------L0.505-----------------------------------------|"
- - "L0.519[162,321] 26ns |-----------------------------------------L0.519-----------------------------------------|"
- - "L0.533[162,321] 27ns |-----------------------------------------L0.533-----------------------------------------|"
- - "L0.547[162,321] 28ns |-----------------------------------------L0.547-----------------------------------------|"
- - "L0.588[162,321] 29ns |-----------------------------------------L0.588-----------------------------------------|"
- - "L0.602[162,321] 30ns |-----------------------------------------L0.602-----------------------------------------|"
- - "L0.616[162,321] 31ns |-----------------------------------------L0.616-----------------------------------------|"
- - "L0.630[162,321] 32ns |-----------------------------------------L0.630-----------------------------------------|"
- - "L0.644[162,321] 33ns |-----------------------------------------L0.644-----------------------------------------|"
- - "L0.658[162,321] 34ns |-----------------------------------------L0.658-----------------------------------------|"
- - "L0.672[162,321] 35ns |-----------------------------------------L0.672-----------------------------------------|"
- - "L0.686[162,321] 36ns |-----------------------------------------L0.686-----------------------------------------|"
- - "L0.700[162,321] 37ns |-----------------------------------------L0.700-----------------------------------------|"
- - "L0.714[162,321] 38ns |-----------------------------------------L0.714-----------------------------------------|"
- - "L0.728[162,321] 39ns |-----------------------------------------L0.728-----------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- - "L0, all files 0b "
- - "L0.?[162,321] 39ns |------------------------------------------L0.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 20 files: L0.449, L0.463, L0.477, L0.491, L0.505, L0.519, L0.533, L0.547, L0.574, L0.588, L0.602, L0.616, L0.630, L0.644, L0.658, L0.672, L0.686, L0.700, L0.714, L0.728"
- - " Creating 1 files"
- - "**** Simulation run 211, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- - "L0, all files 0b "
- - "L0.1302[162,321] 80ns |----------------------------------------L0.1302-----------------------------------------|"
- - "L0.1316[162,321] 81ns |----------------------------------------L0.1316-----------------------------------------|"
- - "L0.1330[162,321] 82ns |----------------------------------------L0.1330-----------------------------------------|"
- - "L0.1344[162,321] 83ns |----------------------------------------L0.1344-----------------------------------------|"
- - "L0.1358[162,321] 84ns |----------------------------------------L0.1358-----------------------------------------|"
- - "L0.1372[162,321] 85ns |----------------------------------------L0.1372-----------------------------------------|"
- - "L0.1386[162,321] 86ns |----------------------------------------L0.1386-----------------------------------------|"
- - "L0.1400[162,321] 87ns |----------------------------------------L0.1400-----------------------------------------|"
- - "L0.1414[162,321] 88ns |----------------------------------------L0.1414-----------------------------------------|"
- - "L0.1428[162,321] 89ns |----------------------------------------L0.1428-----------------------------------------|"
- - "L0.1442[162,321] 90ns |----------------------------------------L0.1442-----------------------------------------|"
- - "L0.1456[162,321] 91ns |----------------------------------------L0.1456-----------------------------------------|"
- - "L0.1470[162,321] 92ns |----------------------------------------L0.1470-----------------------------------------|"
- - "L0.1484[162,321] 93ns |----------------------------------------L0.1484-----------------------------------------|"
- - "L0.1498[162,321] 94ns |----------------------------------------L0.1498-----------------------------------------|"
- - "L0.1512[162,321] 95ns |----------------------------------------L0.1512-----------------------------------------|"
- - "L0.1526[162,321] 96ns |----------------------------------------L0.1526-----------------------------------------|"
- - "L0.1540[162,321] 97ns |----------------------------------------L0.1540-----------------------------------------|"
- - "L0.1554[162,321] 98ns |----------------------------------------L0.1554-----------------------------------------|"
- - "L0.1568[162,321] 99ns |----------------------------------------L0.1568-----------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- - "L0, all files 0b "
- - "L0.?[162,321] 99ns |------------------------------------------L0.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 20 files: L0.1302, L0.1316, L0.1330, L0.1344, L0.1358, L0.1372, L0.1386, L0.1400, L0.1414, L0.1428, L0.1442, L0.1456, L0.1470, L0.1484, L0.1498, L0.1512, L0.1526, L0.1540, L0.1554, L0.1568"
- - " Creating 1 files"
- - "**** Simulation run 212, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- - "L0, all files 0b "
- - "L0.1582[162,321] 100ns |----------------------------------------L0.1582-----------------------------------------|"
- - "L0.1596[162,321] 101ns |----------------------------------------L0.1596-----------------------------------------|"
- - "L0.1610[162,321] 102ns |----------------------------------------L0.1610-----------------------------------------|"
- - "L0.1624[162,321] 103ns |----------------------------------------L0.1624-----------------------------------------|"
- - "L0.1638[162,321] 104ns |----------------------------------------L0.1638-----------------------------------------|"
- - "L0.1652[162,321] 105ns |----------------------------------------L0.1652-----------------------------------------|"
- - "L0.1666[162,321] 106ns |----------------------------------------L0.1666-----------------------------------------|"
- - "L0.1680[162,321] 107ns |----------------------------------------L0.1680-----------------------------------------|"
- - "L0.1694[162,321] 108ns |----------------------------------------L0.1694-----------------------------------------|"
- - "L0.1708[162,321] 109ns |----------------------------------------L0.1708-----------------------------------------|"
- - "L0.1722[162,321] 110ns |----------------------------------------L0.1722-----------------------------------------|"
- - "L0.1736[162,321] 111ns |----------------------------------------L0.1736-----------------------------------------|"
- - "L0.1750[162,321] 112ns |----------------------------------------L0.1750-----------------------------------------|"
- - "L0.1764[162,321] 113ns |----------------------------------------L0.1764-----------------------------------------|"
- - "L0.1778[162,321] 114ns |----------------------------------------L0.1778-----------------------------------------|"
- - "L0.1792[162,321] 115ns |----------------------------------------L0.1792-----------------------------------------|"
- - "L0.1806[162,321] 116ns |----------------------------------------L0.1806-----------------------------------------|"
- - "L0.1820[162,321] 117ns |----------------------------------------L0.1820-----------------------------------------|"
- - "L0.1834[162,321] 118ns |----------------------------------------L0.1834-----------------------------------------|"
- - "L0.1848[162,321] 119ns |----------------------------------------L0.1848-----------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- - "L0, all files 0b "
- - "L0.?[162,321] 119ns |------------------------------------------L0.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 20 files: L0.1582, L0.1596, L0.1610, L0.1624, L0.1638, L0.1652, L0.1666, L0.1680, L0.1694, L0.1708, L0.1722, L0.1736, L0.1750, L0.1764, L0.1778, L0.1792, L0.1806, L0.1820, L0.1834, L0.1848"
- - " Creating 1 files"
- - "**** Simulation run 213, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- - "L0, all files 0b "
- - "L0.1862[162,321] 120ns |----------------------------------------L0.1862-----------------------------------------|"
- - "L0.1876[162,321] 121ns |----------------------------------------L0.1876-----------------------------------------|"
- - "L0.1890[162,321] 122ns |----------------------------------------L0.1890-----------------------------------------|"
- - "L0.1904[162,321] 123ns |----------------------------------------L0.1904-----------------------------------------|"
- - "L0.1918[162,321] 124ns |----------------------------------------L0.1918-----------------------------------------|"
- - "L0.1932[162,321] 125ns |----------------------------------------L0.1932-----------------------------------------|"
- - "L0.1946[162,321] 126ns |----------------------------------------L0.1946-----------------------------------------|"
- - "L0.1960[162,321] 127ns |----------------------------------------L0.1960-----------------------------------------|"
- - "L0.1974[162,321] 128ns |----------------------------------------L0.1974-----------------------------------------|"
- - "L0.1988[162,321] 129ns |----------------------------------------L0.1988-----------------------------------------|"
- - "L0.2002[162,321] 130ns |----------------------------------------L0.2002-----------------------------------------|"
- - "L0.2016[162,321] 131ns |----------------------------------------L0.2016-----------------------------------------|"
- - "L0.2030[162,321] 132ns |----------------------------------------L0.2030-----------------------------------------|"
- - "L0.2044[162,321] 133ns |----------------------------------------L0.2044-----------------------------------------|"
- - "L0.2058[162,321] 134ns |----------------------------------------L0.2058-----------------------------------------|"
- - "L0.2184[162,321] 135ns |----------------------------------------L0.2184-----------------------------------------|"
- - "L0.2198[162,321] 136ns |----------------------------------------L0.2198-----------------------------------------|"
- - "L0.2072[162,321] 137ns |----------------------------------------L0.2072-----------------------------------------|"
- - "L0.2086[162,321] 138ns |----------------------------------------L0.2086-----------------------------------------|"
- - "L0.2100[162,321] 139ns |----------------------------------------L0.2100-----------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- - "L0, all files 0b "
- - "L0.?[162,321] 139ns |------------------------------------------L0.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 20 files: L0.1862, L0.1876, L0.1890, L0.1904, L0.1918, L0.1932, L0.1946, L0.1960, L0.1974, L0.1988, L0.2002, L0.2016, L0.2030, L0.2044, L0.2058, L0.2072, L0.2086, L0.2100, L0.2184, L0.2198"
- - " Creating 1 files"
- - "**** Simulation run 214, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- - "L0, all files 0b "
- - "L0.2114[162,321] 140ns |----------------------------------------L0.2114-----------------------------------------|"
- - "L0.2128[162,321] 141ns |----------------------------------------L0.2128-----------------------------------------|"
- - "L0.2142[162,321] 142ns |----------------------------------------L0.2142-----------------------------------------|"
- - "L0.2156[162,321] 143ns |----------------------------------------L0.2156-----------------------------------------|"
- - "L0.2170[162,321] 144ns |----------------------------------------L0.2170-----------------------------------------|"
- - "L0.2212[162,321] 145ns |----------------------------------------L0.2212-----------------------------------------|"
- - "L0.2226[162,321] 146ns |----------------------------------------L0.2226-----------------------------------------|"
- - "L0.2240[162,321] 147ns |----------------------------------------L0.2240-----------------------------------------|"
- - "L0.2254[162,321] 148ns |----------------------------------------L0.2254-----------------------------------------|"
- - "L0.2268[162,321] 149ns |----------------------------------------L0.2268-----------------------------------------|"
- - "L0.2282[162,321] 150ns |----------------------------------------L0.2282-----------------------------------------|"
- - "L0.2296[162,321] 151ns |----------------------------------------L0.2296-----------------------------------------|"
- - "L0.2310[162,321] 152ns |----------------------------------------L0.2310-----------------------------------------|"
- - "L0.2324[162,321] 153ns |----------------------------------------L0.2324-----------------------------------------|"
- - "L0.2338[162,321] 154ns |----------------------------------------L0.2338-----------------------------------------|"
- - "L0.2352[162,321] 155ns |----------------------------------------L0.2352-----------------------------------------|"
- - "L0.2366[162,321] 156ns |----------------------------------------L0.2366-----------------------------------------|"
- - "L0.2380[162,321] 157ns |----------------------------------------L0.2380-----------------------------------------|"
- - "L0.2394[162,321] 158ns |----------------------------------------L0.2394-----------------------------------------|"
- - "L0.2408[162,321] 159ns |----------------------------------------L0.2408-----------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- - "L0, all files 0b "
- - "L0.?[162,321] 159ns |------------------------------------------L0.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 20 files: L0.2114, L0.2128, L0.2142, L0.2156, L0.2170, L0.2212, L0.2226, L0.2240, L0.2254, L0.2268, L0.2282, L0.2296, L0.2310, L0.2324, L0.2338, L0.2352, L0.2366, L0.2380, L0.2394, L0.2408"
- - " Creating 1 files"
- - "**** Simulation run 215, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- - "L0, all files 0b "
- - "L0.2422[162,321] 160ns |----------------------------------------L0.2422-----------------------------------------|"
- - "L0.2436[162,321] 161ns |----------------------------------------L0.2436-----------------------------------------|"
- - "L0.2449[162,321] 162ns |----------------------------------------L0.2449-----------------------------------------|"
- - "L0.2462[163,321] 163ns |----------------------------------------L0.2462----------------------------------------| "
- - "L0.2475[164,321] 164ns |---------------------------------------L0.2475----------------------------------------| "
- - "L0.2488[165,321] 165ns |---------------------------------------L0.2488----------------------------------------| "
- - "L0.2501[166,321] 166ns |---------------------------------------L0.2501---------------------------------------| "
- - "L0.2514[167,321] 167ns |---------------------------------------L0.2514---------------------------------------| "
- - "L0.2527[168,321] 168ns |--------------------------------------L0.2527---------------------------------------| "
- - "L0.2540[169,321] 169ns |--------------------------------------L0.2540---------------------------------------| "
- - "L0.2553[170,321] 170ns |--------------------------------------L0.2553--------------------------------------| "
- - "L0.2566[171,321] 171ns |-------------------------------------L0.2566--------------------------------------| "
- - "L0.2579[172,321] 172ns |-------------------------------------L0.2579--------------------------------------| "
- - "L0.2592[173,321] 173ns |-------------------------------------L0.2592-------------------------------------| "
- - "L0.2605[174,321] 174ns |-------------------------------------L0.2605-------------------------------------| "
- - "L0.2618[175,321] 175ns |------------------------------------L0.2618-------------------------------------| "
- - "L0.2631[176,321] 176ns |------------------------------------L0.2631-------------------------------------| "
- - "L0.2644[177,321] 177ns |------------------------------------L0.2644------------------------------------| "
- - "L0.2657[178,321] 178ns |-----------------------------------L0.2657------------------------------------| "
- - "L0.2670[179,321] 179ns |-----------------------------------L0.2670------------------------------------| "
- - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- - "L0, all files 0b "
- - "L0.?[162,321] 179ns |------------------------------------------L0.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 20 files: L0.2422, L0.2436, L0.2449, L0.2462, L0.2475, L0.2488, L0.2501, L0.2514, L0.2527, L0.2540, L0.2553, L0.2566, L0.2579, L0.2592, L0.2605, L0.2618, L0.2631, L0.2644, L0.2657, L0.2670"
- - " Creating 1 files"
- - "**** Simulation run 216, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- - "L0, all files 0b "
- - "L0.2683[180,321] 180ns |----------------------------------------L0.2683-----------------------------------------|"
- - "L0.2696[181,321] 181ns |----------------------------------------L0.2696----------------------------------------| "
- - "L0.2709[182,321] 182ns |---------------------------------------L0.2709----------------------------------------| "
- - "L0.2722[183,321] 183ns |---------------------------------------L0.2722----------------------------------------| "
- - "L0.2735[184,321] 184ns |---------------------------------------L0.2735---------------------------------------| "
- - "L0.2748[185,321] 185ns |--------------------------------------L0.2748---------------------------------------| "
- - "L0.2761[186,321] 186ns |--------------------------------------L0.2761---------------------------------------| "
- - "L0.2774[187,321] 187ns |--------------------------------------L0.2774--------------------------------------| "
- - "L0.2787[188,321] 188ns |-------------------------------------L0.2787--------------------------------------| "
- - "L0.2800[189,321] 189ns |-------------------------------------L0.2800--------------------------------------| "
- - "L0.2813[190,321] 190ns |-------------------------------------L0.2813-------------------------------------| "
- - "L0.2826[191,321] 191ns |------------------------------------L0.2826-------------------------------------| "
- - "L0.2839[192,321] 192ns |------------------------------------L0.2839-------------------------------------| "
- - "L0.2852[193,321] 193ns |------------------------------------L0.2852------------------------------------| "
- - "L0.2865[194,321] 194ns |------------------------------------L0.2865------------------------------------| "
- - "L0.2878[195,321] 195ns |-----------------------------------L0.2878------------------------------------| "
- - "L0.2891[196,321] 196ns |-----------------------------------L0.2891-----------------------------------| "
- - "L0.2904[197,321] 197ns |-----------------------------------L0.2904-----------------------------------| "
- - "L0.2917[198,321] 198ns |----------------------------------L0.2917-----------------------------------| "
- - "L0.2930[199,321] 199ns |----------------------------------L0.2930----------------------------------| "
- - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- - "L0, all files 0b "
- - "L0.?[180,321] 199ns |------------------------------------------L0.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 20 files: L0.2683, L0.2696, L0.2709, L0.2722, L0.2735, L0.2748, L0.2761, L0.2774, L0.2787, L0.2800, L0.2813, L0.2826, L0.2839, L0.2852, L0.2865, L0.2878, L0.2891, L0.2904, L0.2917, L0.2930"
- - " Creating 1 files"
- - "**** Simulation run 217, type=compact(ManySmallFiles). 20 Input Files, 160mb total:"
+ - "**** Simulation run 202, type=compact(ManySmallFiles). 20 Input Files, 160mb total:"
- "L0, all files 8mb "
- "L0.203[322,481] 0ns |-----------------------------------------L0.203-----------------------------------------|"
- "L0.216[322,481] 1ns |-----------------------------------------L0.216-----------------------------------------|"
@@ -5963,315 +5560,7 @@ async fn stuck_l0_large_l0s() {
- "Committing partition 1:"
- " Soft Deleting 20 files: L0.203, L0.216, L0.229, L0.242, L0.255, L0.268, L0.281, L0.294, L0.307, L0.320, L0.333, L0.346, L0.359, L0.372, L0.385, L0.398, L0.411, L0.424, L0.437, L0.562"
- " Creating 1 files"
- - "**** Simulation run 218, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- - "L0, all files 0b "
- - "L0.575[322,481] 20ns |-----------------------------------------L0.575-----------------------------------------|"
- - "L0.450[322,481] 21ns |-----------------------------------------L0.450-----------------------------------------|"
- - "L0.464[322,481] 22ns |-----------------------------------------L0.464-----------------------------------------|"
- - "L0.478[322,481] 23ns |-----------------------------------------L0.478-----------------------------------------|"
- - "L0.492[322,481] 24ns |-----------------------------------------L0.492-----------------------------------------|"
- - "L0.506[322,481] 25ns |-----------------------------------------L0.506-----------------------------------------|"
- - "L0.520[322,481] 26ns |-----------------------------------------L0.520-----------------------------------------|"
- - "L0.534[322,481] 27ns |-----------------------------------------L0.534-----------------------------------------|"
- - "L0.548[322,481] 28ns |-----------------------------------------L0.548-----------------------------------------|"
- - "L0.589[322,481] 29ns |-----------------------------------------L0.589-----------------------------------------|"
- - "L0.603[322,481] 30ns |-----------------------------------------L0.603-----------------------------------------|"
- - "L0.617[322,481] 31ns |-----------------------------------------L0.617-----------------------------------------|"
- - "L0.631[322,481] 32ns |-----------------------------------------L0.631-----------------------------------------|"
- - "L0.645[322,481] 33ns |-----------------------------------------L0.645-----------------------------------------|"
- - "L0.659[322,481] 34ns |-----------------------------------------L0.659-----------------------------------------|"
- - "L0.673[322,481] 35ns |-----------------------------------------L0.673-----------------------------------------|"
- - "L0.687[322,481] 36ns |-----------------------------------------L0.687-----------------------------------------|"
- - "L0.701[322,481] 37ns |-----------------------------------------L0.701-----------------------------------------|"
- - "L0.715[322,481] 38ns |-----------------------------------------L0.715-----------------------------------------|"
- - "L0.729[322,481] 39ns |-----------------------------------------L0.729-----------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- - "L0, all files 0b "
- - "L0.?[322,481] 39ns |------------------------------------------L0.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 20 files: L0.450, L0.464, L0.478, L0.492, L0.506, L0.520, L0.534, L0.548, L0.575, L0.589, L0.603, L0.617, L0.631, L0.645, L0.659, L0.673, L0.687, L0.701, L0.715, L0.729"
- - " Creating 1 files"
- - "**** Simulation run 219, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- - "L0, all files 0b "
- - "L0.742[162,321] 40ns |-----------------------------------------L0.742-----------------------------------------|"
- - "L0.756[162,321] 41ns |-----------------------------------------L0.756-----------------------------------------|"
- - "L0.770[162,321] 42ns |-----------------------------------------L0.770-----------------------------------------|"
- - "L0.784[162,321] 43ns |-----------------------------------------L0.784-----------------------------------------|"
- - "L0.798[162,321] 44ns |-----------------------------------------L0.798-----------------------------------------|"
- - "L0.812[162,321] 45ns |-----------------------------------------L0.812-----------------------------------------|"
- - "L0.826[162,321] 46ns |-----------------------------------------L0.826-----------------------------------------|"
- - "L0.840[162,321] 47ns |-----------------------------------------L0.840-----------------------------------------|"
- - "L0.854[162,321] 48ns |-----------------------------------------L0.854-----------------------------------------|"
- - "L0.868[162,321] 49ns |-----------------------------------------L0.868-----------------------------------------|"
- - "L0.882[162,321] 50ns |-----------------------------------------L0.882-----------------------------------------|"
- - "L0.896[162,321] 51ns |-----------------------------------------L0.896-----------------------------------------|"
- - "L0.910[162,321] 52ns |-----------------------------------------L0.910-----------------------------------------|"
- - "L0.924[162,321] 53ns |-----------------------------------------L0.924-----------------------------------------|"
- - "L0.938[162,321] 54ns |-----------------------------------------L0.938-----------------------------------------|"
- - "L0.952[162,321] 55ns |-----------------------------------------L0.952-----------------------------------------|"
- - "L0.966[162,321] 56ns |-----------------------------------------L0.966-----------------------------------------|"
- - "L0.980[162,321] 57ns |-----------------------------------------L0.980-----------------------------------------|"
- - "L0.994[162,321] 58ns |-----------------------------------------L0.994-----------------------------------------|"
- - "L0.1008[162,321] 59ns |----------------------------------------L0.1008-----------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- - "L0, all files 0b "
- - "L0.?[162,321] 59ns |------------------------------------------L0.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 20 files: L0.742, L0.756, L0.770, L0.784, L0.798, L0.812, L0.826, L0.840, L0.854, L0.868, L0.882, L0.896, L0.910, L0.924, L0.938, L0.952, L0.966, L0.980, L0.994, L0.1008"
- - " Creating 1 files"
- - "**** Simulation run 220, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- - "L0, all files 0b "
- - "L0.1022[162,321] 60ns |----------------------------------------L0.1022-----------------------------------------|"
- - "L0.1036[162,321] 61ns |----------------------------------------L0.1036-----------------------------------------|"
- - "L0.1050[162,321] 62ns |----------------------------------------L0.1050-----------------------------------------|"
- - "L0.1064[162,321] 63ns |----------------------------------------L0.1064-----------------------------------------|"
- - "L0.1078[162,321] 64ns |----------------------------------------L0.1078-----------------------------------------|"
- - "L0.1092[162,321] 65ns |----------------------------------------L0.1092-----------------------------------------|"
- - "L0.1106[162,321] 66ns |----------------------------------------L0.1106-----------------------------------------|"
- - "L0.1120[162,321] 67ns |----------------------------------------L0.1120-----------------------------------------|"
- - "L0.1134[162,321] 68ns |----------------------------------------L0.1134-----------------------------------------|"
- - "L0.1148[162,321] 69ns |----------------------------------------L0.1148-----------------------------------------|"
- - "L0.1162[162,321] 70ns |----------------------------------------L0.1162-----------------------------------------|"
- - "L0.1176[162,321] 71ns |----------------------------------------L0.1176-----------------------------------------|"
- - "L0.1190[162,321] 72ns |----------------------------------------L0.1190-----------------------------------------|"
- - "L0.1204[162,321] 73ns |----------------------------------------L0.1204-----------------------------------------|"
- - "L0.1218[162,321] 74ns |----------------------------------------L0.1218-----------------------------------------|"
- - "L0.1232[162,321] 75ns |----------------------------------------L0.1232-----------------------------------------|"
- - "L0.1246[162,321] 76ns |----------------------------------------L0.1246-----------------------------------------|"
- - "L0.1260[162,321] 77ns |----------------------------------------L0.1260-----------------------------------------|"
- - "L0.1274[162,321] 78ns |----------------------------------------L0.1274-----------------------------------------|"
- - "L0.1288[162,321] 79ns |----------------------------------------L0.1288-----------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- - "L0, all files 0b "
- - "L0.?[162,321] 79ns |------------------------------------------L0.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 20 files: L0.1022, L0.1036, L0.1050, L0.1064, L0.1078, L0.1092, L0.1106, L0.1120, L0.1134, L0.1148, L0.1162, L0.1176, L0.1190, L0.1204, L0.1218, L0.1232, L0.1246, L0.1260, L0.1274, L0.1288"
- - " Creating 1 files"
- - "**** Simulation run 221, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- - "L0, all files 0b "
- - "L0.743[322,481] 40ns |-----------------------------------------L0.743-----------------------------------------|"
- - "L0.757[322,481] 41ns |-----------------------------------------L0.757-----------------------------------------|"
- - "L0.771[322,481] 42ns |-----------------------------------------L0.771-----------------------------------------|"
- - "L0.785[322,481] 43ns |-----------------------------------------L0.785-----------------------------------------|"
- - "L0.799[322,481] 44ns |-----------------------------------------L0.799-----------------------------------------|"
- - "L0.813[322,481] 45ns |-----------------------------------------L0.813-----------------------------------------|"
- - "L0.827[322,481] 46ns |-----------------------------------------L0.827-----------------------------------------|"
- - "L0.841[322,481] 47ns |-----------------------------------------L0.841-----------------------------------------|"
- - "L0.855[322,481] 48ns |-----------------------------------------L0.855-----------------------------------------|"
- - "L0.869[322,481] 49ns |-----------------------------------------L0.869-----------------------------------------|"
- - "L0.883[322,481] 50ns |-----------------------------------------L0.883-----------------------------------------|"
- - "L0.897[322,481] 51ns |-----------------------------------------L0.897-----------------------------------------|"
- - "L0.911[322,481] 52ns |-----------------------------------------L0.911-----------------------------------------|"
- - "L0.925[322,481] 53ns |-----------------------------------------L0.925-----------------------------------------|"
- - "L0.939[322,481] 54ns |-----------------------------------------L0.939-----------------------------------------|"
- - "L0.953[322,481] 55ns |-----------------------------------------L0.953-----------------------------------------|"
- - "L0.967[322,481] 56ns |-----------------------------------------L0.967-----------------------------------------|"
- - "L0.981[322,481] 57ns |-----------------------------------------L0.981-----------------------------------------|"
- - "L0.995[322,481] 58ns |-----------------------------------------L0.995-----------------------------------------|"
- - "L0.1009[322,481] 59ns |----------------------------------------L0.1009-----------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- - "L0, all files 0b "
- - "L0.?[322,481] 59ns |------------------------------------------L0.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 20 files: L0.743, L0.757, L0.771, L0.785, L0.799, L0.813, L0.827, L0.841, L0.855, L0.869, L0.883, L0.897, L0.911, L0.925, L0.939, L0.953, L0.967, L0.981, L0.995, L0.1009"
- - " Creating 1 files"
- - "**** Simulation run 222, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- - "L0, all files 0b "
- - "L0.1023[322,481] 60ns |----------------------------------------L0.1023-----------------------------------------|"
- - "L0.1037[322,481] 61ns |----------------------------------------L0.1037-----------------------------------------|"
- - "L0.1051[322,481] 62ns |----------------------------------------L0.1051-----------------------------------------|"
- - "L0.1065[322,481] 63ns |----------------------------------------L0.1065-----------------------------------------|"
- - "L0.1079[322,481] 64ns |----------------------------------------L0.1079-----------------------------------------|"
- - "L0.1093[322,481] 65ns |----------------------------------------L0.1093-----------------------------------------|"
- - "L0.1107[322,481] 66ns |----------------------------------------L0.1107-----------------------------------------|"
- - "L0.1121[322,481] 67ns |----------------------------------------L0.1121-----------------------------------------|"
- - "L0.1135[322,481] 68ns |----------------------------------------L0.1135-----------------------------------------|"
- - "L0.1149[322,481] 69ns |----------------------------------------L0.1149-----------------------------------------|"
- - "L0.1163[322,481] 70ns |----------------------------------------L0.1163-----------------------------------------|"
- - "L0.1177[322,481] 71ns |----------------------------------------L0.1177-----------------------------------------|"
- - "L0.1191[322,481] 72ns |----------------------------------------L0.1191-----------------------------------------|"
- - "L0.1205[322,481] 73ns |----------------------------------------L0.1205-----------------------------------------|"
- - "L0.1219[322,481] 74ns |----------------------------------------L0.1219-----------------------------------------|"
- - "L0.1233[322,481] 75ns |----------------------------------------L0.1233-----------------------------------------|"
- - "L0.1247[322,481] 76ns |----------------------------------------L0.1247-----------------------------------------|"
- - "L0.1261[322,481] 77ns |----------------------------------------L0.1261-----------------------------------------|"
- - "L0.1275[322,481] 78ns |----------------------------------------L0.1275-----------------------------------------|"
- - "L0.1289[322,481] 79ns |----------------------------------------L0.1289-----------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- - "L0, all files 0b "
- - "L0.?[322,481] 79ns |------------------------------------------L0.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 20 files: L0.1023, L0.1037, L0.1051, L0.1065, L0.1079, L0.1093, L0.1107, L0.1121, L0.1135, L0.1149, L0.1163, L0.1177, L0.1191, L0.1205, L0.1219, L0.1233, L0.1247, L0.1261, L0.1275, L0.1289"
- - " Creating 1 files"
- - "**** Simulation run 223, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- - "L0, all files 0b "
- - "L0.1303[322,481] 80ns |----------------------------------------L0.1303-----------------------------------------|"
- - "L0.1317[322,481] 81ns |----------------------------------------L0.1317-----------------------------------------|"
- - "L0.1331[322,481] 82ns |----------------------------------------L0.1331-----------------------------------------|"
- - "L0.1345[322,481] 83ns |----------------------------------------L0.1345-----------------------------------------|"
- - "L0.1359[322,481] 84ns |----------------------------------------L0.1359-----------------------------------------|"
- - "L0.1373[322,481] 85ns |----------------------------------------L0.1373-----------------------------------------|"
- - "L0.1387[322,481] 86ns |----------------------------------------L0.1387-----------------------------------------|"
- - "L0.1401[322,481] 87ns |----------------------------------------L0.1401-----------------------------------------|"
- - "L0.1415[322,481] 88ns |----------------------------------------L0.1415-----------------------------------------|"
- - "L0.1429[322,481] 89ns |----------------------------------------L0.1429-----------------------------------------|"
- - "L0.1443[322,481] 90ns |----------------------------------------L0.1443-----------------------------------------|"
- - "L0.1457[322,481] 91ns |----------------------------------------L0.1457-----------------------------------------|"
- - "L0.1471[322,481] 92ns |----------------------------------------L0.1471-----------------------------------------|"
- - "L0.1485[322,481] 93ns |----------------------------------------L0.1485-----------------------------------------|"
- - "L0.1499[322,481] 94ns |----------------------------------------L0.1499-----------------------------------------|"
- - "L0.1513[322,481] 95ns |----------------------------------------L0.1513-----------------------------------------|"
- - "L0.1527[322,481] 96ns |----------------------------------------L0.1527-----------------------------------------|"
- - "L0.1541[322,481] 97ns |----------------------------------------L0.1541-----------------------------------------|"
- - "L0.1555[322,481] 98ns |----------------------------------------L0.1555-----------------------------------------|"
- - "L0.1569[322,481] 99ns |----------------------------------------L0.1569-----------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- - "L0, all files 0b "
- - "L0.?[322,481] 99ns |------------------------------------------L0.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 20 files: L0.1303, L0.1317, L0.1331, L0.1345, L0.1359, L0.1373, L0.1387, L0.1401, L0.1415, L0.1429, L0.1443, L0.1457, L0.1471, L0.1485, L0.1499, L0.1513, L0.1527, L0.1541, L0.1555, L0.1569"
- - " Creating 1 files"
- - "**** Simulation run 224, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- - "L0, all files 0b "
- - "L0.1583[322,481] 100ns |----------------------------------------L0.1583-----------------------------------------|"
- - "L0.1597[322,481] 101ns |----------------------------------------L0.1597-----------------------------------------|"
- - "L0.1611[322,481] 102ns |----------------------------------------L0.1611-----------------------------------------|"
- - "L0.1625[322,481] 103ns |----------------------------------------L0.1625-----------------------------------------|"
- - "L0.1639[322,481] 104ns |----------------------------------------L0.1639-----------------------------------------|"
- - "L0.1653[322,481] 105ns |----------------------------------------L0.1653-----------------------------------------|"
- - "L0.1667[322,481] 106ns |----------------------------------------L0.1667-----------------------------------------|"
- - "L0.1681[322,481] 107ns |----------------------------------------L0.1681-----------------------------------------|"
- - "L0.1695[322,481] 108ns |----------------------------------------L0.1695-----------------------------------------|"
- - "L0.1709[322,481] 109ns |----------------------------------------L0.1709-----------------------------------------|"
- - "L0.1723[322,481] 110ns |----------------------------------------L0.1723-----------------------------------------|"
- - "L0.1737[322,481] 111ns |----------------------------------------L0.1737-----------------------------------------|"
- - "L0.1751[322,481] 112ns |----------------------------------------L0.1751-----------------------------------------|"
- - "L0.1765[322,481] 113ns |----------------------------------------L0.1765-----------------------------------------|"
- - "L0.1779[322,481] 114ns |----------------------------------------L0.1779-----------------------------------------|"
- - "L0.1793[322,481] 115ns |----------------------------------------L0.1793-----------------------------------------|"
- - "L0.1807[322,481] 116ns |----------------------------------------L0.1807-----------------------------------------|"
- - "L0.1821[322,481] 117ns |----------------------------------------L0.1821-----------------------------------------|"
- - "L0.1835[322,481] 118ns |----------------------------------------L0.1835-----------------------------------------|"
- - "L0.1849[322,481] 119ns |----------------------------------------L0.1849-----------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- - "L0, all files 0b "
- - "L0.?[322,481] 119ns |------------------------------------------L0.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 20 files: L0.1583, L0.1597, L0.1611, L0.1625, L0.1639, L0.1653, L0.1667, L0.1681, L0.1695, L0.1709, L0.1723, L0.1737, L0.1751, L0.1765, L0.1779, L0.1793, L0.1807, L0.1821, L0.1835, L0.1849"
- - " Creating 1 files"
- - "**** Simulation run 225, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- - "L0, all files 0b "
- - "L0.1863[322,481] 120ns |----------------------------------------L0.1863-----------------------------------------|"
- - "L0.1877[322,481] 121ns |----------------------------------------L0.1877-----------------------------------------|"
- - "L0.1891[322,481] 122ns |----------------------------------------L0.1891-----------------------------------------|"
- - "L0.1905[322,481] 123ns |----------------------------------------L0.1905-----------------------------------------|"
- - "L0.1919[322,481] 124ns |----------------------------------------L0.1919-----------------------------------------|"
- - "L0.1933[322,481] 125ns |----------------------------------------L0.1933-----------------------------------------|"
- - "L0.1947[322,481] 126ns |----------------------------------------L0.1947-----------------------------------------|"
- - "L0.1961[322,481] 127ns |----------------------------------------L0.1961-----------------------------------------|"
- - "L0.1975[322,481] 128ns |----------------------------------------L0.1975-----------------------------------------|"
- - "L0.1989[322,481] 129ns |----------------------------------------L0.1989-----------------------------------------|"
- - "L0.2003[322,481] 130ns |----------------------------------------L0.2003-----------------------------------------|"
- - "L0.2017[322,481] 131ns |----------------------------------------L0.2017-----------------------------------------|"
- - "L0.2031[322,481] 132ns |----------------------------------------L0.2031-----------------------------------------|"
- - "L0.2045[322,481] 133ns |----------------------------------------L0.2045-----------------------------------------|"
- - "L0.2059[322,481] 134ns |----------------------------------------L0.2059-----------------------------------------|"
- - "L0.2185[322,481] 135ns |----------------------------------------L0.2185-----------------------------------------|"
- - "L0.2199[322,481] 136ns |----------------------------------------L0.2199-----------------------------------------|"
- - "L0.2073[322,481] 137ns |----------------------------------------L0.2073-----------------------------------------|"
- - "L0.2087[322,481] 138ns |----------------------------------------L0.2087-----------------------------------------|"
- - "L0.2101[322,481] 139ns |----------------------------------------L0.2101-----------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- - "L0, all files 0b "
- - "L0.?[322,481] 139ns |------------------------------------------L0.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 20 files: L0.1863, L0.1877, L0.1891, L0.1905, L0.1919, L0.1933, L0.1947, L0.1961, L0.1975, L0.1989, L0.2003, L0.2017, L0.2031, L0.2045, L0.2059, L0.2073, L0.2087, L0.2101, L0.2185, L0.2199"
- - " Creating 1 files"
- - "**** Simulation run 226, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- - "L0, all files 0b "
- - "L0.2115[322,481] 140ns |----------------------------------------L0.2115-----------------------------------------|"
- - "L0.2129[322,481] 141ns |----------------------------------------L0.2129-----------------------------------------|"
- - "L0.2143[322,481] 142ns |----------------------------------------L0.2143-----------------------------------------|"
- - "L0.2157[322,481] 143ns |----------------------------------------L0.2157-----------------------------------------|"
- - "L0.2171[322,481] 144ns |----------------------------------------L0.2171-----------------------------------------|"
- - "L0.2213[322,481] 145ns |----------------------------------------L0.2213-----------------------------------------|"
- - "L0.2227[322,481] 146ns |----------------------------------------L0.2227-----------------------------------------|"
- - "L0.2241[322,481] 147ns |----------------------------------------L0.2241-----------------------------------------|"
- - "L0.2255[322,481] 148ns |----------------------------------------L0.2255-----------------------------------------|"
- - "L0.2269[322,481] 149ns |----------------------------------------L0.2269-----------------------------------------|"
- - "L0.2283[322,481] 150ns |----------------------------------------L0.2283-----------------------------------------|"
- - "L0.2297[322,481] 151ns |----------------------------------------L0.2297-----------------------------------------|"
- - "L0.2311[322,481] 152ns |----------------------------------------L0.2311-----------------------------------------|"
- - "L0.2325[322,481] 153ns |----------------------------------------L0.2325-----------------------------------------|"
- - "L0.2339[322,481] 154ns |----------------------------------------L0.2339-----------------------------------------|"
- - "L0.2353[322,481] 155ns |----------------------------------------L0.2353-----------------------------------------|"
- - "L0.2367[322,481] 156ns |----------------------------------------L0.2367-----------------------------------------|"
- - "L0.2381[322,481] 157ns |----------------------------------------L0.2381-----------------------------------------|"
- - "L0.2395[322,481] 158ns |----------------------------------------L0.2395-----------------------------------------|"
- - "L0.2409[322,481] 159ns |----------------------------------------L0.2409-----------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- - "L0, all files 0b "
- - "L0.?[322,481] 159ns |------------------------------------------L0.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 20 files: L0.2115, L0.2129, L0.2143, L0.2157, L0.2171, L0.2213, L0.2227, L0.2241, L0.2255, L0.2269, L0.2283, L0.2297, L0.2311, L0.2325, L0.2339, L0.2353, L0.2367, L0.2381, L0.2395, L0.2409"
- - " Creating 1 files"
- - "**** Simulation run 227, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- - "L0, all files 0b "
- - "L0.2423[322,481] 160ns |----------------------------------------L0.2423-----------------------------------------|"
- - "L0.2437[322,481] 161ns |----------------------------------------L0.2437-----------------------------------------|"
- - "L0.2450[322,481] 162ns |----------------------------------------L0.2450-----------------------------------------|"
- - "L0.2463[322,481] 163ns |----------------------------------------L0.2463-----------------------------------------|"
- - "L0.2476[322,481] 164ns |----------------------------------------L0.2476-----------------------------------------|"
- - "L0.2489[322,481] 165ns |----------------------------------------L0.2489-----------------------------------------|"
- - "L0.2502[322,481] 166ns |----------------------------------------L0.2502-----------------------------------------|"
- - "L0.2515[322,481] 167ns |----------------------------------------L0.2515-----------------------------------------|"
- - "L0.2528[322,481] 168ns |----------------------------------------L0.2528-----------------------------------------|"
- - "L0.2541[322,481] 169ns |----------------------------------------L0.2541-----------------------------------------|"
- - "L0.2554[322,481] 170ns |----------------------------------------L0.2554-----------------------------------------|"
- - "L0.2567[322,481] 171ns |----------------------------------------L0.2567-----------------------------------------|"
- - "L0.2580[322,481] 172ns |----------------------------------------L0.2580-----------------------------------------|"
- - "L0.2593[322,481] 173ns |----------------------------------------L0.2593-----------------------------------------|"
- - "L0.2606[322,481] 174ns |----------------------------------------L0.2606-----------------------------------------|"
- - "L0.2619[322,481] 175ns |----------------------------------------L0.2619-----------------------------------------|"
- - "L0.2632[322,481] 176ns |----------------------------------------L0.2632-----------------------------------------|"
- - "L0.2645[322,481] 177ns |----------------------------------------L0.2645-----------------------------------------|"
- - "L0.2658[322,481] 178ns |----------------------------------------L0.2658-----------------------------------------|"
- - "L0.2671[322,481] 179ns |----------------------------------------L0.2671-----------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- - "L0, all files 0b "
- - "L0.?[322,481] 179ns |------------------------------------------L0.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 20 files: L0.2423, L0.2437, L0.2450, L0.2463, L0.2476, L0.2489, L0.2502, L0.2515, L0.2528, L0.2541, L0.2554, L0.2567, L0.2580, L0.2593, L0.2606, L0.2619, L0.2632, L0.2645, L0.2658, L0.2671"
- - " Creating 1 files"
- - "**** Simulation run 228, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- - "L0, all files 0b "
- - "L0.2684[322,481] 180ns |----------------------------------------L0.2684-----------------------------------------|"
- - "L0.2697[322,481] 181ns |----------------------------------------L0.2697-----------------------------------------|"
- - "L0.2710[322,481] 182ns |----------------------------------------L0.2710-----------------------------------------|"
- - "L0.2723[322,481] 183ns |----------------------------------------L0.2723-----------------------------------------|"
- - "L0.2736[322,481] 184ns |----------------------------------------L0.2736-----------------------------------------|"
- - "L0.2749[322,481] 185ns |----------------------------------------L0.2749-----------------------------------------|"
- - "L0.2762[322,481] 186ns |----------------------------------------L0.2762-----------------------------------------|"
- - "L0.2775[322,481] 187ns |----------------------------------------L0.2775-----------------------------------------|"
- - "L0.2788[322,481] 188ns |----------------------------------------L0.2788-----------------------------------------|"
- - "L0.2801[322,481] 189ns |----------------------------------------L0.2801-----------------------------------------|"
- - "L0.2814[322,481] 190ns |----------------------------------------L0.2814-----------------------------------------|"
- - "L0.2827[322,481] 191ns |----------------------------------------L0.2827-----------------------------------------|"
- - "L0.2840[322,481] 192ns |----------------------------------------L0.2840-----------------------------------------|"
- - "L0.2853[322,481] 193ns |----------------------------------------L0.2853-----------------------------------------|"
- - "L0.2866[322,481] 194ns |----------------------------------------L0.2866-----------------------------------------|"
- - "L0.2879[322,481] 195ns |----------------------------------------L0.2879-----------------------------------------|"
- - "L0.2892[322,481] 196ns |----------------------------------------L0.2892-----------------------------------------|"
- - "L0.2905[322,481] 197ns |----------------------------------------L0.2905-----------------------------------------|"
- - "L0.2918[322,481] 198ns |----------------------------------------L0.2918-----------------------------------------|"
- - "L0.2931[322,481] 199ns |----------------------------------------L0.2931-----------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- - "L0, all files 0b "
- - "L0.?[322,481] 199ns |------------------------------------------L0.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 20 files: L0.2684, L0.2697, L0.2710, L0.2723, L0.2736, L0.2749, L0.2762, L0.2775, L0.2788, L0.2801, L0.2814, L0.2827, L0.2840, L0.2853, L0.2866, L0.2879, L0.2892, L0.2905, L0.2918, L0.2931"
- - " Creating 1 files"
- - "**** Simulation run 229, type=compact(ManySmallFiles). 20 Input Files, 160mb total:"
+ - "**** Simulation run 203, type=compact(ManySmallFiles). 20 Input Files, 160mb total:"
- "L0, all files 8mb "
- "L0.204[482,641] 0ns |-----------------------------------------L0.204-----------------------------------------|"
- "L0.217[482,641] 1ns |-----------------------------------------L0.217-----------------------------------------|"
@@ -6299,231 +5588,7 @@ async fn stuck_l0_large_l0s() {
- "Committing partition 1:"
- " Soft Deleting 20 files: L0.204, L0.217, L0.230, L0.243, L0.256, L0.269, L0.282, L0.295, L0.308, L0.321, L0.334, L0.347, L0.360, L0.373, L0.386, L0.399, L0.412, L0.425, L0.438, L0.563"
- " Creating 1 files"
- - "**** Simulation run 230, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- - "L0, all files 0b "
- - "L0.576[482,641] 20ns |-----------------------------------------L0.576-----------------------------------------|"
- - "L0.451[482,641] 21ns |-----------------------------------------L0.451-----------------------------------------|"
- - "L0.465[482,641] 22ns |-----------------------------------------L0.465-----------------------------------------|"
- - "L0.479[482,641] 23ns |-----------------------------------------L0.479-----------------------------------------|"
- - "L0.493[482,641] 24ns |-----------------------------------------L0.493-----------------------------------------|"
- - "L0.507[482,641] 25ns |-----------------------------------------L0.507-----------------------------------------|"
- - "L0.521[482,641] 26ns |-----------------------------------------L0.521-----------------------------------------|"
- - "L0.535[482,641] 27ns |-----------------------------------------L0.535-----------------------------------------|"
- - "L0.549[482,641] 28ns |-----------------------------------------L0.549-----------------------------------------|"
- - "L0.590[482,641] 29ns |-----------------------------------------L0.590-----------------------------------------|"
- - "L0.604[482,641] 30ns |-----------------------------------------L0.604-----------------------------------------|"
- - "L0.618[482,641] 31ns |-----------------------------------------L0.618-----------------------------------------|"
- - "L0.632[482,641] 32ns |-----------------------------------------L0.632-----------------------------------------|"
- - "L0.646[482,641] 33ns |-----------------------------------------L0.646-----------------------------------------|"
- - "L0.660[482,641] 34ns |-----------------------------------------L0.660-----------------------------------------|"
- - "L0.674[482,641] 35ns |-----------------------------------------L0.674-----------------------------------------|"
- - "L0.688[482,641] 36ns |-----------------------------------------L0.688-----------------------------------------|"
- - "L0.702[482,641] 37ns |-----------------------------------------L0.702-----------------------------------------|"
- - "L0.716[482,641] 38ns |-----------------------------------------L0.716-----------------------------------------|"
- - "L0.730[482,641] 39ns |-----------------------------------------L0.730-----------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- - "L0, all files 0b "
- - "L0.?[482,641] 39ns |------------------------------------------L0.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 20 files: L0.451, L0.465, L0.479, L0.493, L0.507, L0.521, L0.535, L0.549, L0.576, L0.590, L0.604, L0.618, L0.632, L0.646, L0.660, L0.674, L0.688, L0.702, L0.716, L0.730"
- - " Creating 1 files"
- - "**** Simulation run 231, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- - "L0, all files 0b "
- - "L0.744[482,641] 40ns |-----------------------------------------L0.744-----------------------------------------|"
- - "L0.758[482,641] 41ns |-----------------------------------------L0.758-----------------------------------------|"
- - "L0.772[482,641] 42ns |-----------------------------------------L0.772-----------------------------------------|"
- - "L0.786[482,641] 43ns |-----------------------------------------L0.786-----------------------------------------|"
- - "L0.800[482,641] 44ns |-----------------------------------------L0.800-----------------------------------------|"
- - "L0.814[482,641] 45ns |-----------------------------------------L0.814-----------------------------------------|"
- - "L0.828[482,641] 46ns |-----------------------------------------L0.828-----------------------------------------|"
- - "L0.842[482,641] 47ns |-----------------------------------------L0.842-----------------------------------------|"
- - "L0.856[482,641] 48ns |-----------------------------------------L0.856-----------------------------------------|"
- - "L0.870[482,641] 49ns |-----------------------------------------L0.870-----------------------------------------|"
- - "L0.884[482,641] 50ns |-----------------------------------------L0.884-----------------------------------------|"
- - "L0.898[482,641] 51ns |-----------------------------------------L0.898-----------------------------------------|"
- - "L0.912[482,641] 52ns |-----------------------------------------L0.912-----------------------------------------|"
- - "L0.926[482,641] 53ns |-----------------------------------------L0.926-----------------------------------------|"
- - "L0.940[482,641] 54ns |-----------------------------------------L0.940-----------------------------------------|"
- - "L0.954[482,641] 55ns |-----------------------------------------L0.954-----------------------------------------|"
- - "L0.968[482,641] 56ns |-----------------------------------------L0.968-----------------------------------------|"
- - "L0.982[482,641] 57ns |-----------------------------------------L0.982-----------------------------------------|"
- - "L0.996[482,641] 58ns |-----------------------------------------L0.996-----------------------------------------|"
- - "L0.1010[482,641] 59ns |----------------------------------------L0.1010-----------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- - "L0, all files 0b "
- - "L0.?[482,641] 59ns |------------------------------------------L0.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 20 files: L0.744, L0.758, L0.772, L0.786, L0.800, L0.814, L0.828, L0.842, L0.856, L0.870, L0.884, L0.898, L0.912, L0.926, L0.940, L0.954, L0.968, L0.982, L0.996, L0.1010"
- - " Creating 1 files"
- - "**** Simulation run 232, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- - "L0, all files 0b "
- - "L0.1024[482,641] 60ns |----------------------------------------L0.1024-----------------------------------------|"
- - "L0.1038[482,641] 61ns |----------------------------------------L0.1038-----------------------------------------|"
- - "L0.1052[482,641] 62ns |----------------------------------------L0.1052-----------------------------------------|"
- - "L0.1066[482,641] 63ns |----------------------------------------L0.1066-----------------------------------------|"
- - "L0.1080[482,641] 64ns |----------------------------------------L0.1080-----------------------------------------|"
- - "L0.1094[482,641] 65ns |----------------------------------------L0.1094-----------------------------------------|"
- - "L0.1108[482,641] 66ns |----------------------------------------L0.1108-----------------------------------------|"
- - "L0.1122[482,641] 67ns |----------------------------------------L0.1122-----------------------------------------|"
- - "L0.1136[482,641] 68ns |----------------------------------------L0.1136-----------------------------------------|"
- - "L0.1150[482,641] 69ns |----------------------------------------L0.1150-----------------------------------------|"
- - "L0.1164[482,641] 70ns |----------------------------------------L0.1164-----------------------------------------|"
- - "L0.1178[482,641] 71ns |----------------------------------------L0.1178-----------------------------------------|"
- - "L0.1192[482,641] 72ns |----------------------------------------L0.1192-----------------------------------------|"
- - "L0.1206[482,641] 73ns |----------------------------------------L0.1206-----------------------------------------|"
- - "L0.1220[482,641] 74ns |----------------------------------------L0.1220-----------------------------------------|"
- - "L0.1234[482,641] 75ns |----------------------------------------L0.1234-----------------------------------------|"
- - "L0.1248[482,641] 76ns |----------------------------------------L0.1248-----------------------------------------|"
- - "L0.1262[482,641] 77ns |----------------------------------------L0.1262-----------------------------------------|"
- - "L0.1276[482,641] 78ns |----------------------------------------L0.1276-----------------------------------------|"
- - "L0.1290[482,641] 79ns |----------------------------------------L0.1290-----------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- - "L0, all files 0b "
- - "L0.?[482,641] 79ns |------------------------------------------L0.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 20 files: L0.1024, L0.1038, L0.1052, L0.1066, L0.1080, L0.1094, L0.1108, L0.1122, L0.1136, L0.1150, L0.1164, L0.1178, L0.1192, L0.1206, L0.1220, L0.1234, L0.1248, L0.1262, L0.1276, L0.1290"
- - " Creating 1 files"
- - "**** Simulation run 233, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- - "L0, all files 0b "
- - "L0.1304[482,641] 80ns |----------------------------------------L0.1304-----------------------------------------|"
- - "L0.1318[482,641] 81ns |----------------------------------------L0.1318-----------------------------------------|"
- - "L0.1332[482,641] 82ns |----------------------------------------L0.1332-----------------------------------------|"
- - "L0.1346[482,641] 83ns |----------------------------------------L0.1346-----------------------------------------|"
- - "L0.1360[482,641] 84ns |----------------------------------------L0.1360-----------------------------------------|"
- - "L0.1374[482,641] 85ns |----------------------------------------L0.1374-----------------------------------------|"
- - "L0.1388[482,641] 86ns |----------------------------------------L0.1388-----------------------------------------|"
- - "L0.1402[482,641] 87ns |----------------------------------------L0.1402-----------------------------------------|"
- - "L0.1416[482,641] 88ns |----------------------------------------L0.1416-----------------------------------------|"
- - "L0.1430[482,641] 89ns |----------------------------------------L0.1430-----------------------------------------|"
- - "L0.1444[482,641] 90ns |----------------------------------------L0.1444-----------------------------------------|"
- - "L0.1458[482,641] 91ns |----------------------------------------L0.1458-----------------------------------------|"
- - "L0.1472[482,641] 92ns |----------------------------------------L0.1472-----------------------------------------|"
- - "L0.1486[482,641] 93ns |----------------------------------------L0.1486-----------------------------------------|"
- - "L0.1500[482,641] 94ns |----------------------------------------L0.1500-----------------------------------------|"
- - "L0.1514[482,641] 95ns |----------------------------------------L0.1514-----------------------------------------|"
- - "L0.1528[482,641] 96ns |----------------------------------------L0.1528-----------------------------------------|"
- - "L0.1542[482,641] 97ns |----------------------------------------L0.1542-----------------------------------------|"
- - "L0.1556[482,641] 98ns |----------------------------------------L0.1556-----------------------------------------|"
- - "L0.1570[482,641] 99ns |----------------------------------------L0.1570-----------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- - "L0, all files 0b "
- - "L0.?[482,641] 99ns |------------------------------------------L0.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 20 files: L0.1304, L0.1318, L0.1332, L0.1346, L0.1360, L0.1374, L0.1388, L0.1402, L0.1416, L0.1430, L0.1444, L0.1458, L0.1472, L0.1486, L0.1500, L0.1514, L0.1528, L0.1542, L0.1556, L0.1570"
- - " Creating 1 files"
- - "**** Simulation run 234, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- - "L0, all files 0b "
- - "L0.1584[482,641] 100ns |----------------------------------------L0.1584-----------------------------------------|"
- - "L0.1598[482,641] 101ns |----------------------------------------L0.1598-----------------------------------------|"
- - "L0.1612[482,641] 102ns |----------------------------------------L0.1612-----------------------------------------|"
- - "L0.1626[482,641] 103ns |----------------------------------------L0.1626-----------------------------------------|"
- - "L0.1640[482,641] 104ns |----------------------------------------L0.1640-----------------------------------------|"
- - "L0.1654[482,641] 105ns |----------------------------------------L0.1654-----------------------------------------|"
- - "L0.1668[482,641] 106ns |----------------------------------------L0.1668-----------------------------------------|"
- - "L0.1682[482,641] 107ns |----------------------------------------L0.1682-----------------------------------------|"
- - "L0.1696[482,641] 108ns |----------------------------------------L0.1696-----------------------------------------|"
- - "L0.1710[482,641] 109ns |----------------------------------------L0.1710-----------------------------------------|"
- - "L0.1724[482,641] 110ns |----------------------------------------L0.1724-----------------------------------------|"
- - "L0.1738[482,641] 111ns |----------------------------------------L0.1738-----------------------------------------|"
- - "L0.1752[482,641] 112ns |----------------------------------------L0.1752-----------------------------------------|"
- - "L0.1766[482,641] 113ns |----------------------------------------L0.1766-----------------------------------------|"
- - "L0.1780[482,641] 114ns |----------------------------------------L0.1780-----------------------------------------|"
- - "L0.1794[482,641] 115ns |----------------------------------------L0.1794-----------------------------------------|"
- - "L0.1808[482,641] 116ns |----------------------------------------L0.1808-----------------------------------------|"
- - "L0.1822[482,641] 117ns |----------------------------------------L0.1822-----------------------------------------|"
- - "L0.1836[482,641] 118ns |----------------------------------------L0.1836-----------------------------------------|"
- - "L0.1850[482,641] 119ns |----------------------------------------L0.1850-----------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- - "L0, all files 0b "
- - "L0.?[482,641] 119ns |------------------------------------------L0.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 20 files: L0.1584, L0.1598, L0.1612, L0.1626, L0.1640, L0.1654, L0.1668, L0.1682, L0.1696, L0.1710, L0.1724, L0.1738, L0.1752, L0.1766, L0.1780, L0.1794, L0.1808, L0.1822, L0.1836, L0.1850"
- - " Creating 1 files"
- - "**** Simulation run 235, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- - "L0, all files 0b "
- - "L0.1864[482,641] 120ns |----------------------------------------L0.1864-----------------------------------------|"
- - "L0.1878[482,641] 121ns |----------------------------------------L0.1878-----------------------------------------|"
- - "L0.1892[482,641] 122ns |----------------------------------------L0.1892-----------------------------------------|"
- - "L0.1906[482,641] 123ns |----------------------------------------L0.1906-----------------------------------------|"
- - "L0.1920[482,641] 124ns |----------------------------------------L0.1920-----------------------------------------|"
- - "L0.1934[482,641] 125ns |----------------------------------------L0.1934-----------------------------------------|"
- - "L0.1948[482,641] 126ns |----------------------------------------L0.1948-----------------------------------------|"
- - "L0.1962[482,641] 127ns |----------------------------------------L0.1962-----------------------------------------|"
- - "L0.1976[482,641] 128ns |----------------------------------------L0.1976-----------------------------------------|"
- - "L0.1990[482,641] 129ns |----------------------------------------L0.1990-----------------------------------------|"
- - "L0.2004[482,641] 130ns |----------------------------------------L0.2004-----------------------------------------|"
- - "L0.2018[482,641] 131ns |----------------------------------------L0.2018-----------------------------------------|"
- - "L0.2032[482,641] 132ns |----------------------------------------L0.2032-----------------------------------------|"
- - "L0.2046[482,641] 133ns |----------------------------------------L0.2046-----------------------------------------|"
- - "L0.2060[482,641] 134ns |----------------------------------------L0.2060-----------------------------------------|"
- - "L0.2186[482,641] 135ns |----------------------------------------L0.2186-----------------------------------------|"
- - "L0.2200[482,641] 136ns |----------------------------------------L0.2200-----------------------------------------|"
- - "L0.2074[482,641] 137ns |----------------------------------------L0.2074-----------------------------------------|"
- - "L0.2088[482,641] 138ns |----------------------------------------L0.2088-----------------------------------------|"
- - "L0.2102[482,641] 139ns |----------------------------------------L0.2102-----------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- - "L0, all files 0b "
- - "L0.?[482,641] 139ns |------------------------------------------L0.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 20 files: L0.1864, L0.1878, L0.1892, L0.1906, L0.1920, L0.1934, L0.1948, L0.1962, L0.1976, L0.1990, L0.2004, L0.2018, L0.2032, L0.2046, L0.2060, L0.2074, L0.2088, L0.2102, L0.2186, L0.2200"
- - " Creating 1 files"
- - "**** Simulation run 236, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- - "L0, all files 0b "
- - "L0.2116[482,641] 140ns |----------------------------------------L0.2116-----------------------------------------|"
- - "L0.2130[482,641] 141ns |----------------------------------------L0.2130-----------------------------------------|"
- - "L0.2144[482,641] 142ns |----------------------------------------L0.2144-----------------------------------------|"
- - "L0.2158[482,641] 143ns |----------------------------------------L0.2158-----------------------------------------|"
- - "L0.2172[482,641] 144ns |----------------------------------------L0.2172-----------------------------------------|"
- - "L0.2214[482,641] 145ns |----------------------------------------L0.2214-----------------------------------------|"
- - "L0.2228[482,641] 146ns |----------------------------------------L0.2228-----------------------------------------|"
- - "L0.2242[482,641] 147ns |----------------------------------------L0.2242-----------------------------------------|"
- - "L0.2256[482,641] 148ns |----------------------------------------L0.2256-----------------------------------------|"
- - "L0.2270[482,641] 149ns |----------------------------------------L0.2270-----------------------------------------|"
- - "L0.2284[482,641] 150ns |----------------------------------------L0.2284-----------------------------------------|"
- - "L0.2298[482,641] 151ns |----------------------------------------L0.2298-----------------------------------------|"
- - "L0.2312[482,641] 152ns |----------------------------------------L0.2312-----------------------------------------|"
- - "L0.2326[482,641] 153ns |----------------------------------------L0.2326-----------------------------------------|"
- - "L0.2340[482,641] 154ns |----------------------------------------L0.2340-----------------------------------------|"
- - "L0.2354[482,641] 155ns |----------------------------------------L0.2354-----------------------------------------|"
- - "L0.2368[482,641] 156ns |----------------------------------------L0.2368-----------------------------------------|"
- - "L0.2382[482,641] 157ns |----------------------------------------L0.2382-----------------------------------------|"
- - "L0.2396[482,641] 158ns |----------------------------------------L0.2396-----------------------------------------|"
- - "L0.2410[482,641] 159ns |----------------------------------------L0.2410-----------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- - "L0, all files 0b "
- - "L0.?[482,641] 159ns |------------------------------------------L0.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 20 files: L0.2116, L0.2130, L0.2144, L0.2158, L0.2172, L0.2214, L0.2228, L0.2242, L0.2256, L0.2270, L0.2284, L0.2298, L0.2312, L0.2326, L0.2340, L0.2354, L0.2368, L0.2382, L0.2396, L0.2410"
- - " Creating 1 files"
- - "**** Simulation run 237, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- - "L0, all files 0b "
- - "L0.2685[482,641] 180ns |----------------------------------------L0.2685-----------------------------------------|"
- - "L0.2698[482,641] 181ns |----------------------------------------L0.2698-----------------------------------------|"
- - "L0.2711[482,641] 182ns |----------------------------------------L0.2711-----------------------------------------|"
- - "L0.2724[482,641] 183ns |----------------------------------------L0.2724-----------------------------------------|"
- - "L0.2737[482,641] 184ns |----------------------------------------L0.2737-----------------------------------------|"
- - "L0.2750[482,641] 185ns |----------------------------------------L0.2750-----------------------------------------|"
- - "L0.2763[482,641] 186ns |----------------------------------------L0.2763-----------------------------------------|"
- - "L0.2776[482,641] 187ns |----------------------------------------L0.2776-----------------------------------------|"
- - "L0.2789[482,641] 188ns |----------------------------------------L0.2789-----------------------------------------|"
- - "L0.2802[482,641] 189ns |----------------------------------------L0.2802-----------------------------------------|"
- - "L0.2815[482,641] 190ns |----------------------------------------L0.2815-----------------------------------------|"
- - "L0.2828[482,641] 191ns |----------------------------------------L0.2828-----------------------------------------|"
- - "L0.2841[482,641] 192ns |----------------------------------------L0.2841-----------------------------------------|"
- - "L0.2854[482,641] 193ns |----------------------------------------L0.2854-----------------------------------------|"
- - "L0.2867[482,641] 194ns |----------------------------------------L0.2867-----------------------------------------|"
- - "L0.2880[482,641] 195ns |----------------------------------------L0.2880-----------------------------------------|"
- - "L0.2893[482,641] 196ns |----------------------------------------L0.2893-----------------------------------------|"
- - "L0.2906[482,641] 197ns |----------------------------------------L0.2906-----------------------------------------|"
- - "L0.2919[482,641] 198ns |----------------------------------------L0.2919-----------------------------------------|"
- - "L0.2932[482,641] 199ns |----------------------------------------L0.2932-----------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- - "L0, all files 0b "
- - "L0.?[482,641] 199ns |------------------------------------------L0.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 20 files: L0.2685, L0.2698, L0.2711, L0.2724, L0.2737, L0.2750, L0.2763, L0.2776, L0.2789, L0.2802, L0.2815, L0.2828, L0.2841, L0.2854, L0.2867, L0.2880, L0.2893, L0.2906, L0.2919, L0.2932"
- - " Creating 1 files"
- - "**** Simulation run 238, type=compact(ManySmallFiles). 20 Input Files, 160mb total:"
+ - "**** Simulation run 204, type=compact(ManySmallFiles). 20 Input Files, 160mb total:"
- "L0, all files 8mb "
- "L0.205[642,801] 0ns |-----------------------------------------L0.205-----------------------------------------|"
- "L0.218[642,801] 1ns |-----------------------------------------L0.218-----------------------------------------|"
@@ -6551,65 +5616,1159 @@ async fn stuck_l0_large_l0s() {
- "Committing partition 1:"
- " Soft Deleting 20 files: L0.205, L0.218, L0.231, L0.244, L0.257, L0.270, L0.283, L0.296, L0.309, L0.322, L0.335, L0.348, L0.361, L0.374, L0.387, L0.400, L0.413, L0.426, L0.439, L0.564"
- " Creating 1 files"
- - "**** Simulation run 239, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- - "L0, all files 0b "
- - "L0.577[642,801] 20ns |-----------------------------------------L0.577-----------------------------------------|"
- - "L0.452[642,801] 21ns |-----------------------------------------L0.452-----------------------------------------|"
- - "L0.466[642,801] 22ns |-----------------------------------------L0.466-----------------------------------------|"
- - "L0.480[642,801] 23ns |-----------------------------------------L0.480-----------------------------------------|"
- - "L0.494[642,801] 24ns |-----------------------------------------L0.494-----------------------------------------|"
- - "L0.508[642,801] 25ns |-----------------------------------------L0.508-----------------------------------------|"
- - "L0.522[642,801] 26ns |-----------------------------------------L0.522-----------------------------------------|"
- - "L0.536[642,801] 27ns |-----------------------------------------L0.536-----------------------------------------|"
- - "L0.550[642,801] 28ns |-----------------------------------------L0.550-----------------------------------------|"
- - "L0.591[642,801] 29ns |-----------------------------------------L0.591-----------------------------------------|"
- - "L0.605[642,801] 30ns |-----------------------------------------L0.605-----------------------------------------|"
- - "L0.619[642,801] 31ns |-----------------------------------------L0.619-----------------------------------------|"
- - "L0.633[642,801] 32ns |-----------------------------------------L0.633-----------------------------------------|"
- - "L0.647[642,801] 33ns |-----------------------------------------L0.647-----------------------------------------|"
- - "L0.661[642,801] 34ns |-----------------------------------------L0.661-----------------------------------------|"
- - "L0.675[642,801] 35ns |-----------------------------------------L0.675-----------------------------------------|"
- - "L0.689[642,801] 36ns |-----------------------------------------L0.689-----------------------------------------|"
- - "L0.703[642,801] 37ns |-----------------------------------------L0.703-----------------------------------------|"
- - "L0.717[642,801] 38ns |-----------------------------------------L0.717-----------------------------------------|"
- - "L0.731[642,801] 39ns |-----------------------------------------L0.731-----------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- - "L0, all files 0b "
- - "L0.?[642,801] 39ns |------------------------------------------L0.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 20 files: L0.452, L0.466, L0.480, L0.494, L0.508, L0.522, L0.536, L0.550, L0.577, L0.591, L0.605, L0.619, L0.633, L0.647, L0.661, L0.675, L0.689, L0.703, L0.717, L0.731"
- - " Creating 1 files"
- - "**** Simulation run 240, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- - "L0, all files 0b "
- - "L0.745[642,801] 40ns |-----------------------------------------L0.745-----------------------------------------|"
- - "L0.759[642,801] 41ns |-----------------------------------------L0.759-----------------------------------------|"
- - "L0.773[642,801] 42ns |-----------------------------------------L0.773-----------------------------------------|"
- - "L0.787[642,801] 43ns |-----------------------------------------L0.787-----------------------------------------|"
- - "L0.801[642,801] 44ns |-----------------------------------------L0.801-----------------------------------------|"
- - "L0.815[642,801] 45ns |-----------------------------------------L0.815-----------------------------------------|"
- - "L0.829[642,801] 46ns |-----------------------------------------L0.829-----------------------------------------|"
- - "L0.843[642,801] 47ns |-----------------------------------------L0.843-----------------------------------------|"
- - "L0.857[642,801] 48ns |-----------------------------------------L0.857-----------------------------------------|"
- - "L0.871[642,801] 49ns |-----------------------------------------L0.871-----------------------------------------|"
- - "L0.885[642,801] 50ns |-----------------------------------------L0.885-----------------------------------------|"
- - "L0.899[642,801] 51ns |-----------------------------------------L0.899-----------------------------------------|"
- - "L0.913[642,801] 52ns |-----------------------------------------L0.913-----------------------------------------|"
- - "L0.927[642,801] 53ns |-----------------------------------------L0.927-----------------------------------------|"
- - "L0.941[642,801] 54ns |-----------------------------------------L0.941-----------------------------------------|"
- - "L0.955[642,801] 55ns |-----------------------------------------L0.955-----------------------------------------|"
- - "L0.969[642,801] 56ns |-----------------------------------------L0.969-----------------------------------------|"
- - "L0.983[642,801] 57ns |-----------------------------------------L0.983-----------------------------------------|"
- - "L0.997[642,801] 58ns |-----------------------------------------L0.997-----------------------------------------|"
- - "L0.1011[642,801] 59ns |----------------------------------------L0.1011-----------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- - "L0, all files 0b "
- - "L0.?[642,801] 59ns |------------------------------------------L0.?------------------------------------------|"
+ - "**** Simulation run 205, type=compact(ManySmallFiles). 20 Input Files, 160mb total:"
+ - "L0, all files 8mb "
+ - "L0.206[802,961] 0ns |-----------------------------------------L0.206-----------------------------------------|"
+ - "L0.219[802,961] 1ns |-----------------------------------------L0.219-----------------------------------------|"
+ - "L0.232[802,961] 2ns |-----------------------------------------L0.232-----------------------------------------|"
+ - "L0.245[802,961] 3ns |-----------------------------------------L0.245-----------------------------------------|"
+ - "L0.258[802,961] 4ns |-----------------------------------------L0.258-----------------------------------------|"
+ - "L0.271[802,961] 5ns |-----------------------------------------L0.271-----------------------------------------|"
+ - "L0.284[802,961] 6ns |-----------------------------------------L0.284-----------------------------------------|"
+ - "L0.297[802,961] 7ns |-----------------------------------------L0.297-----------------------------------------|"
+ - "L0.310[802,961] 8ns |-----------------------------------------L0.310-----------------------------------------|"
+ - "L0.323[802,961] 9ns |-----------------------------------------L0.323-----------------------------------------|"
+ - "L0.336[802,961] 10ns |-----------------------------------------L0.336-----------------------------------------|"
+ - "L0.349[802,961] 11ns |-----------------------------------------L0.349-----------------------------------------|"
+ - "L0.362[802,961] 12ns |-----------------------------------------L0.362-----------------------------------------|"
+ - "L0.375[802,961] 13ns |-----------------------------------------L0.375-----------------------------------------|"
+ - "L0.388[802,961] 14ns |-----------------------------------------L0.388-----------------------------------------|"
+ - "L0.401[802,961] 15ns |-----------------------------------------L0.401-----------------------------------------|"
+ - "L0.414[802,961] 16ns |-----------------------------------------L0.414-----------------------------------------|"
+ - "L0.427[802,961] 17ns |-----------------------------------------L0.427-----------------------------------------|"
+ - "L0.440[802,961] 18ns |-----------------------------------------L0.440-----------------------------------------|"
+ - "L0.565[802,961] 19ns |-----------------------------------------L0.565-----------------------------------------|"
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 160mb total:"
+ - "L0, all files 160mb "
+ - "L0.?[802,961] 19ns |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 20 files: L0.745, L0.759, L0.773, L0.787, L0.801, L0.815, L0.829, L0.843, L0.857, L0.871, L0.885, L0.899, L0.913, L0.927, L0.941, L0.955, L0.969, L0.983, L0.997, L0.1011"
+ - " Soft Deleting 20 files: L0.206, L0.219, L0.232, L0.245, L0.258, L0.271, L0.284, L0.297, L0.310, L0.323, L0.336, L0.349, L0.362, L0.375, L0.388, L0.401, L0.414, L0.427, L0.440, L0.565"
- " Creating 1 files"
- - "**** Simulation run 241, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- - "L0, all files 0b "
- - "L0.1025[642,801] 60ns |----------------------------------------L0.1025-----------------------------------------|"
+ - "**** Simulation run 206, type=compact(ManySmallFiles). 20 Input Files, 160mb total:"
+ - "L0, all files 8mb "
+ - "L0.207[962,1121] 0ns |-----------------------------------------L0.207-----------------------------------------|"
+ - "L0.220[962,1121] 1ns |-----------------------------------------L0.220-----------------------------------------|"
+ - "L0.233[962,1121] 2ns |-----------------------------------------L0.233-----------------------------------------|"
+ - "L0.246[962,1121] 3ns |-----------------------------------------L0.246-----------------------------------------|"
+ - "L0.259[962,1121] 4ns |-----------------------------------------L0.259-----------------------------------------|"
+ - "L0.272[962,1121] 5ns |-----------------------------------------L0.272-----------------------------------------|"
+ - "L0.285[962,1121] 6ns |-----------------------------------------L0.285-----------------------------------------|"
+ - "L0.298[962,1121] 7ns |-----------------------------------------L0.298-----------------------------------------|"
+ - "L0.311[962,1121] 8ns |-----------------------------------------L0.311-----------------------------------------|"
+ - "L0.324[962,1121] 9ns |-----------------------------------------L0.324-----------------------------------------|"
+ - "L0.337[962,1121] 10ns |-----------------------------------------L0.337-----------------------------------------|"
+ - "L0.350[962,1121] 11ns |-----------------------------------------L0.350-----------------------------------------|"
+ - "L0.363[962,1121] 12ns |-----------------------------------------L0.363-----------------------------------------|"
+ - "L0.376[962,1121] 13ns |-----------------------------------------L0.376-----------------------------------------|"
+ - "L0.389[962,1121] 14ns |-----------------------------------------L0.389-----------------------------------------|"
+ - "L0.402[962,1121] 15ns |-----------------------------------------L0.402-----------------------------------------|"
+ - "L0.415[962,1121] 16ns |-----------------------------------------L0.415-----------------------------------------|"
+ - "L0.428[962,1121] 17ns |-----------------------------------------L0.428-----------------------------------------|"
+ - "L0.441[962,1121] 18ns |-----------------------------------------L0.441-----------------------------------------|"
+ - "L0.566[962,1121] 19ns |-----------------------------------------L0.566-----------------------------------------|"
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 160mb total:"
+ - "L0, all files 160mb "
+ - "L0.?[962,1121] 19ns |------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.207, L0.220, L0.233, L0.246, L0.259, L0.272, L0.285, L0.298, L0.311, L0.324, L0.337, L0.350, L0.363, L0.376, L0.389, L0.402, L0.415, L0.428, L0.441, L0.566"
+ - " Creating 1 files"
+ - "**** Simulation run 207, type=compact(ManySmallFiles). 20 Input Files, 160mb total:"
+ - "L0, all files 8mb "
+ - "L0.208[1122,1281] 0ns |-----------------------------------------L0.208-----------------------------------------|"
+ - "L0.221[1122,1281] 1ns |-----------------------------------------L0.221-----------------------------------------|"
+ - "L0.234[1122,1281] 2ns |-----------------------------------------L0.234-----------------------------------------|"
+ - "L0.247[1122,1281] 3ns |-----------------------------------------L0.247-----------------------------------------|"
+ - "L0.260[1122,1281] 4ns |-----------------------------------------L0.260-----------------------------------------|"
+ - "L0.273[1122,1281] 5ns |-----------------------------------------L0.273-----------------------------------------|"
+ - "L0.286[1122,1281] 6ns |-----------------------------------------L0.286-----------------------------------------|"
+ - "L0.299[1122,1281] 7ns |-----------------------------------------L0.299-----------------------------------------|"
+ - "L0.312[1122,1281] 8ns |-----------------------------------------L0.312-----------------------------------------|"
+ - "L0.325[1122,1281] 9ns |-----------------------------------------L0.325-----------------------------------------|"
+ - "L0.338[1122,1281] 10ns |-----------------------------------------L0.338-----------------------------------------|"
+ - "L0.351[1122,1281] 11ns |-----------------------------------------L0.351-----------------------------------------|"
+ - "L0.364[1122,1281] 12ns |-----------------------------------------L0.364-----------------------------------------|"
+ - "L0.377[1122,1281] 13ns |-----------------------------------------L0.377-----------------------------------------|"
+ - "L0.390[1122,1281] 14ns |-----------------------------------------L0.390-----------------------------------------|"
+ - "L0.403[1122,1281] 15ns |-----------------------------------------L0.403-----------------------------------------|"
+ - "L0.416[1122,1281] 16ns |-----------------------------------------L0.416-----------------------------------------|"
+ - "L0.429[1122,1281] 17ns |-----------------------------------------L0.429-----------------------------------------|"
+ - "L0.442[1122,1281] 18ns |-----------------------------------------L0.442-----------------------------------------|"
+ - "L0.567[1122,1281] 19ns |-----------------------------------------L0.567-----------------------------------------|"
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 160mb total:"
+ - "L0, all files 160mb "
+ - "L0.?[1122,1281] 19ns |------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.208, L0.221, L0.234, L0.247, L0.260, L0.273, L0.286, L0.299, L0.312, L0.325, L0.338, L0.351, L0.364, L0.377, L0.390, L0.403, L0.416, L0.429, L0.442, L0.567"
+ - " Creating 1 files"
+ - "**** Simulation run 208, type=compact(ManySmallFiles). 20 Input Files, 160mb total:"
+ - "L0, all files 8mb "
+ - "L0.209[1282,1441] 0ns |-----------------------------------------L0.209-----------------------------------------|"
+ - "L0.222[1282,1441] 1ns |-----------------------------------------L0.222-----------------------------------------|"
+ - "L0.235[1282,1441] 2ns |-----------------------------------------L0.235-----------------------------------------|"
+ - "L0.248[1282,1441] 3ns |-----------------------------------------L0.248-----------------------------------------|"
+ - "L0.261[1282,1441] 4ns |-----------------------------------------L0.261-----------------------------------------|"
+ - "L0.274[1282,1441] 5ns |-----------------------------------------L0.274-----------------------------------------|"
+ - "L0.287[1282,1441] 6ns |-----------------------------------------L0.287-----------------------------------------|"
+ - "L0.300[1282,1441] 7ns |-----------------------------------------L0.300-----------------------------------------|"
+ - "L0.313[1282,1441] 8ns |-----------------------------------------L0.313-----------------------------------------|"
+ - "L0.326[1282,1441] 9ns |-----------------------------------------L0.326-----------------------------------------|"
+ - "L0.339[1282,1441] 10ns |-----------------------------------------L0.339-----------------------------------------|"
+ - "L0.352[1282,1441] 11ns |-----------------------------------------L0.352-----------------------------------------|"
+ - "L0.365[1282,1441] 12ns |-----------------------------------------L0.365-----------------------------------------|"
+ - "L0.378[1282,1441] 13ns |-----------------------------------------L0.378-----------------------------------------|"
+ - "L0.391[1282,1441] 14ns |-----------------------------------------L0.391-----------------------------------------|"
+ - "L0.404[1282,1441] 15ns |-----------------------------------------L0.404-----------------------------------------|"
+ - "L0.417[1282,1441] 16ns |-----------------------------------------L0.417-----------------------------------------|"
+ - "L0.430[1282,1441] 17ns |-----------------------------------------L0.430-----------------------------------------|"
+ - "L0.443[1282,1441] 18ns |-----------------------------------------L0.443-----------------------------------------|"
+ - "L0.568[1282,1441] 19ns |-----------------------------------------L0.568-----------------------------------------|"
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 160mb total:"
+ - "L0, all files 160mb "
+ - "L0.?[1282,1441] 19ns |------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.209, L0.222, L0.235, L0.248, L0.261, L0.274, L0.287, L0.300, L0.313, L0.326, L0.339, L0.352, L0.365, L0.378, L0.391, L0.404, L0.417, L0.430, L0.443, L0.568"
+ - " Creating 1 files"
+ - "**** Simulation run 209, type=compact(ManySmallFiles). 20 Input Files, 160mb total:"
+ - "L0, all files 8mb "
+ - "L0.210[1442,1601] 0ns |-----------------------------------------L0.210-----------------------------------------|"
+ - "L0.223[1442,1601] 1ns |-----------------------------------------L0.223-----------------------------------------|"
+ - "L0.236[1442,1601] 2ns |-----------------------------------------L0.236-----------------------------------------|"
+ - "L0.249[1442,1601] 3ns |-----------------------------------------L0.249-----------------------------------------|"
+ - "L0.262[1442,1601] 4ns |-----------------------------------------L0.262-----------------------------------------|"
+ - "L0.275[1442,1601] 5ns |-----------------------------------------L0.275-----------------------------------------|"
+ - "L0.288[1442,1601] 6ns |-----------------------------------------L0.288-----------------------------------------|"
+ - "L0.301[1442,1601] 7ns |-----------------------------------------L0.301-----------------------------------------|"
+ - "L0.314[1442,1601] 8ns |-----------------------------------------L0.314-----------------------------------------|"
+ - "L0.327[1442,1601] 9ns |-----------------------------------------L0.327-----------------------------------------|"
+ - "L0.340[1442,1601] 10ns |-----------------------------------------L0.340-----------------------------------------|"
+ - "L0.353[1442,1601] 11ns |-----------------------------------------L0.353-----------------------------------------|"
+ - "L0.366[1442,1601] 12ns |-----------------------------------------L0.366-----------------------------------------|"
+ - "L0.379[1442,1601] 13ns |-----------------------------------------L0.379-----------------------------------------|"
+ - "L0.392[1442,1601] 14ns |-----------------------------------------L0.392-----------------------------------------|"
+ - "L0.405[1442,1601] 15ns |-----------------------------------------L0.405-----------------------------------------|"
+ - "L0.418[1442,1601] 16ns |-----------------------------------------L0.418-----------------------------------------|"
+ - "L0.431[1442,1601] 17ns |-----------------------------------------L0.431-----------------------------------------|"
+ - "L0.444[1442,1601] 18ns |-----------------------------------------L0.444-----------------------------------------|"
+ - "L0.569[1442,1601] 19ns |-----------------------------------------L0.569-----------------------------------------|"
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 160mb total:"
+ - "L0, all files 160mb "
+ - "L0.?[1442,1601] 19ns |------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.210, L0.223, L0.236, L0.249, L0.262, L0.275, L0.288, L0.301, L0.314, L0.327, L0.340, L0.353, L0.366, L0.379, L0.392, L0.405, L0.418, L0.431, L0.444, L0.569"
+ - " Creating 1 files"
+ - "**** Simulation run 210, type=compact(ManySmallFiles). 20 Input Files, 160mb total:"
+ - "L0, all files 8mb "
+ - "L0.211[1602,1761] 0ns |-----------------------------------------L0.211-----------------------------------------|"
+ - "L0.224[1602,1761] 1ns |-----------------------------------------L0.224-----------------------------------------|"
+ - "L0.237[1602,1761] 2ns |-----------------------------------------L0.237-----------------------------------------|"
+ - "L0.250[1602,1761] 3ns |-----------------------------------------L0.250-----------------------------------------|"
+ - "L0.263[1602,1761] 4ns |-----------------------------------------L0.263-----------------------------------------|"
+ - "L0.276[1602,1761] 5ns |-----------------------------------------L0.276-----------------------------------------|"
+ - "L0.289[1602,1761] 6ns |-----------------------------------------L0.289-----------------------------------------|"
+ - "L0.302[1602,1761] 7ns |-----------------------------------------L0.302-----------------------------------------|"
+ - "L0.315[1602,1761] 8ns |-----------------------------------------L0.315-----------------------------------------|"
+ - "L0.328[1602,1761] 9ns |-----------------------------------------L0.328-----------------------------------------|"
+ - "L0.341[1602,1761] 10ns |-----------------------------------------L0.341-----------------------------------------|"
+ - "L0.354[1602,1761] 11ns |-----------------------------------------L0.354-----------------------------------------|"
+ - "L0.367[1602,1761] 12ns |-----------------------------------------L0.367-----------------------------------------|"
+ - "L0.380[1602,1761] 13ns |-----------------------------------------L0.380-----------------------------------------|"
+ - "L0.393[1602,1761] 14ns |-----------------------------------------L0.393-----------------------------------------|"
+ - "L0.406[1602,1761] 15ns |-----------------------------------------L0.406-----------------------------------------|"
+ - "L0.419[1602,1761] 16ns |-----------------------------------------L0.419-----------------------------------------|"
+ - "L0.432[1602,1761] 17ns |-----------------------------------------L0.432-----------------------------------------|"
+ - "L0.445[1602,1761] 18ns |-----------------------------------------L0.445-----------------------------------------|"
+ - "L0.570[1602,1761] 19ns |-----------------------------------------L0.570-----------------------------------------|"
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 160mb total:"
+ - "L0, all files 160mb "
+ - "L0.?[1602,1761] 19ns |------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.211, L0.224, L0.237, L0.250, L0.263, L0.276, L0.289, L0.302, L0.315, L0.328, L0.341, L0.354, L0.367, L0.380, L0.393, L0.406, L0.419, L0.432, L0.445, L0.570"
+ - " Creating 1 files"
+ - "**** Simulation run 211, type=compact(ManySmallFiles). 20 Input Files, 200b total:"
+ - "L0, all files 10b "
+ - "L0.586[2087,200000] 20ns |------------------L0.586-------------------| "
+ - "L0.461[2087,210000] 21ns |--------------------L0.461--------------------| "
+ - "L0.475[2087,220000] 22ns |---------------------L0.475---------------------| "
+ - "L0.489[2087,230000] 23ns |----------------------L0.489----------------------| "
+ - "L0.503[2087,240000] 24ns |-----------------------L0.503------------------------| "
+ - "L0.517[2087,250000] 25ns |------------------------L0.517-------------------------| "
+ - "L0.531[2087,260000] 26ns |-------------------------L0.531--------------------------| "
+ - "L0.545[2087,270000] 27ns |---------------------------L0.545---------------------------| "
+ - "L0.559[2087,280000] 28ns |----------------------------L0.559----------------------------| "
+ - "L0.600[2087,290000] 29ns |-----------------------------L0.600-----------------------------| "
+ - "L0.614[2087,300000] 30ns |------------------------------L0.614-------------------------------| "
+ - "L0.628[2087,310000] 31ns |-------------------------------L0.628--------------------------------| "
+ - "L0.642[2087,320000] 32ns |--------------------------------L0.642---------------------------------| "
+ - "L0.656[2087,330000] 33ns |----------------------------------L0.656----------------------------------| "
+ - "L0.670[2087,340000] 34ns |-----------------------------------L0.670-----------------------------------| "
+ - "L0.684[2087,350000] 35ns |------------------------------------L0.684------------------------------------| "
+ - "L0.698[2087,360000] 36ns |-------------------------------------L0.698--------------------------------------| "
+ - "L0.712[2087,370000] 37ns |--------------------------------------L0.712---------------------------------------| "
+ - "L0.726[2087,380000] 38ns |---------------------------------------L0.726----------------------------------------| "
+ - "L0.740[2087,390000] 39ns |-----------------------------------------L0.740-----------------------------------------|"
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 200b total:"
+ - "L0, all files 200b "
+ - "L0.?[2087,390000] 39ns |------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.461, L0.475, L0.489, L0.503, L0.517, L0.531, L0.545, L0.559, L0.586, L0.600, L0.614, L0.628, L0.642, L0.656, L0.670, L0.684, L0.698, L0.712, L0.726, L0.740"
+ - " Creating 1 files"
+ - "**** Simulation run 212, type=compact(ManySmallFiles). 20 Input Files, 160mb total:"
+ - "L0, all files 8mb "
+ - "L0.212[1762,1921] 0ns |-----------------------------------------L0.212-----------------------------------------|"
+ - "L0.225[1762,1921] 1ns |-----------------------------------------L0.225-----------------------------------------|"
+ - "L0.238[1762,1921] 2ns |-----------------------------------------L0.238-----------------------------------------|"
+ - "L0.251[1762,1921] 3ns |-----------------------------------------L0.251-----------------------------------------|"
+ - "L0.264[1762,1921] 4ns |-----------------------------------------L0.264-----------------------------------------|"
+ - "L0.277[1762,1921] 5ns |-----------------------------------------L0.277-----------------------------------------|"
+ - "L0.290[1762,1921] 6ns |-----------------------------------------L0.290-----------------------------------------|"
+ - "L0.303[1762,1921] 7ns |-----------------------------------------L0.303-----------------------------------------|"
+ - "L0.316[1762,1921] 8ns |-----------------------------------------L0.316-----------------------------------------|"
+ - "L0.329[1762,1921] 9ns |-----------------------------------------L0.329-----------------------------------------|"
+ - "L0.342[1762,1921] 10ns |-----------------------------------------L0.342-----------------------------------------|"
+ - "L0.355[1762,1921] 11ns |-----------------------------------------L0.355-----------------------------------------|"
+ - "L0.368[1762,1921] 12ns |-----------------------------------------L0.368-----------------------------------------|"
+ - "L0.381[1762,1921] 13ns |-----------------------------------------L0.381-----------------------------------------|"
+ - "L0.394[1762,1921] 14ns |-----------------------------------------L0.394-----------------------------------------|"
+ - "L0.407[1762,1921] 15ns |-----------------------------------------L0.407-----------------------------------------|"
+ - "L0.420[1762,1921] 16ns |-----------------------------------------L0.420-----------------------------------------|"
+ - "L0.433[1762,1921] 17ns |-----------------------------------------L0.433-----------------------------------------|"
+ - "L0.446[1762,1921] 18ns |-----------------------------------------L0.446-----------------------------------------|"
+ - "L0.571[1762,1921] 19ns |-----------------------------------------L0.571-----------------------------------------|"
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 160mb total:"
+ - "L0, all files 160mb "
+ - "L0.?[1762,1921] 19ns |------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.212, L0.225, L0.238, L0.251, L0.264, L0.277, L0.290, L0.303, L0.316, L0.329, L0.342, L0.355, L0.368, L0.381, L0.394, L0.407, L0.420, L0.433, L0.446, L0.571"
+ - " Creating 1 files"
+ - "**** Simulation run 213, type=compact(ManySmallFiles). 20 Input Files, 79mb total:"
+ - "L0, all files 4mb "
+ - "L0.213[1922,2000] 0ns |-----------------------------------------L0.213-----------------------------------------|"
+ - "L0.226[1922,2000] 1ns |-----------------------------------------L0.226-----------------------------------------|"
+ - "L0.239[1922,2000] 2ns |-----------------------------------------L0.239-----------------------------------------|"
+ - "L0.252[1922,2000] 3ns |-----------------------------------------L0.252-----------------------------------------|"
+ - "L0.265[1922,2000] 4ns |-----------------------------------------L0.265-----------------------------------------|"
+ - "L0.278[1922,2000] 5ns |-----------------------------------------L0.278-----------------------------------------|"
+ - "L0.291[1922,2000] 6ns |-----------------------------------------L0.291-----------------------------------------|"
+ - "L0.304[1922,2000] 7ns |-----------------------------------------L0.304-----------------------------------------|"
+ - "L0.317[1922,2000] 8ns |-----------------------------------------L0.317-----------------------------------------|"
+ - "L0.330[1922,2000] 9ns |-----------------------------------------L0.330-----------------------------------------|"
+ - "L0.343[1922,2000] 10ns |-----------------------------------------L0.343-----------------------------------------|"
+ - "L0.356[1922,2000] 11ns |-----------------------------------------L0.356-----------------------------------------|"
+ - "L0.369[1922,2000] 12ns |-----------------------------------------L0.369-----------------------------------------|"
+ - "L0.382[1922,2000] 13ns |-----------------------------------------L0.382-----------------------------------------|"
+ - "L0.395[1922,2000] 14ns |-----------------------------------------L0.395-----------------------------------------|"
+ - "L0.408[1922,2000] 15ns |-----------------------------------------L0.408-----------------------------------------|"
+ - "L0.421[1922,2000] 16ns |-----------------------------------------L0.421-----------------------------------------|"
+ - "L0.434[1922,2000] 17ns |-----------------------------------------L0.434-----------------------------------------|"
+ - "L0.447[1922,2000] 18ns |-----------------------------------------L0.447-----------------------------------------|"
+ - "L0.572[1922,2000] 19ns |-----------------------------------------L0.572-----------------------------------------|"
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 79mb total:"
+ - "L0, all files 79mb "
+ - "L0.?[1922,2000] 19ns |------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.213, L0.226, L0.239, L0.252, L0.265, L0.278, L0.291, L0.304, L0.317, L0.330, L0.343, L0.356, L0.369, L0.382, L0.395, L0.408, L0.421, L0.434, L0.447, L0.572"
+ - " Creating 1 files"
+ - "**** Simulation run 214, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "L0, all files 0b "
+ - "L0.573[20,161] 20ns |-----------------------------------------L0.573-----------------------------------------|"
+ - "L0.448[21,161] 21ns |----------------------------------------L0.448-----------------------------------------| "
+ - "L0.462[22,161] 22ns |----------------------------------------L0.462----------------------------------------| "
+ - "L0.476[23,161] 23ns |----------------------------------------L0.476----------------------------------------| "
+ - "L0.490[24,161] 24ns |---------------------------------------L0.490----------------------------------------| "
+ - "L0.504[25,161] 25ns |---------------------------------------L0.504---------------------------------------| "
+ - "L0.518[26,161] 26ns |---------------------------------------L0.518---------------------------------------| "
+ - "L0.532[27,161] 27ns |--------------------------------------L0.532---------------------------------------| "
+ - "L0.546[28,161] 28ns |--------------------------------------L0.546--------------------------------------| "
+ - "L0.587[29,161] 29ns |--------------------------------------L0.587--------------------------------------| "
+ - "L0.601[30,161] 30ns |-------------------------------------L0.601--------------------------------------| "
+ - "L0.615[31,161] 31ns |-------------------------------------L0.615-------------------------------------| "
+ - "L0.629[32,161] 32ns |-------------------------------------L0.629-------------------------------------| "
+ - "L0.643[33,161] 33ns |------------------------------------L0.643-------------------------------------| "
+ - "L0.657[34,161] 34ns |------------------------------------L0.657-------------------------------------| "
+ - "L0.671[35,161] 35ns |------------------------------------L0.671------------------------------------| "
+ - "L0.685[36,161] 36ns |-----------------------------------L0.685------------------------------------| "
+ - "L0.699[37,161] 37ns |-----------------------------------L0.699------------------------------------| "
+ - "L0.713[38,161] 38ns |-----------------------------------L0.713-----------------------------------| "
+ - "L0.727[39,161] 39ns |----------------------------------L0.727-----------------------------------| "
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
+ - "L0, all files 0b "
+ - "L0.?[20,161] 39ns |------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.448, L0.462, L0.476, L0.490, L0.504, L0.518, L0.532, L0.546, L0.573, L0.587, L0.601, L0.615, L0.629, L0.643, L0.657, L0.671, L0.685, L0.699, L0.713, L0.727"
+ - " Creating 1 files"
+ - "**** Simulation run 215, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "L0, all files 0b "
+ - "L0.574[162,321] 20ns |-----------------------------------------L0.574-----------------------------------------|"
+ - "L0.449[162,321] 21ns |-----------------------------------------L0.449-----------------------------------------|"
+ - "L0.463[162,321] 22ns |-----------------------------------------L0.463-----------------------------------------|"
+ - "L0.477[162,321] 23ns |-----------------------------------------L0.477-----------------------------------------|"
+ - "L0.491[162,321] 24ns |-----------------------------------------L0.491-----------------------------------------|"
+ - "L0.505[162,321] 25ns |-----------------------------------------L0.505-----------------------------------------|"
+ - "L0.519[162,321] 26ns |-----------------------------------------L0.519-----------------------------------------|"
+ - "L0.533[162,321] 27ns |-----------------------------------------L0.533-----------------------------------------|"
+ - "L0.547[162,321] 28ns |-----------------------------------------L0.547-----------------------------------------|"
+ - "L0.588[162,321] 29ns |-----------------------------------------L0.588-----------------------------------------|"
+ - "L0.602[162,321] 30ns |-----------------------------------------L0.602-----------------------------------------|"
+ - "L0.616[162,321] 31ns |-----------------------------------------L0.616-----------------------------------------|"
+ - "L0.630[162,321] 32ns |-----------------------------------------L0.630-----------------------------------------|"
+ - "L0.644[162,321] 33ns |-----------------------------------------L0.644-----------------------------------------|"
+ - "L0.658[162,321] 34ns |-----------------------------------------L0.658-----------------------------------------|"
+ - "L0.672[162,321] 35ns |-----------------------------------------L0.672-----------------------------------------|"
+ - "L0.686[162,321] 36ns |-----------------------------------------L0.686-----------------------------------------|"
+ - "L0.700[162,321] 37ns |-----------------------------------------L0.700-----------------------------------------|"
+ - "L0.714[162,321] 38ns |-----------------------------------------L0.714-----------------------------------------|"
+ - "L0.728[162,321] 39ns |-----------------------------------------L0.728-----------------------------------------|"
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
+ - "L0, all files 0b "
+ - "L0.?[162,321] 39ns |------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.449, L0.463, L0.477, L0.491, L0.505, L0.519, L0.533, L0.547, L0.574, L0.588, L0.602, L0.616, L0.630, L0.644, L0.658, L0.672, L0.686, L0.700, L0.714, L0.728"
+ - " Creating 1 files"
+ - "**** Simulation run 216, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "L0, all files 0b "
+ - "L0.575[322,481] 20ns |-----------------------------------------L0.575-----------------------------------------|"
+ - "L0.450[322,481] 21ns |-----------------------------------------L0.450-----------------------------------------|"
+ - "L0.464[322,481] 22ns |-----------------------------------------L0.464-----------------------------------------|"
+ - "L0.478[322,481] 23ns |-----------------------------------------L0.478-----------------------------------------|"
+ - "L0.492[322,481] 24ns |-----------------------------------------L0.492-----------------------------------------|"
+ - "L0.506[322,481] 25ns |-----------------------------------------L0.506-----------------------------------------|"
+ - "L0.520[322,481] 26ns |-----------------------------------------L0.520-----------------------------------------|"
+ - "L0.534[322,481] 27ns |-----------------------------------------L0.534-----------------------------------------|"
+ - "L0.548[322,481] 28ns |-----------------------------------------L0.548-----------------------------------------|"
+ - "L0.589[322,481] 29ns |-----------------------------------------L0.589-----------------------------------------|"
+ - "L0.603[322,481] 30ns |-----------------------------------------L0.603-----------------------------------------|"
+ - "L0.617[322,481] 31ns |-----------------------------------------L0.617-----------------------------------------|"
+ - "L0.631[322,481] 32ns |-----------------------------------------L0.631-----------------------------------------|"
+ - "L0.645[322,481] 33ns |-----------------------------------------L0.645-----------------------------------------|"
+ - "L0.659[322,481] 34ns |-----------------------------------------L0.659-----------------------------------------|"
+ - "L0.673[322,481] 35ns |-----------------------------------------L0.673-----------------------------------------|"
+ - "L0.687[322,481] 36ns |-----------------------------------------L0.687-----------------------------------------|"
+ - "L0.701[322,481] 37ns |-----------------------------------------L0.701-----------------------------------------|"
+ - "L0.715[322,481] 38ns |-----------------------------------------L0.715-----------------------------------------|"
+ - "L0.729[322,481] 39ns |-----------------------------------------L0.729-----------------------------------------|"
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
+ - "L0, all files 0b "
+ - "L0.?[322,481] 39ns |------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.450, L0.464, L0.478, L0.492, L0.506, L0.520, L0.534, L0.548, L0.575, L0.589, L0.603, L0.617, L0.631, L0.645, L0.659, L0.673, L0.687, L0.701, L0.715, L0.729"
+ - " Creating 1 files"
+ - "**** Simulation run 217, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "L0, all files 0b "
+ - "L0.576[482,641] 20ns |-----------------------------------------L0.576-----------------------------------------|"
+ - "L0.451[482,641] 21ns |-----------------------------------------L0.451-----------------------------------------|"
+ - "L0.465[482,641] 22ns |-----------------------------------------L0.465-----------------------------------------|"
+ - "L0.479[482,641] 23ns |-----------------------------------------L0.479-----------------------------------------|"
+ - "L0.493[482,641] 24ns |-----------------------------------------L0.493-----------------------------------------|"
+ - "L0.507[482,641] 25ns |-----------------------------------------L0.507-----------------------------------------|"
+ - "L0.521[482,641] 26ns |-----------------------------------------L0.521-----------------------------------------|"
+ - "L0.535[482,641] 27ns |-----------------------------------------L0.535-----------------------------------------|"
+ - "L0.549[482,641] 28ns |-----------------------------------------L0.549-----------------------------------------|"
+ - "L0.590[482,641] 29ns |-----------------------------------------L0.590-----------------------------------------|"
+ - "L0.604[482,641] 30ns |-----------------------------------------L0.604-----------------------------------------|"
+ - "L0.618[482,641] 31ns |-----------------------------------------L0.618-----------------------------------------|"
+ - "L0.632[482,641] 32ns |-----------------------------------------L0.632-----------------------------------------|"
+ - "L0.646[482,641] 33ns |-----------------------------------------L0.646-----------------------------------------|"
+ - "L0.660[482,641] 34ns |-----------------------------------------L0.660-----------------------------------------|"
+ - "L0.674[482,641] 35ns |-----------------------------------------L0.674-----------------------------------------|"
+ - "L0.688[482,641] 36ns |-----------------------------------------L0.688-----------------------------------------|"
+ - "L0.702[482,641] 37ns |-----------------------------------------L0.702-----------------------------------------|"
+ - "L0.716[482,641] 38ns |-----------------------------------------L0.716-----------------------------------------|"
+ - "L0.730[482,641] 39ns |-----------------------------------------L0.730-----------------------------------------|"
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
+ - "L0, all files 0b "
+ - "L0.?[482,641] 39ns |------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.451, L0.465, L0.479, L0.493, L0.507, L0.521, L0.535, L0.549, L0.576, L0.590, L0.604, L0.618, L0.632, L0.646, L0.660, L0.674, L0.688, L0.702, L0.716, L0.730"
+ - " Creating 1 files"
+ - "**** Simulation run 218, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "L0, all files 0b "
+ - "L0.577[642,801] 20ns |-----------------------------------------L0.577-----------------------------------------|"
+ - "L0.452[642,801] 21ns |-----------------------------------------L0.452-----------------------------------------|"
+ - "L0.466[642,801] 22ns |-----------------------------------------L0.466-----------------------------------------|"
+ - "L0.480[642,801] 23ns |-----------------------------------------L0.480-----------------------------------------|"
+ - "L0.494[642,801] 24ns |-----------------------------------------L0.494-----------------------------------------|"
+ - "L0.508[642,801] 25ns |-----------------------------------------L0.508-----------------------------------------|"
+ - "L0.522[642,801] 26ns |-----------------------------------------L0.522-----------------------------------------|"
+ - "L0.536[642,801] 27ns |-----------------------------------------L0.536-----------------------------------------|"
+ - "L0.550[642,801] 28ns |-----------------------------------------L0.550-----------------------------------------|"
+ - "L0.591[642,801] 29ns |-----------------------------------------L0.591-----------------------------------------|"
+ - "L0.605[642,801] 30ns |-----------------------------------------L0.605-----------------------------------------|"
+ - "L0.619[642,801] 31ns |-----------------------------------------L0.619-----------------------------------------|"
+ - "L0.633[642,801] 32ns |-----------------------------------------L0.633-----------------------------------------|"
+ - "L0.647[642,801] 33ns |-----------------------------------------L0.647-----------------------------------------|"
+ - "L0.661[642,801] 34ns |-----------------------------------------L0.661-----------------------------------------|"
+ - "L0.675[642,801] 35ns |-----------------------------------------L0.675-----------------------------------------|"
+ - "L0.689[642,801] 36ns |-----------------------------------------L0.689-----------------------------------------|"
+ - "L0.703[642,801] 37ns |-----------------------------------------L0.703-----------------------------------------|"
+ - "L0.717[642,801] 38ns |-----------------------------------------L0.717-----------------------------------------|"
+ - "L0.731[642,801] 39ns |-----------------------------------------L0.731-----------------------------------------|"
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
+ - "L0, all files 0b "
+ - "L0.?[642,801] 39ns |------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.452, L0.466, L0.480, L0.494, L0.508, L0.522, L0.536, L0.550, L0.577, L0.591, L0.605, L0.619, L0.633, L0.647, L0.661, L0.675, L0.689, L0.703, L0.717, L0.731"
+ - " Creating 1 files"
+ - "**** Simulation run 219, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "L0, all files 0b "
+ - "L0.578[802,961] 20ns |-----------------------------------------L0.578-----------------------------------------|"
+ - "L0.453[802,961] 21ns |-----------------------------------------L0.453-----------------------------------------|"
+ - "L0.467[802,961] 22ns |-----------------------------------------L0.467-----------------------------------------|"
+ - "L0.481[802,961] 23ns |-----------------------------------------L0.481-----------------------------------------|"
+ - "L0.495[802,961] 24ns |-----------------------------------------L0.495-----------------------------------------|"
+ - "L0.509[802,961] 25ns |-----------------------------------------L0.509-----------------------------------------|"
+ - "L0.523[802,961] 26ns |-----------------------------------------L0.523-----------------------------------------|"
+ - "L0.537[802,961] 27ns |-----------------------------------------L0.537-----------------------------------------|"
+ - "L0.551[802,961] 28ns |-----------------------------------------L0.551-----------------------------------------|"
+ - "L0.592[802,961] 29ns |-----------------------------------------L0.592-----------------------------------------|"
+ - "L0.606[802,961] 30ns |-----------------------------------------L0.606-----------------------------------------|"
+ - "L0.620[802,961] 31ns |-----------------------------------------L0.620-----------------------------------------|"
+ - "L0.634[802,961] 32ns |-----------------------------------------L0.634-----------------------------------------|"
+ - "L0.648[802,961] 33ns |-----------------------------------------L0.648-----------------------------------------|"
+ - "L0.662[802,961] 34ns |-----------------------------------------L0.662-----------------------------------------|"
+ - "L0.676[802,961] 35ns |-----------------------------------------L0.676-----------------------------------------|"
+ - "L0.690[802,961] 36ns |-----------------------------------------L0.690-----------------------------------------|"
+ - "L0.704[802,961] 37ns |-----------------------------------------L0.704-----------------------------------------|"
+ - "L0.718[802,961] 38ns |-----------------------------------------L0.718-----------------------------------------|"
+ - "L0.732[802,961] 39ns |-----------------------------------------L0.732-----------------------------------------|"
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
+ - "L0, all files 0b "
+ - "L0.?[802,961] 39ns |------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.453, L0.467, L0.481, L0.495, L0.509, L0.523, L0.537, L0.551, L0.578, L0.592, L0.606, L0.620, L0.634, L0.648, L0.662, L0.676, L0.690, L0.704, L0.718, L0.732"
+ - " Creating 1 files"
+ - "**** Simulation run 220, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "L0, all files 0b "
+ - "L0.579[962,1121] 20ns |-----------------------------------------L0.579-----------------------------------------|"
+ - "L0.454[962,1121] 21ns |-----------------------------------------L0.454-----------------------------------------|"
+ - "L0.468[962,1121] 22ns |-----------------------------------------L0.468-----------------------------------------|"
+ - "L0.482[962,1121] 23ns |-----------------------------------------L0.482-----------------------------------------|"
+ - "L0.496[962,1121] 24ns |-----------------------------------------L0.496-----------------------------------------|"
+ - "L0.510[962,1121] 25ns |-----------------------------------------L0.510-----------------------------------------|"
+ - "L0.524[962,1121] 26ns |-----------------------------------------L0.524-----------------------------------------|"
+ - "L0.538[962,1121] 27ns |-----------------------------------------L0.538-----------------------------------------|"
+ - "L0.552[962,1121] 28ns |-----------------------------------------L0.552-----------------------------------------|"
+ - "L0.593[962,1121] 29ns |-----------------------------------------L0.593-----------------------------------------|"
+ - "L0.607[962,1121] 30ns |-----------------------------------------L0.607-----------------------------------------|"
+ - "L0.621[962,1121] 31ns |-----------------------------------------L0.621-----------------------------------------|"
+ - "L0.635[962,1121] 32ns |-----------------------------------------L0.635-----------------------------------------|"
+ - "L0.649[962,1121] 33ns |-----------------------------------------L0.649-----------------------------------------|"
+ - "L0.663[962,1121] 34ns |-----------------------------------------L0.663-----------------------------------------|"
+ - "L0.677[962,1121] 35ns |-----------------------------------------L0.677-----------------------------------------|"
+ - "L0.691[962,1121] 36ns |-----------------------------------------L0.691-----------------------------------------|"
+ - "L0.705[962,1121] 37ns |-----------------------------------------L0.705-----------------------------------------|"
+ - "L0.719[962,1121] 38ns |-----------------------------------------L0.719-----------------------------------------|"
+ - "L0.733[962,1121] 39ns |-----------------------------------------L0.733-----------------------------------------|"
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
+ - "L0, all files 0b "
+ - "L0.?[962,1121] 39ns |------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.454, L0.468, L0.482, L0.496, L0.510, L0.524, L0.538, L0.552, L0.579, L0.593, L0.607, L0.621, L0.635, L0.649, L0.663, L0.677, L0.691, L0.705, L0.719, L0.733"
+ - " Creating 1 files"
+ - "**** Simulation run 221, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "L0, all files 0b "
+ - "L0.580[1122,1281] 20ns |-----------------------------------------L0.580-----------------------------------------|"
+ - "L0.455[1122,1281] 21ns |-----------------------------------------L0.455-----------------------------------------|"
+ - "L0.469[1122,1281] 22ns |-----------------------------------------L0.469-----------------------------------------|"
+ - "L0.483[1122,1281] 23ns |-----------------------------------------L0.483-----------------------------------------|"
+ - "L0.497[1122,1281] 24ns |-----------------------------------------L0.497-----------------------------------------|"
+ - "L0.511[1122,1281] 25ns |-----------------------------------------L0.511-----------------------------------------|"
+ - "L0.525[1122,1281] 26ns |-----------------------------------------L0.525-----------------------------------------|"
+ - "L0.539[1122,1281] 27ns |-----------------------------------------L0.539-----------------------------------------|"
+ - "L0.553[1122,1281] 28ns |-----------------------------------------L0.553-----------------------------------------|"
+ - "L0.594[1122,1281] 29ns |-----------------------------------------L0.594-----------------------------------------|"
+ - "L0.608[1122,1281] 30ns |-----------------------------------------L0.608-----------------------------------------|"
+ - "L0.622[1122,1281] 31ns |-----------------------------------------L0.622-----------------------------------------|"
+ - "L0.636[1122,1281] 32ns |-----------------------------------------L0.636-----------------------------------------|"
+ - "L0.650[1122,1281] 33ns |-----------------------------------------L0.650-----------------------------------------|"
+ - "L0.664[1122,1281] 34ns |-----------------------------------------L0.664-----------------------------------------|"
+ - "L0.678[1122,1281] 35ns |-----------------------------------------L0.678-----------------------------------------|"
+ - "L0.692[1122,1281] 36ns |-----------------------------------------L0.692-----------------------------------------|"
+ - "L0.706[1122,1281] 37ns |-----------------------------------------L0.706-----------------------------------------|"
+ - "L0.720[1122,1281] 38ns |-----------------------------------------L0.720-----------------------------------------|"
+ - "L0.734[1122,1281] 39ns |-----------------------------------------L0.734-----------------------------------------|"
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
+ - "L0, all files 0b "
+ - "L0.?[1122,1281] 39ns |------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.455, L0.469, L0.483, L0.497, L0.511, L0.525, L0.539, L0.553, L0.580, L0.594, L0.608, L0.622, L0.636, L0.650, L0.664, L0.678, L0.692, L0.706, L0.720, L0.734"
+ - " Creating 1 files"
+ - "**** Simulation run 222, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "L0, all files 0b "
+ - "L0.581[1282,1441] 20ns |-----------------------------------------L0.581-----------------------------------------|"
+ - "L0.456[1282,1441] 21ns |-----------------------------------------L0.456-----------------------------------------|"
+ - "L0.470[1282,1441] 22ns |-----------------------------------------L0.470-----------------------------------------|"
+ - "L0.484[1282,1441] 23ns |-----------------------------------------L0.484-----------------------------------------|"
+ - "L0.498[1282,1441] 24ns |-----------------------------------------L0.498-----------------------------------------|"
+ - "L0.512[1282,1441] 25ns |-----------------------------------------L0.512-----------------------------------------|"
+ - "L0.526[1282,1441] 26ns |-----------------------------------------L0.526-----------------------------------------|"
+ - "L0.540[1282,1441] 27ns |-----------------------------------------L0.540-----------------------------------------|"
+ - "L0.554[1282,1441] 28ns |-----------------------------------------L0.554-----------------------------------------|"
+ - "L0.595[1282,1441] 29ns |-----------------------------------------L0.595-----------------------------------------|"
+ - "L0.609[1282,1441] 30ns |-----------------------------------------L0.609-----------------------------------------|"
+ - "L0.623[1282,1441] 31ns |-----------------------------------------L0.623-----------------------------------------|"
+ - "L0.637[1282,1441] 32ns |-----------------------------------------L0.637-----------------------------------------|"
+ - "L0.651[1282,1441] 33ns |-----------------------------------------L0.651-----------------------------------------|"
+ - "L0.665[1282,1441] 34ns |-----------------------------------------L0.665-----------------------------------------|"
+ - "L0.679[1282,1441] 35ns |-----------------------------------------L0.679-----------------------------------------|"
+ - "L0.693[1282,1441] 36ns |-----------------------------------------L0.693-----------------------------------------|"
+ - "L0.707[1282,1441] 37ns |-----------------------------------------L0.707-----------------------------------------|"
+ - "L0.721[1282,1441] 38ns |-----------------------------------------L0.721-----------------------------------------|"
+ - "L0.735[1282,1441] 39ns |-----------------------------------------L0.735-----------------------------------------|"
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
+ - "L0, all files 0b "
+ - "L0.?[1282,1441] 39ns |------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.456, L0.470, L0.484, L0.498, L0.512, L0.526, L0.540, L0.554, L0.581, L0.595, L0.609, L0.623, L0.637, L0.651, L0.665, L0.679, L0.693, L0.707, L0.721, L0.735"
+ - " Creating 1 files"
+ - "**** Simulation run 223, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "L0, all files 0b "
+ - "L0.582[1442,1601] 20ns |-----------------------------------------L0.582-----------------------------------------|"
+ - "L0.457[1442,1601] 21ns |-----------------------------------------L0.457-----------------------------------------|"
+ - "L0.471[1442,1601] 22ns |-----------------------------------------L0.471-----------------------------------------|"
+ - "L0.485[1442,1601] 23ns |-----------------------------------------L0.485-----------------------------------------|"
+ - "L0.499[1442,1601] 24ns |-----------------------------------------L0.499-----------------------------------------|"
+ - "L0.513[1442,1601] 25ns |-----------------------------------------L0.513-----------------------------------------|"
+ - "L0.527[1442,1601] 26ns |-----------------------------------------L0.527-----------------------------------------|"
+ - "L0.541[1442,1601] 27ns |-----------------------------------------L0.541-----------------------------------------|"
+ - "L0.555[1442,1601] 28ns |-----------------------------------------L0.555-----------------------------------------|"
+ - "L0.596[1442,1601] 29ns |-----------------------------------------L0.596-----------------------------------------|"
+ - "L0.610[1442,1601] 30ns |-----------------------------------------L0.610-----------------------------------------|"
+ - "L0.624[1442,1601] 31ns |-----------------------------------------L0.624-----------------------------------------|"
+ - "L0.638[1442,1601] 32ns |-----------------------------------------L0.638-----------------------------------------|"
+ - "L0.652[1442,1601] 33ns |-----------------------------------------L0.652-----------------------------------------|"
+ - "L0.666[1442,1601] 34ns |-----------------------------------------L0.666-----------------------------------------|"
+ - "L0.680[1442,1601] 35ns |-----------------------------------------L0.680-----------------------------------------|"
+ - "L0.694[1442,1601] 36ns |-----------------------------------------L0.694-----------------------------------------|"
+ - "L0.708[1442,1601] 37ns |-----------------------------------------L0.708-----------------------------------------|"
+ - "L0.722[1442,1601] 38ns |-----------------------------------------L0.722-----------------------------------------|"
+ - "L0.736[1442,1601] 39ns |-----------------------------------------L0.736-----------------------------------------|"
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
+ - "L0, all files 0b "
+ - "L0.?[1442,1601] 39ns |------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.457, L0.471, L0.485, L0.499, L0.513, L0.527, L0.541, L0.555, L0.582, L0.596, L0.610, L0.624, L0.638, L0.652, L0.666, L0.680, L0.694, L0.708, L0.722, L0.736"
+ - " Creating 1 files"
+ - "**** Simulation run 224, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "L0, all files 0b "
+ - "L0.583[1602,1761] 20ns |-----------------------------------------L0.583-----------------------------------------|"
+ - "L0.458[1602,1761] 21ns |-----------------------------------------L0.458-----------------------------------------|"
+ - "L0.472[1602,1761] 22ns |-----------------------------------------L0.472-----------------------------------------|"
+ - "L0.486[1602,1761] 23ns |-----------------------------------------L0.486-----------------------------------------|"
+ - "L0.500[1602,1761] 24ns |-----------------------------------------L0.500-----------------------------------------|"
+ - "L0.514[1602,1761] 25ns |-----------------------------------------L0.514-----------------------------------------|"
+ - "L0.528[1602,1761] 26ns |-----------------------------------------L0.528-----------------------------------------|"
+ - "L0.542[1602,1761] 27ns |-----------------------------------------L0.542-----------------------------------------|"
+ - "L0.556[1602,1761] 28ns |-----------------------------------------L0.556-----------------------------------------|"
+ - "L0.597[1602,1761] 29ns |-----------------------------------------L0.597-----------------------------------------|"
+ - "L0.611[1602,1761] 30ns |-----------------------------------------L0.611-----------------------------------------|"
+ - "L0.625[1602,1761] 31ns |-----------------------------------------L0.625-----------------------------------------|"
+ - "L0.639[1602,1761] 32ns |-----------------------------------------L0.639-----------------------------------------|"
+ - "L0.653[1602,1761] 33ns |-----------------------------------------L0.653-----------------------------------------|"
+ - "L0.667[1602,1761] 34ns |-----------------------------------------L0.667-----------------------------------------|"
+ - "L0.681[1602,1761] 35ns |-----------------------------------------L0.681-----------------------------------------|"
+ - "L0.695[1602,1761] 36ns |-----------------------------------------L0.695-----------------------------------------|"
+ - "L0.709[1602,1761] 37ns |-----------------------------------------L0.709-----------------------------------------|"
+ - "L0.723[1602,1761] 38ns |-----------------------------------------L0.723-----------------------------------------|"
+ - "L0.737[1602,1761] 39ns |-----------------------------------------L0.737-----------------------------------------|"
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
+ - "L0, all files 0b "
+ - "L0.?[1602,1761] 39ns |------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.458, L0.472, L0.486, L0.500, L0.514, L0.528, L0.542, L0.556, L0.583, L0.597, L0.611, L0.625, L0.639, L0.653, L0.667, L0.681, L0.695, L0.709, L0.723, L0.737"
+ - " Creating 1 files"
+ - "**** Simulation run 225, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "L0, all files 0b "
+ - "L0.584[1762,1921] 20ns |-----------------------------------------L0.584-----------------------------------------|"
+ - "L0.459[1762,1921] 21ns |-----------------------------------------L0.459-----------------------------------------|"
+ - "L0.473[1762,1921] 22ns |-----------------------------------------L0.473-----------------------------------------|"
+ - "L0.487[1762,1921] 23ns |-----------------------------------------L0.487-----------------------------------------|"
+ - "L0.501[1762,1921] 24ns |-----------------------------------------L0.501-----------------------------------------|"
+ - "L0.515[1762,1921] 25ns |-----------------------------------------L0.515-----------------------------------------|"
+ - "L0.529[1762,1921] 26ns |-----------------------------------------L0.529-----------------------------------------|"
+ - "L0.543[1762,1921] 27ns |-----------------------------------------L0.543-----------------------------------------|"
+ - "L0.557[1762,1921] 28ns |-----------------------------------------L0.557-----------------------------------------|"
+ - "L0.598[1762,1921] 29ns |-----------------------------------------L0.598-----------------------------------------|"
+ - "L0.612[1762,1921] 30ns |-----------------------------------------L0.612-----------------------------------------|"
+ - "L0.626[1762,1921] 31ns |-----------------------------------------L0.626-----------------------------------------|"
+ - "L0.640[1762,1921] 32ns |-----------------------------------------L0.640-----------------------------------------|"
+ - "L0.654[1762,1921] 33ns |-----------------------------------------L0.654-----------------------------------------|"
+ - "L0.668[1762,1921] 34ns |-----------------------------------------L0.668-----------------------------------------|"
+ - "L0.682[1762,1921] 35ns |-----------------------------------------L0.682-----------------------------------------|"
+ - "L0.696[1762,1921] 36ns |-----------------------------------------L0.696-----------------------------------------|"
+ - "L0.710[1762,1921] 37ns |-----------------------------------------L0.710-----------------------------------------|"
+ - "L0.724[1762,1921] 38ns |-----------------------------------------L0.724-----------------------------------------|"
+ - "L0.738[1762,1921] 39ns |-----------------------------------------L0.738-----------------------------------------|"
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
+ - "L0, all files 0b "
+ - "L0.?[1762,1921] 39ns |------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.459, L0.473, L0.487, L0.501, L0.515, L0.529, L0.543, L0.557, L0.584, L0.598, L0.612, L0.626, L0.640, L0.654, L0.668, L0.682, L0.696, L0.710, L0.724, L0.738"
+ - " Creating 1 files"
+ - "**** Simulation run 226, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "L0, all files 0b "
+ - "L0.585[1922,2086] 20ns |-----------------------------------------L0.585-----------------------------------------|"
+ - "L0.460[1922,2086] 21ns |-----------------------------------------L0.460-----------------------------------------|"
+ - "L0.474[1922,2086] 22ns |-----------------------------------------L0.474-----------------------------------------|"
+ - "L0.488[1922,2086] 23ns |-----------------------------------------L0.488-----------------------------------------|"
+ - "L0.502[1922,2086] 24ns |-----------------------------------------L0.502-----------------------------------------|"
+ - "L0.516[1922,2086] 25ns |-----------------------------------------L0.516-----------------------------------------|"
+ - "L0.530[1922,2086] 26ns |-----------------------------------------L0.530-----------------------------------------|"
+ - "L0.544[1922,2086] 27ns |-----------------------------------------L0.544-----------------------------------------|"
+ - "L0.558[1922,2086] 28ns |-----------------------------------------L0.558-----------------------------------------|"
+ - "L0.599[1922,2086] 29ns |-----------------------------------------L0.599-----------------------------------------|"
+ - "L0.613[1922,2086] 30ns |-----------------------------------------L0.613-----------------------------------------|"
+ - "L0.627[1922,2086] 31ns |-----------------------------------------L0.627-----------------------------------------|"
+ - "L0.641[1922,2086] 32ns |-----------------------------------------L0.641-----------------------------------------|"
+ - "L0.655[1922,2086] 33ns |-----------------------------------------L0.655-----------------------------------------|"
+ - "L0.669[1922,2086] 34ns |-----------------------------------------L0.669-----------------------------------------|"
+ - "L0.683[1922,2086] 35ns |-----------------------------------------L0.683-----------------------------------------|"
+ - "L0.697[1922,2086] 36ns |-----------------------------------------L0.697-----------------------------------------|"
+ - "L0.711[1922,2086] 37ns |-----------------------------------------L0.711-----------------------------------------|"
+ - "L0.725[1922,2086] 38ns |-----------------------------------------L0.725-----------------------------------------|"
+ - "L0.739[1922,2086] 39ns |-----------------------------------------L0.739-----------------------------------------|"
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
+ - "L0, all files 0b "
+ - "L0.?[1922,2086] 39ns |------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.460, L0.474, L0.488, L0.502, L0.516, L0.530, L0.544, L0.558, L0.585, L0.599, L0.613, L0.627, L0.641, L0.655, L0.669, L0.683, L0.697, L0.711, L0.725, L0.739"
+ - " Creating 1 files"
+ - "**** Simulation run 227, type=compact(ManySmallFiles). 20 Input Files, 390b total:"
+ - "L0 "
+ - "L0.2954[2087,390000] 39ns 200b|-------------------------L0.2954--------------------------| "
+ - "L0.754[2087,400000] 40ns 10b|--------------------------L0.754---------------------------| "
+ - "L0.768[2087,410000] 41ns 10b|---------------------------L0.768----------------------------| "
+ - "L0.782[2087,420000] 42ns 10b|----------------------------L0.782-----------------------------| "
+ - "L0.796[2087,430000] 43ns 10b|-----------------------------L0.796-----------------------------| "
+ - "L0.810[2087,440000] 44ns 10b|------------------------------L0.810------------------------------| "
+ - "L0.824[2087,450000] 45ns 10b|------------------------------L0.824-------------------------------| "
+ - "L0.838[2087,460000] 46ns 10b|-------------------------------L0.838--------------------------------| "
+ - "L0.852[2087,470000] 47ns 10b|--------------------------------L0.852--------------------------------| "
+ - "L0.866[2087,480000] 48ns 10b|---------------------------------L0.866---------------------------------| "
+ - "L0.880[2087,490000] 49ns 10b|---------------------------------L0.880----------------------------------| "
+ - "L0.894[2087,500000] 50ns 10b|----------------------------------L0.894-----------------------------------| "
+ - "L0.908[2087,510000] 51ns 10b|-----------------------------------L0.908------------------------------------| "
+ - "L0.922[2087,520000] 52ns 10b|------------------------------------L0.922------------------------------------| "
+ - "L0.936[2087,530000] 53ns 10b|-------------------------------------L0.936-------------------------------------| "
+ - "L0.950[2087,540000] 54ns 10b|-------------------------------------L0.950--------------------------------------| "
+ - "L0.964[2087,550000] 55ns 10b|--------------------------------------L0.964---------------------------------------| "
+ - "L0.978[2087,560000] 56ns 10b|---------------------------------------L0.978---------------------------------------| "
+ - "L0.992[2087,570000] 57ns 10b|----------------------------------------L0.992----------------------------------------| "
+ - "L0.1006[2087,580000] 58ns 10b|----------------------------------------L0.1006-----------------------------------------|"
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 390b total:"
+ - "L0, all files 390b "
+ - "L0.?[2087,580000] 58ns |------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.754, L0.768, L0.782, L0.796, L0.810, L0.824, L0.838, L0.852, L0.866, L0.880, L0.894, L0.908, L0.922, L0.936, L0.950, L0.964, L0.978, L0.992, L0.1006, L0.2954"
+ - " Creating 1 files"
+ - "**** Simulation run 228, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "L0, all files 0b "
+ - "L0.2957[20,161] 39ns |----------------------------------------L0.2957-----------------------------------------|"
+ - "L0.741[40,161] 40ns |----------------------------------L0.741-----------------------------------| "
+ - "L0.755[41,161] 41ns |----------------------------------L0.755----------------------------------| "
+ - "L0.769[42,161] 42ns |---------------------------------L0.769----------------------------------| "
+ - "L0.783[43,161] 43ns |---------------------------------L0.783----------------------------------| "
+ - "L0.797[44,161] 44ns |---------------------------------L0.797---------------------------------| "
+ - "L0.811[45,161] 45ns |---------------------------------L0.811---------------------------------| "
+ - "L0.825[46,161] 46ns |--------------------------------L0.825---------------------------------| "
+ - "L0.839[47,161] 47ns |--------------------------------L0.839--------------------------------| "
+ - "L0.853[48,161] 48ns |--------------------------------L0.853--------------------------------| "
+ - "L0.867[49,161] 49ns |-------------------------------L0.867--------------------------------| "
+ - "L0.881[50,161] 50ns |-------------------------------L0.881-------------------------------| "
+ - "L0.895[51,161] 51ns |-------------------------------L0.895-------------------------------| "
+ - "L0.909[52,161] 52ns |------------------------------L0.909-------------------------------| "
+ - "L0.923[53,161] 53ns |------------------------------L0.923------------------------------| "
+ - "L0.937[54,161] 54ns |------------------------------L0.937------------------------------| "
+ - "L0.951[55,161] 55ns |-----------------------------L0.951------------------------------| "
+ - "L0.965[56,161] 56ns |-----------------------------L0.965------------------------------| "
+ - "L0.979[57,161] 57ns |-----------------------------L0.979-----------------------------| "
+ - "L0.993[58,161] 58ns |----------------------------L0.993-----------------------------| "
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
+ - "L0, all files 0b "
+ - "L0.?[20,161] 58ns |------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.741, L0.755, L0.769, L0.783, L0.797, L0.811, L0.825, L0.839, L0.853, L0.867, L0.881, L0.895, L0.909, L0.923, L0.937, L0.951, L0.965, L0.979, L0.993, L0.2957"
+ - " Creating 1 files"
+ - "**** Simulation run 229, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "L0, all files 0b "
+ - "L0.2958[162,321] 39ns |----------------------------------------L0.2958-----------------------------------------|"
+ - "L0.742[162,321] 40ns |-----------------------------------------L0.742-----------------------------------------|"
+ - "L0.756[162,321] 41ns |-----------------------------------------L0.756-----------------------------------------|"
+ - "L0.770[162,321] 42ns |-----------------------------------------L0.770-----------------------------------------|"
+ - "L0.784[162,321] 43ns |-----------------------------------------L0.784-----------------------------------------|"
+ - "L0.798[162,321] 44ns |-----------------------------------------L0.798-----------------------------------------|"
+ - "L0.812[162,321] 45ns |-----------------------------------------L0.812-----------------------------------------|"
+ - "L0.826[162,321] 46ns |-----------------------------------------L0.826-----------------------------------------|"
+ - "L0.840[162,321] 47ns |-----------------------------------------L0.840-----------------------------------------|"
+ - "L0.854[162,321] 48ns |-----------------------------------------L0.854-----------------------------------------|"
+ - "L0.868[162,321] 49ns |-----------------------------------------L0.868-----------------------------------------|"
+ - "L0.882[162,321] 50ns |-----------------------------------------L0.882-----------------------------------------|"
+ - "L0.896[162,321] 51ns |-----------------------------------------L0.896-----------------------------------------|"
+ - "L0.910[162,321] 52ns |-----------------------------------------L0.910-----------------------------------------|"
+ - "L0.924[162,321] 53ns |-----------------------------------------L0.924-----------------------------------------|"
+ - "L0.938[162,321] 54ns |-----------------------------------------L0.938-----------------------------------------|"
+ - "L0.952[162,321] 55ns |-----------------------------------------L0.952-----------------------------------------|"
+ - "L0.966[162,321] 56ns |-----------------------------------------L0.966-----------------------------------------|"
+ - "L0.980[162,321] 57ns |-----------------------------------------L0.980-----------------------------------------|"
+ - "L0.994[162,321] 58ns |-----------------------------------------L0.994-----------------------------------------|"
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
+ - "L0, all files 0b "
+ - "L0.?[162,321] 58ns |------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.742, L0.756, L0.770, L0.784, L0.798, L0.812, L0.826, L0.840, L0.854, L0.868, L0.882, L0.896, L0.910, L0.924, L0.938, L0.952, L0.966, L0.980, L0.994, L0.2958"
+ - " Creating 1 files"
+ - "**** Simulation run 230, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "L0, all files 0b "
+ - "L0.2959[322,481] 39ns |----------------------------------------L0.2959-----------------------------------------|"
+ - "L0.743[322,481] 40ns |-----------------------------------------L0.743-----------------------------------------|"
+ - "L0.757[322,481] 41ns |-----------------------------------------L0.757-----------------------------------------|"
+ - "L0.771[322,481] 42ns |-----------------------------------------L0.771-----------------------------------------|"
+ - "L0.785[322,481] 43ns |-----------------------------------------L0.785-----------------------------------------|"
+ - "L0.799[322,481] 44ns |-----------------------------------------L0.799-----------------------------------------|"
+ - "L0.813[322,481] 45ns |-----------------------------------------L0.813-----------------------------------------|"
+ - "L0.827[322,481] 46ns |-----------------------------------------L0.827-----------------------------------------|"
+ - "L0.841[322,481] 47ns |-----------------------------------------L0.841-----------------------------------------|"
+ - "L0.855[322,481] 48ns |-----------------------------------------L0.855-----------------------------------------|"
+ - "L0.869[322,481] 49ns |-----------------------------------------L0.869-----------------------------------------|"
+ - "L0.883[322,481] 50ns |-----------------------------------------L0.883-----------------------------------------|"
+ - "L0.897[322,481] 51ns |-----------------------------------------L0.897-----------------------------------------|"
+ - "L0.911[322,481] 52ns |-----------------------------------------L0.911-----------------------------------------|"
+ - "L0.925[322,481] 53ns |-----------------------------------------L0.925-----------------------------------------|"
+ - "L0.939[322,481] 54ns |-----------------------------------------L0.939-----------------------------------------|"
+ - "L0.953[322,481] 55ns |-----------------------------------------L0.953-----------------------------------------|"
+ - "L0.967[322,481] 56ns |-----------------------------------------L0.967-----------------------------------------|"
+ - "L0.981[322,481] 57ns |-----------------------------------------L0.981-----------------------------------------|"
+ - "L0.995[322,481] 58ns |-----------------------------------------L0.995-----------------------------------------|"
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
+ - "L0, all files 0b "
+ - "L0.?[322,481] 58ns |------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.743, L0.757, L0.771, L0.785, L0.799, L0.813, L0.827, L0.841, L0.855, L0.869, L0.883, L0.897, L0.911, L0.925, L0.939, L0.953, L0.967, L0.981, L0.995, L0.2959"
+ - " Creating 1 files"
+ - "**** Simulation run 231, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "L0, all files 0b "
+ - "L0.2960[482,641] 39ns |----------------------------------------L0.2960-----------------------------------------|"
+ - "L0.744[482,641] 40ns |-----------------------------------------L0.744-----------------------------------------|"
+ - "L0.758[482,641] 41ns |-----------------------------------------L0.758-----------------------------------------|"
+ - "L0.772[482,641] 42ns |-----------------------------------------L0.772-----------------------------------------|"
+ - "L0.786[482,641] 43ns |-----------------------------------------L0.786-----------------------------------------|"
+ - "L0.800[482,641] 44ns |-----------------------------------------L0.800-----------------------------------------|"
+ - "L0.814[482,641] 45ns |-----------------------------------------L0.814-----------------------------------------|"
+ - "L0.828[482,641] 46ns |-----------------------------------------L0.828-----------------------------------------|"
+ - "L0.842[482,641] 47ns |-----------------------------------------L0.842-----------------------------------------|"
+ - "L0.856[482,641] 48ns |-----------------------------------------L0.856-----------------------------------------|"
+ - "L0.870[482,641] 49ns |-----------------------------------------L0.870-----------------------------------------|"
+ - "L0.884[482,641] 50ns |-----------------------------------------L0.884-----------------------------------------|"
+ - "L0.898[482,641] 51ns |-----------------------------------------L0.898-----------------------------------------|"
+ - "L0.912[482,641] 52ns |-----------------------------------------L0.912-----------------------------------------|"
+ - "L0.926[482,641] 53ns |-----------------------------------------L0.926-----------------------------------------|"
+ - "L0.940[482,641] 54ns |-----------------------------------------L0.940-----------------------------------------|"
+ - "L0.954[482,641] 55ns |-----------------------------------------L0.954-----------------------------------------|"
+ - "L0.968[482,641] 56ns |-----------------------------------------L0.968-----------------------------------------|"
+ - "L0.982[482,641] 57ns |-----------------------------------------L0.982-----------------------------------------|"
+ - "L0.996[482,641] 58ns |-----------------------------------------L0.996-----------------------------------------|"
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
+ - "L0, all files 0b "
+ - "L0.?[482,641] 58ns |------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.744, L0.758, L0.772, L0.786, L0.800, L0.814, L0.828, L0.842, L0.856, L0.870, L0.884, L0.898, L0.912, L0.926, L0.940, L0.954, L0.968, L0.982, L0.996, L0.2960"
+ - " Creating 1 files"
+ - "**** Simulation run 232, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "L0, all files 0b "
+ - "L0.2961[642,801] 39ns |----------------------------------------L0.2961-----------------------------------------|"
+ - "L0.745[642,801] 40ns |-----------------------------------------L0.745-----------------------------------------|"
+ - "L0.759[642,801] 41ns |-----------------------------------------L0.759-----------------------------------------|"
+ - "L0.773[642,801] 42ns |-----------------------------------------L0.773-----------------------------------------|"
+ - "L0.787[642,801] 43ns |-----------------------------------------L0.787-----------------------------------------|"
+ - "L0.801[642,801] 44ns |-----------------------------------------L0.801-----------------------------------------|"
+ - "L0.815[642,801] 45ns |-----------------------------------------L0.815-----------------------------------------|"
+ - "L0.829[642,801] 46ns |-----------------------------------------L0.829-----------------------------------------|"
+ - "L0.843[642,801] 47ns |-----------------------------------------L0.843-----------------------------------------|"
+ - "L0.857[642,801] 48ns |-----------------------------------------L0.857-----------------------------------------|"
+ - "L0.871[642,801] 49ns |-----------------------------------------L0.871-----------------------------------------|"
+ - "L0.885[642,801] 50ns |-----------------------------------------L0.885-----------------------------------------|"
+ - "L0.899[642,801] 51ns |-----------------------------------------L0.899-----------------------------------------|"
+ - "L0.913[642,801] 52ns |-----------------------------------------L0.913-----------------------------------------|"
+ - "L0.927[642,801] 53ns |-----------------------------------------L0.927-----------------------------------------|"
+ - "L0.941[642,801] 54ns |-----------------------------------------L0.941-----------------------------------------|"
+ - "L0.955[642,801] 55ns |-----------------------------------------L0.955-----------------------------------------|"
+ - "L0.969[642,801] 56ns |-----------------------------------------L0.969-----------------------------------------|"
+ - "L0.983[642,801] 57ns |-----------------------------------------L0.983-----------------------------------------|"
+ - "L0.997[642,801] 58ns |-----------------------------------------L0.997-----------------------------------------|"
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
+ - "L0, all files 0b "
+ - "L0.?[642,801] 58ns |------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.745, L0.759, L0.773, L0.787, L0.801, L0.815, L0.829, L0.843, L0.857, L0.871, L0.885, L0.899, L0.913, L0.927, L0.941, L0.955, L0.969, L0.983, L0.997, L0.2961"
+ - " Creating 1 files"
+ - "**** Simulation run 233, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "L0, all files 0b "
+ - "L0.2962[802,961] 39ns |----------------------------------------L0.2962-----------------------------------------|"
+ - "L0.746[802,961] 40ns |-----------------------------------------L0.746-----------------------------------------|"
+ - "L0.760[802,961] 41ns |-----------------------------------------L0.760-----------------------------------------|"
+ - "L0.774[802,961] 42ns |-----------------------------------------L0.774-----------------------------------------|"
+ - "L0.788[802,961] 43ns |-----------------------------------------L0.788-----------------------------------------|"
+ - "L0.802[802,961] 44ns |-----------------------------------------L0.802-----------------------------------------|"
+ - "L0.816[802,961] 45ns |-----------------------------------------L0.816-----------------------------------------|"
+ - "L0.830[802,961] 46ns |-----------------------------------------L0.830-----------------------------------------|"
+ - "L0.844[802,961] 47ns |-----------------------------------------L0.844-----------------------------------------|"
+ - "L0.858[802,961] 48ns |-----------------------------------------L0.858-----------------------------------------|"
+ - "L0.872[802,961] 49ns |-----------------------------------------L0.872-----------------------------------------|"
+ - "L0.886[802,961] 50ns |-----------------------------------------L0.886-----------------------------------------|"
+ - "L0.900[802,961] 51ns |-----------------------------------------L0.900-----------------------------------------|"
+ - "L0.914[802,961] 52ns |-----------------------------------------L0.914-----------------------------------------|"
+ - "L0.928[802,961] 53ns |-----------------------------------------L0.928-----------------------------------------|"
+ - "L0.942[802,961] 54ns |-----------------------------------------L0.942-----------------------------------------|"
+ - "L0.956[802,961] 55ns |-----------------------------------------L0.956-----------------------------------------|"
+ - "L0.970[802,961] 56ns |-----------------------------------------L0.970-----------------------------------------|"
+ - "L0.984[802,961] 57ns |-----------------------------------------L0.984-----------------------------------------|"
+ - "L0.998[802,961] 58ns |-----------------------------------------L0.998-----------------------------------------|"
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
+ - "L0, all files 0b "
+ - "L0.?[802,961] 58ns |------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.746, L0.760, L0.774, L0.788, L0.802, L0.816, L0.830, L0.844, L0.858, L0.872, L0.886, L0.900, L0.914, L0.928, L0.942, L0.956, L0.970, L0.984, L0.998, L0.2962"
+ - " Creating 1 files"
+ - "**** Simulation run 234, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "L0, all files 0b "
+ - "L0.2963[962,1121] 39ns |----------------------------------------L0.2963-----------------------------------------|"
+ - "L0.747[962,1121] 40ns |-----------------------------------------L0.747-----------------------------------------|"
+ - "L0.761[962,1121] 41ns |-----------------------------------------L0.761-----------------------------------------|"
+ - "L0.775[962,1121] 42ns |-----------------------------------------L0.775-----------------------------------------|"
+ - "L0.789[962,1121] 43ns |-----------------------------------------L0.789-----------------------------------------|"
+ - "L0.803[962,1121] 44ns |-----------------------------------------L0.803-----------------------------------------|"
+ - "L0.817[962,1121] 45ns |-----------------------------------------L0.817-----------------------------------------|"
+ - "L0.831[962,1121] 46ns |-----------------------------------------L0.831-----------------------------------------|"
+ - "L0.845[962,1121] 47ns |-----------------------------------------L0.845-----------------------------------------|"
+ - "L0.859[962,1121] 48ns |-----------------------------------------L0.859-----------------------------------------|"
+ - "L0.873[962,1121] 49ns |-----------------------------------------L0.873-----------------------------------------|"
+ - "L0.887[962,1121] 50ns |-----------------------------------------L0.887-----------------------------------------|"
+ - "L0.901[962,1121] 51ns |-----------------------------------------L0.901-----------------------------------------|"
+ - "L0.915[962,1121] 52ns |-----------------------------------------L0.915-----------------------------------------|"
+ - "L0.929[962,1121] 53ns |-----------------------------------------L0.929-----------------------------------------|"
+ - "L0.943[962,1121] 54ns |-----------------------------------------L0.943-----------------------------------------|"
+ - "L0.957[962,1121] 55ns |-----------------------------------------L0.957-----------------------------------------|"
+ - "L0.971[962,1121] 56ns |-----------------------------------------L0.971-----------------------------------------|"
+ - "L0.985[962,1121] 57ns |-----------------------------------------L0.985-----------------------------------------|"
+ - "L0.999[962,1121] 58ns |-----------------------------------------L0.999-----------------------------------------|"
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
+ - "L0, all files 0b "
+ - "L0.?[962,1121] 58ns |------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.747, L0.761, L0.775, L0.789, L0.803, L0.817, L0.831, L0.845, L0.859, L0.873, L0.887, L0.901, L0.915, L0.929, L0.943, L0.957, L0.971, L0.985, L0.999, L0.2963"
+ - " Creating 1 files"
+ - "**** Simulation run 235, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "L0, all files 0b "
+ - "L0.2964[1122,1281] 39ns |----------------------------------------L0.2964-----------------------------------------|"
+ - "L0.748[1122,1281] 40ns |-----------------------------------------L0.748-----------------------------------------|"
+ - "L0.762[1122,1281] 41ns |-----------------------------------------L0.762-----------------------------------------|"
+ - "L0.776[1122,1281] 42ns |-----------------------------------------L0.776-----------------------------------------|"
+ - "L0.790[1122,1281] 43ns |-----------------------------------------L0.790-----------------------------------------|"
+ - "L0.804[1122,1281] 44ns |-----------------------------------------L0.804-----------------------------------------|"
+ - "L0.818[1122,1281] 45ns |-----------------------------------------L0.818-----------------------------------------|"
+ - "L0.832[1122,1281] 46ns |-----------------------------------------L0.832-----------------------------------------|"
+ - "L0.846[1122,1281] 47ns |-----------------------------------------L0.846-----------------------------------------|"
+ - "L0.860[1122,1281] 48ns |-----------------------------------------L0.860-----------------------------------------|"
+ - "L0.874[1122,1281] 49ns |-----------------------------------------L0.874-----------------------------------------|"
+ - "L0.888[1122,1281] 50ns |-----------------------------------------L0.888-----------------------------------------|"
+ - "L0.902[1122,1281] 51ns |-----------------------------------------L0.902-----------------------------------------|"
+ - "L0.916[1122,1281] 52ns |-----------------------------------------L0.916-----------------------------------------|"
+ - "L0.930[1122,1281] 53ns |-----------------------------------------L0.930-----------------------------------------|"
+ - "L0.944[1122,1281] 54ns |-----------------------------------------L0.944-----------------------------------------|"
+ - "L0.958[1122,1281] 55ns |-----------------------------------------L0.958-----------------------------------------|"
+ - "L0.972[1122,1281] 56ns |-----------------------------------------L0.972-----------------------------------------|"
+ - "L0.986[1122,1281] 57ns |-----------------------------------------L0.986-----------------------------------------|"
+ - "L0.1000[1122,1281] 58ns |----------------------------------------L0.1000-----------------------------------------|"
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
+ - "L0, all files 0b "
+ - "L0.?[1122,1281] 58ns |------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.748, L0.762, L0.776, L0.790, L0.804, L0.818, L0.832, L0.846, L0.860, L0.874, L0.888, L0.902, L0.916, L0.930, L0.944, L0.958, L0.972, L0.986, L0.1000, L0.2964"
+ - " Creating 1 files"
+ - "**** Simulation run 236, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "L0, all files 0b "
+ - "L0.2965[1282,1441] 39ns |----------------------------------------L0.2965-----------------------------------------|"
+ - "L0.749[1282,1441] 40ns |-----------------------------------------L0.749-----------------------------------------|"
+ - "L0.763[1282,1441] 41ns |-----------------------------------------L0.763-----------------------------------------|"
+ - "L0.777[1282,1441] 42ns |-----------------------------------------L0.777-----------------------------------------|"
+ - "L0.791[1282,1441] 43ns |-----------------------------------------L0.791-----------------------------------------|"
+ - "L0.805[1282,1441] 44ns |-----------------------------------------L0.805-----------------------------------------|"
+ - "L0.819[1282,1441] 45ns |-----------------------------------------L0.819-----------------------------------------|"
+ - "L0.833[1282,1441] 46ns |-----------------------------------------L0.833-----------------------------------------|"
+ - "L0.847[1282,1441] 47ns |-----------------------------------------L0.847-----------------------------------------|"
+ - "L0.861[1282,1441] 48ns |-----------------------------------------L0.861-----------------------------------------|"
+ - "L0.875[1282,1441] 49ns |-----------------------------------------L0.875-----------------------------------------|"
+ - "L0.889[1282,1441] 50ns |-----------------------------------------L0.889-----------------------------------------|"
+ - "L0.903[1282,1441] 51ns |-----------------------------------------L0.903-----------------------------------------|"
+ - "L0.917[1282,1441] 52ns |-----------------------------------------L0.917-----------------------------------------|"
+ - "L0.931[1282,1441] 53ns |-----------------------------------------L0.931-----------------------------------------|"
+ - "L0.945[1282,1441] 54ns |-----------------------------------------L0.945-----------------------------------------|"
+ - "L0.959[1282,1441] 55ns |-----------------------------------------L0.959-----------------------------------------|"
+ - "L0.973[1282,1441] 56ns |-----------------------------------------L0.973-----------------------------------------|"
+ - "L0.987[1282,1441] 57ns |-----------------------------------------L0.987-----------------------------------------|"
+ - "L0.1001[1282,1441] 58ns |----------------------------------------L0.1001-----------------------------------------|"
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
+ - "L0, all files 0b "
+ - "L0.?[1282,1441] 58ns |------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.749, L0.763, L0.777, L0.791, L0.805, L0.819, L0.833, L0.847, L0.861, L0.875, L0.889, L0.903, L0.917, L0.931, L0.945, L0.959, L0.973, L0.987, L0.1001, L0.2965"
+ - " Creating 1 files"
+ - "**** Simulation run 237, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "L0, all files 0b "
+ - "L0.2967[1602,1761] 39ns |----------------------------------------L0.2967-----------------------------------------|"
+ - "L0.751[1602,1761] 40ns |-----------------------------------------L0.751-----------------------------------------|"
+ - "L0.765[1602,1761] 41ns |-----------------------------------------L0.765-----------------------------------------|"
+ - "L0.779[1602,1761] 42ns |-----------------------------------------L0.779-----------------------------------------|"
+ - "L0.793[1602,1761] 43ns |-----------------------------------------L0.793-----------------------------------------|"
+ - "L0.807[1602,1761] 44ns |-----------------------------------------L0.807-----------------------------------------|"
+ - "L0.821[1602,1761] 45ns |-----------------------------------------L0.821-----------------------------------------|"
+ - "L0.835[1602,1761] 46ns |-----------------------------------------L0.835-----------------------------------------|"
+ - "L0.849[1602,1761] 47ns |-----------------------------------------L0.849-----------------------------------------|"
+ - "L0.863[1602,1761] 48ns |-----------------------------------------L0.863-----------------------------------------|"
+ - "L0.877[1602,1761] 49ns |-----------------------------------------L0.877-----------------------------------------|"
+ - "L0.891[1602,1761] 50ns |-----------------------------------------L0.891-----------------------------------------|"
+ - "L0.905[1602,1761] 51ns |-----------------------------------------L0.905-----------------------------------------|"
+ - "L0.919[1602,1761] 52ns |-----------------------------------------L0.919-----------------------------------------|"
+ - "L0.933[1602,1761] 53ns |-----------------------------------------L0.933-----------------------------------------|"
+ - "L0.947[1602,1761] 54ns |-----------------------------------------L0.947-----------------------------------------|"
+ - "L0.961[1602,1761] 55ns |-----------------------------------------L0.961-----------------------------------------|"
+ - "L0.975[1602,1761] 56ns |-----------------------------------------L0.975-----------------------------------------|"
+ - "L0.989[1602,1761] 57ns |-----------------------------------------L0.989-----------------------------------------|"
+ - "L0.1003[1602,1761] 58ns |----------------------------------------L0.1003-----------------------------------------|"
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
+ - "L0, all files 0b "
+ - "L0.?[1602,1761] 58ns |------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.751, L0.765, L0.779, L0.793, L0.807, L0.821, L0.835, L0.849, L0.863, L0.877, L0.891, L0.905, L0.919, L0.933, L0.947, L0.961, L0.975, L0.989, L0.1003, L0.2967"
+ - " Creating 1 files"
+ - "**** Simulation run 238, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "L0, all files 0b "
+ - "L0.2968[1762,1921] 39ns |----------------------------------------L0.2968-----------------------------------------|"
+ - "L0.752[1762,1921] 40ns |-----------------------------------------L0.752-----------------------------------------|"
+ - "L0.766[1762,1921] 41ns |-----------------------------------------L0.766-----------------------------------------|"
+ - "L0.780[1762,1921] 42ns |-----------------------------------------L0.780-----------------------------------------|"
+ - "L0.794[1762,1921] 43ns |-----------------------------------------L0.794-----------------------------------------|"
+ - "L0.808[1762,1921] 44ns |-----------------------------------------L0.808-----------------------------------------|"
+ - "L0.822[1762,1921] 45ns |-----------------------------------------L0.822-----------------------------------------|"
+ - "L0.836[1762,1921] 46ns |-----------------------------------------L0.836-----------------------------------------|"
+ - "L0.850[1762,1921] 47ns |-----------------------------------------L0.850-----------------------------------------|"
+ - "L0.864[1762,1921] 48ns |-----------------------------------------L0.864-----------------------------------------|"
+ - "L0.878[1762,1921] 49ns |-----------------------------------------L0.878-----------------------------------------|"
+ - "L0.892[1762,1921] 50ns |-----------------------------------------L0.892-----------------------------------------|"
+ - "L0.906[1762,1921] 51ns |-----------------------------------------L0.906-----------------------------------------|"
+ - "L0.920[1762,1921] 52ns |-----------------------------------------L0.920-----------------------------------------|"
+ - "L0.934[1762,1921] 53ns |-----------------------------------------L0.934-----------------------------------------|"
+ - "L0.948[1762,1921] 54ns |-----------------------------------------L0.948-----------------------------------------|"
+ - "L0.962[1762,1921] 55ns |-----------------------------------------L0.962-----------------------------------------|"
+ - "L0.976[1762,1921] 56ns |-----------------------------------------L0.976-----------------------------------------|"
+ - "L0.990[1762,1921] 57ns |-----------------------------------------L0.990-----------------------------------------|"
+ - "L0.1004[1762,1921] 58ns |----------------------------------------L0.1004-----------------------------------------|"
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
+ - "L0, all files 0b "
+ - "L0.?[1762,1921] 58ns |------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.752, L0.766, L0.780, L0.794, L0.808, L0.822, L0.836, L0.850, L0.864, L0.878, L0.892, L0.906, L0.920, L0.934, L0.948, L0.962, L0.976, L0.990, L0.1004, L0.2968"
+ - " Creating 1 files"
+ - "**** Simulation run 239, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "L0, all files 0b "
+ - "L0.2969[1922,2086] 39ns |----------------------------------------L0.2969-----------------------------------------|"
+ - "L0.753[1922,2086] 40ns |-----------------------------------------L0.753-----------------------------------------|"
+ - "L0.767[1922,2086] 41ns |-----------------------------------------L0.767-----------------------------------------|"
+ - "L0.781[1922,2086] 42ns |-----------------------------------------L0.781-----------------------------------------|"
+ - "L0.795[1922,2086] 43ns |-----------------------------------------L0.795-----------------------------------------|"
+ - "L0.809[1922,2086] 44ns |-----------------------------------------L0.809-----------------------------------------|"
+ - "L0.823[1922,2086] 45ns |-----------------------------------------L0.823-----------------------------------------|"
+ - "L0.837[1922,2086] 46ns |-----------------------------------------L0.837-----------------------------------------|"
+ - "L0.851[1922,2086] 47ns |-----------------------------------------L0.851-----------------------------------------|"
+ - "L0.865[1922,2086] 48ns |-----------------------------------------L0.865-----------------------------------------|"
+ - "L0.879[1922,2086] 49ns |-----------------------------------------L0.879-----------------------------------------|"
+ - "L0.893[1922,2086] 50ns |-----------------------------------------L0.893-----------------------------------------|"
+ - "L0.907[1922,2086] 51ns |-----------------------------------------L0.907-----------------------------------------|"
+ - "L0.921[1922,2086] 52ns |-----------------------------------------L0.921-----------------------------------------|"
+ - "L0.935[1922,2086] 53ns |-----------------------------------------L0.935-----------------------------------------|"
+ - "L0.949[1922,2086] 54ns |-----------------------------------------L0.949-----------------------------------------|"
+ - "L0.963[1922,2086] 55ns |-----------------------------------------L0.963-----------------------------------------|"
+ - "L0.977[1922,2086] 56ns |-----------------------------------------L0.977-----------------------------------------|"
+ - "L0.991[1922,2086] 57ns |-----------------------------------------L0.991-----------------------------------------|"
+ - "L0.1005[1922,2086] 58ns |----------------------------------------L0.1005-----------------------------------------|"
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
+ - "L0, all files 0b "
+ - "L0.?[1922,2086] 58ns |------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.753, L0.767, L0.781, L0.795, L0.809, L0.823, L0.837, L0.851, L0.865, L0.879, L0.893, L0.907, L0.921, L0.935, L0.949, L0.963, L0.977, L0.991, L0.1005, L0.2969"
+ - " Creating 1 files"
+ - "**** Simulation run 240, type=compact(ManySmallFiles). 20 Input Files, 580b total:"
+ - "L0 "
+ - "L0.2970[2087,580000] 58ns 390b|-----------------------------L0.2970-----------------------------| "
+ - "L0.1020[2087,590000] 59ns 10b|-----------------------------L0.1020------------------------------| "
+ - "L0.1034[2087,600000] 60ns 10b|------------------------------L0.1034-------------------------------| "
+ - "L0.1048[2087,610000] 61ns 10b|-------------------------------L0.1048-------------------------------| "
+ - "L0.1062[2087,620000] 62ns 10b|-------------------------------L0.1062--------------------------------| "
+ - "L0.1076[2087,630000] 63ns 10b|--------------------------------L0.1076--------------------------------| "
+ - "L0.1090[2087,640000] 64ns 10b|--------------------------------L0.1090---------------------------------| "
+ - "L0.1104[2087,650000] 65ns 10b|---------------------------------L0.1104---------------------------------| "
+ - "L0.1118[2087,660000] 66ns 10b|----------------------------------L0.1118----------------------------------| "
+ - "L0.1132[2087,670000] 67ns 10b|----------------------------------L0.1132-----------------------------------| "
+ - "L0.1146[2087,680000] 68ns 10b|-----------------------------------L0.1146-----------------------------------| "
+ - "L0.1160[2087,690000] 69ns 10b|-----------------------------------L0.1160------------------------------------| "
+ - "L0.1174[2087,700000] 70ns 10b|------------------------------------L0.1174------------------------------------| "
+ - "L0.1188[2087,710000] 71ns 10b|------------------------------------L0.1188-------------------------------------| "
+ - "L0.1202[2087,720000] 72ns 10b|-------------------------------------L0.1202--------------------------------------| "
+ - "L0.1216[2087,730000] 73ns 10b|--------------------------------------L0.1216--------------------------------------| "
+ - "L0.1230[2087,740000] 74ns 10b|--------------------------------------L0.1230---------------------------------------| "
+ - "L0.1244[2087,750000] 75ns 10b|---------------------------------------L0.1244---------------------------------------| "
+ - "L0.1258[2087,760000] 76ns 10b|---------------------------------------L0.1258----------------------------------------| "
+ - "L0.1272[2087,770000] 77ns 10b|----------------------------------------L0.1272-----------------------------------------|"
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 580b total:"
+ - "L0, all files 580b "
+ - "L0.?[2087,770000] 77ns |------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.1020, L0.1034, L0.1048, L0.1062, L0.1076, L0.1090, L0.1104, L0.1118, L0.1132, L0.1146, L0.1160, L0.1174, L0.1188, L0.1202, L0.1216, L0.1230, L0.1244, L0.1258, L0.1272, L0.2970"
+ - " Creating 1 files"
+ - "**** Simulation run 241, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "L0, all files 0b "
+ - "L0.2966[1442,1601] 39ns |----------------------------------------L0.2966-----------------------------------------|"
+ - "L0.750[1442,1601] 40ns |-----------------------------------------L0.750-----------------------------------------|"
+ - "L0.764[1442,1601] 41ns |-----------------------------------------L0.764-----------------------------------------|"
+ - "L0.778[1442,1601] 42ns |-----------------------------------------L0.778-----------------------------------------|"
+ - "L0.792[1442,1601] 43ns |-----------------------------------------L0.792-----------------------------------------|"
+ - "L0.806[1442,1601] 44ns |-----------------------------------------L0.806-----------------------------------------|"
+ - "L0.820[1442,1601] 45ns |-----------------------------------------L0.820-----------------------------------------|"
+ - "L0.834[1442,1601] 46ns |-----------------------------------------L0.834-----------------------------------------|"
+ - "L0.848[1442,1601] 47ns |-----------------------------------------L0.848-----------------------------------------|"
+ - "L0.862[1442,1601] 48ns |-----------------------------------------L0.862-----------------------------------------|"
+ - "L0.876[1442,1601] 49ns |-----------------------------------------L0.876-----------------------------------------|"
+ - "L0.890[1442,1601] 50ns |-----------------------------------------L0.890-----------------------------------------|"
+ - "L0.904[1442,1601] 51ns |-----------------------------------------L0.904-----------------------------------------|"
+ - "L0.918[1442,1601] 52ns |-----------------------------------------L0.918-----------------------------------------|"
+ - "L0.932[1442,1601] 53ns |-----------------------------------------L0.932-----------------------------------------|"
+ - "L0.946[1442,1601] 54ns |-----------------------------------------L0.946-----------------------------------------|"
+ - "L0.960[1442,1601] 55ns |-----------------------------------------L0.960-----------------------------------------|"
+ - "L0.974[1442,1601] 56ns |-----------------------------------------L0.974-----------------------------------------|"
+ - "L0.988[1442,1601] 57ns |-----------------------------------------L0.988-----------------------------------------|"
+ - "L0.1002[1442,1601] 58ns |----------------------------------------L0.1002-----------------------------------------|"
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
+ - "L0, all files 0b "
+ - "L0.?[1442,1601] 58ns |------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.750, L0.764, L0.778, L0.792, L0.806, L0.820, L0.834, L0.848, L0.862, L0.876, L0.890, L0.904, L0.918, L0.932, L0.946, L0.960, L0.974, L0.988, L0.1002, L0.2966"
+ - " Creating 1 files"
+ - "**** Simulation run 242, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "L0, all files 0b "
+ - "L0.2971[20,161] 58ns |----------------------------------------L0.2971-----------------------------------------|"
+ - "L0.1007[59,161] 59ns |----------------------------L0.1007----------------------------| "
+ - "L0.1021[60,161] 60ns |---------------------------L0.1021----------------------------| "
+ - "L0.1035[61,161] 61ns |---------------------------L0.1035---------------------------| "
+ - "L0.1049[62,161] 62ns |---------------------------L0.1049---------------------------| "
+ - "L0.1063[63,161] 63ns |--------------------------L0.1063---------------------------| "
+ - "L0.1077[64,161] 64ns |--------------------------L0.1077--------------------------| "
+ - "L0.1091[65,161] 65ns |--------------------------L0.1091--------------------------| "
+ - "L0.1105[66,161] 66ns |-------------------------L0.1105--------------------------| "
+ - "L0.1119[67,161] 67ns |-------------------------L0.1119--------------------------|"
+ - "L0.1133[68,161] 68ns |-------------------------L0.1133-------------------------| "
+ - "L0.1147[69,161] 69ns |------------------------L0.1147-------------------------| "
+ - "L0.1161[70,161] 70ns |------------------------L0.1161-------------------------| "
+ - "L0.1175[71,161] 71ns |------------------------L0.1175------------------------| "
+ - "L0.1189[72,161] 72ns |-----------------------L0.1189------------------------| "
+ - "L0.1203[73,161] 73ns |-----------------------L0.1203------------------------| "
+ - "L0.1217[74,161] 74ns |-----------------------L0.1217-----------------------| "
+ - "L0.1231[75,161] 75ns |----------------------L0.1231-----------------------| "
+ - "L0.1245[76,161] 76ns |----------------------L0.1245-----------------------| "
+ - "L0.1259[77,161] 77ns |----------------------L0.1259----------------------| "
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
+ - "L0, all files 0b "
+ - "L0.?[20,161] 77ns |------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.1007, L0.1021, L0.1035, L0.1049, L0.1063, L0.1077, L0.1091, L0.1105, L0.1119, L0.1133, L0.1147, L0.1161, L0.1175, L0.1189, L0.1203, L0.1217, L0.1231, L0.1245, L0.1259, L0.2971"
+ - " Creating 1 files"
+ - "**** Simulation run 243, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "L0, all files 0b "
+ - "L0.2972[162,321] 58ns |----------------------------------------L0.2972-----------------------------------------|"
+ - "L0.1008[162,321] 59ns |----------------------------------------L0.1008-----------------------------------------|"
+ - "L0.1022[162,321] 60ns |----------------------------------------L0.1022-----------------------------------------|"
+ - "L0.1036[162,321] 61ns |----------------------------------------L0.1036-----------------------------------------|"
+ - "L0.1050[162,321] 62ns |----------------------------------------L0.1050-----------------------------------------|"
+ - "L0.1064[162,321] 63ns |----------------------------------------L0.1064-----------------------------------------|"
+ - "L0.1078[162,321] 64ns |----------------------------------------L0.1078-----------------------------------------|"
+ - "L0.1092[162,321] 65ns |----------------------------------------L0.1092-----------------------------------------|"
+ - "L0.1106[162,321] 66ns |----------------------------------------L0.1106-----------------------------------------|"
+ - "L0.1120[162,321] 67ns |----------------------------------------L0.1120-----------------------------------------|"
+ - "L0.1134[162,321] 68ns |----------------------------------------L0.1134-----------------------------------------|"
+ - "L0.1148[162,321] 69ns |----------------------------------------L0.1148-----------------------------------------|"
+ - "L0.1162[162,321] 70ns |----------------------------------------L0.1162-----------------------------------------|"
+ - "L0.1176[162,321] 71ns |----------------------------------------L0.1176-----------------------------------------|"
+ - "L0.1190[162,321] 72ns |----------------------------------------L0.1190-----------------------------------------|"
+ - "L0.1204[162,321] 73ns |----------------------------------------L0.1204-----------------------------------------|"
+ - "L0.1218[162,321] 74ns |----------------------------------------L0.1218-----------------------------------------|"
+ - "L0.1232[162,321] 75ns |----------------------------------------L0.1232-----------------------------------------|"
+ - "L0.1246[162,321] 76ns |----------------------------------------L0.1246-----------------------------------------|"
+ - "L0.1260[162,321] 77ns |----------------------------------------L0.1260-----------------------------------------|"
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
+ - "L0, all files 0b "
+ - "L0.?[162,321] 77ns |------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.1008, L0.1022, L0.1036, L0.1050, L0.1064, L0.1078, L0.1092, L0.1106, L0.1120, L0.1134, L0.1148, L0.1162, L0.1176, L0.1190, L0.1204, L0.1218, L0.1232, L0.1246, L0.1260, L0.2972"
+ - " Creating 1 files"
+ - "**** Simulation run 244, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "L0, all files 0b "
+ - "L0.2973[322,481] 58ns |----------------------------------------L0.2973-----------------------------------------|"
+ - "L0.1009[322,481] 59ns |----------------------------------------L0.1009-----------------------------------------|"
+ - "L0.1023[322,481] 60ns |----------------------------------------L0.1023-----------------------------------------|"
+ - "L0.1037[322,481] 61ns |----------------------------------------L0.1037-----------------------------------------|"
+ - "L0.1051[322,481] 62ns |----------------------------------------L0.1051-----------------------------------------|"
+ - "L0.1065[322,481] 63ns |----------------------------------------L0.1065-----------------------------------------|"
+ - "L0.1079[322,481] 64ns |----------------------------------------L0.1079-----------------------------------------|"
+ - "L0.1093[322,481] 65ns |----------------------------------------L0.1093-----------------------------------------|"
+ - "L0.1107[322,481] 66ns |----------------------------------------L0.1107-----------------------------------------|"
+ - "L0.1121[322,481] 67ns |----------------------------------------L0.1121-----------------------------------------|"
+ - "L0.1135[322,481] 68ns |----------------------------------------L0.1135-----------------------------------------|"
+ - "L0.1149[322,481] 69ns |----------------------------------------L0.1149-----------------------------------------|"
+ - "L0.1163[322,481] 70ns |----------------------------------------L0.1163-----------------------------------------|"
+ - "L0.1177[322,481] 71ns |----------------------------------------L0.1177-----------------------------------------|"
+ - "L0.1191[322,481] 72ns |----------------------------------------L0.1191-----------------------------------------|"
+ - "L0.1205[322,481] 73ns |----------------------------------------L0.1205-----------------------------------------|"
+ - "L0.1219[322,481] 74ns |----------------------------------------L0.1219-----------------------------------------|"
+ - "L0.1233[322,481] 75ns |----------------------------------------L0.1233-----------------------------------------|"
+ - "L0.1247[322,481] 76ns |----------------------------------------L0.1247-----------------------------------------|"
+ - "L0.1261[322,481] 77ns |----------------------------------------L0.1261-----------------------------------------|"
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
+ - "L0, all files 0b "
+ - "L0.?[322,481] 77ns |------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.1009, L0.1023, L0.1037, L0.1051, L0.1065, L0.1079, L0.1093, L0.1107, L0.1121, L0.1135, L0.1149, L0.1163, L0.1177, L0.1191, L0.1205, L0.1219, L0.1233, L0.1247, L0.1261, L0.2973"
+ - " Creating 1 files"
+ - "**** Simulation run 245, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "L0, all files 0b "
+ - "L0.2974[482,641] 58ns |----------------------------------------L0.2974-----------------------------------------|"
+ - "L0.1010[482,641] 59ns |----------------------------------------L0.1010-----------------------------------------|"
+ - "L0.1024[482,641] 60ns |----------------------------------------L0.1024-----------------------------------------|"
+ - "L0.1038[482,641] 61ns |----------------------------------------L0.1038-----------------------------------------|"
+ - "L0.1052[482,641] 62ns |----------------------------------------L0.1052-----------------------------------------|"
+ - "L0.1066[482,641] 63ns |----------------------------------------L0.1066-----------------------------------------|"
+ - "L0.1080[482,641] 64ns |----------------------------------------L0.1080-----------------------------------------|"
+ - "L0.1094[482,641] 65ns |----------------------------------------L0.1094-----------------------------------------|"
+ - "L0.1108[482,641] 66ns |----------------------------------------L0.1108-----------------------------------------|"
+ - "L0.1122[482,641] 67ns |----------------------------------------L0.1122-----------------------------------------|"
+ - "L0.1136[482,641] 68ns |----------------------------------------L0.1136-----------------------------------------|"
+ - "L0.1150[482,641] 69ns |----------------------------------------L0.1150-----------------------------------------|"
+ - "L0.1164[482,641] 70ns |----------------------------------------L0.1164-----------------------------------------|"
+ - "L0.1178[482,641] 71ns |----------------------------------------L0.1178-----------------------------------------|"
+ - "L0.1192[482,641] 72ns |----------------------------------------L0.1192-----------------------------------------|"
+ - "L0.1206[482,641] 73ns |----------------------------------------L0.1206-----------------------------------------|"
+ - "L0.1220[482,641] 74ns |----------------------------------------L0.1220-----------------------------------------|"
+ - "L0.1234[482,641] 75ns |----------------------------------------L0.1234-----------------------------------------|"
+ - "L0.1248[482,641] 76ns |----------------------------------------L0.1248-----------------------------------------|"
+ - "L0.1262[482,641] 77ns |----------------------------------------L0.1262-----------------------------------------|"
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
+ - "L0, all files 0b "
+ - "L0.?[482,641] 77ns |------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.1010, L0.1024, L0.1038, L0.1052, L0.1066, L0.1080, L0.1094, L0.1108, L0.1122, L0.1136, L0.1150, L0.1164, L0.1178, L0.1192, L0.1206, L0.1220, L0.1234, L0.1248, L0.1262, L0.2974"
+ - " Creating 1 files"
+ - "**** Simulation run 246, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "L0, all files 0b "
+ - "L0.2975[642,801] 58ns |----------------------------------------L0.2975-----------------------------------------|"
+ - "L0.1011[642,801] 59ns |----------------------------------------L0.1011-----------------------------------------|"
+ - "L0.1025[642,801] 60ns |----------------------------------------L0.1025-----------------------------------------|"
- "L0.1039[642,801] 61ns |----------------------------------------L0.1039-----------------------------------------|"
- "L0.1053[642,801] 62ns |----------------------------------------L0.1053-----------------------------------------|"
- "L0.1067[642,801] 63ns |----------------------------------------L0.1067-----------------------------------------|"
@@ -6627,324 +6786,409 @@ async fn stuck_l0_large_l0s() {
- "L0.1235[642,801] 75ns |----------------------------------------L0.1235-----------------------------------------|"
- "L0.1249[642,801] 76ns |----------------------------------------L0.1249-----------------------------------------|"
- "L0.1263[642,801] 77ns |----------------------------------------L0.1263-----------------------------------------|"
- - "L0.1277[642,801] 78ns |----------------------------------------L0.1277-----------------------------------------|"
- - "L0.1291[642,801] 79ns |----------------------------------------L0.1291-----------------------------------------|"
- "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- "L0, all files 0b "
- - "L0.?[642,801] 79ns |------------------------------------------L0.?------------------------------------------|"
+ - "L0.?[642,801] 77ns |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 20 files: L0.1025, L0.1039, L0.1053, L0.1067, L0.1081, L0.1095, L0.1109, L0.1123, L0.1137, L0.1151, L0.1165, L0.1179, L0.1193, L0.1207, L0.1221, L0.1235, L0.1249, L0.1263, L0.1277, L0.1291"
+ - " Soft Deleting 20 files: L0.1011, L0.1025, L0.1039, L0.1053, L0.1067, L0.1081, L0.1095, L0.1109, L0.1123, L0.1137, L0.1151, L0.1165, L0.1179, L0.1193, L0.1207, L0.1221, L0.1235, L0.1249, L0.1263, L0.2975"
- " Creating 1 files"
- - "**** Simulation run 242, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "**** Simulation run 247, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- "L0, all files 0b "
- - "L0.1305[642,801] 80ns |----------------------------------------L0.1305-----------------------------------------|"
- - "L0.1319[642,801] 81ns |----------------------------------------L0.1319-----------------------------------------|"
- - "L0.1333[642,801] 82ns |----------------------------------------L0.1333-----------------------------------------|"
- - "L0.1347[642,801] 83ns |----------------------------------------L0.1347-----------------------------------------|"
- - "L0.1361[642,801] 84ns |----------------------------------------L0.1361-----------------------------------------|"
- - "L0.1375[642,801] 85ns |----------------------------------------L0.1375-----------------------------------------|"
- - "L0.1389[642,801] 86ns |----------------------------------------L0.1389-----------------------------------------|"
- - "L0.1403[642,801] 87ns |----------------------------------------L0.1403-----------------------------------------|"
- - "L0.1417[642,801] 88ns |----------------------------------------L0.1417-----------------------------------------|"
- - "L0.1431[642,801] 89ns |----------------------------------------L0.1431-----------------------------------------|"
- - "L0.1445[642,801] 90ns |----------------------------------------L0.1445-----------------------------------------|"
- - "L0.1459[642,801] 91ns |----------------------------------------L0.1459-----------------------------------------|"
- - "L0.1473[642,801] 92ns |----------------------------------------L0.1473-----------------------------------------|"
- - "L0.1487[642,801] 93ns |----------------------------------------L0.1487-----------------------------------------|"
- - "L0.1501[642,801] 94ns |----------------------------------------L0.1501-----------------------------------------|"
- - "L0.1515[642,801] 95ns |----------------------------------------L0.1515-----------------------------------------|"
- - "L0.1529[642,801] 96ns |----------------------------------------L0.1529-----------------------------------------|"
- - "L0.1543[642,801] 97ns |----------------------------------------L0.1543-----------------------------------------|"
- - "L0.1557[642,801] 98ns |----------------------------------------L0.1557-----------------------------------------|"
- - "L0.1571[642,801] 99ns |----------------------------------------L0.1571-----------------------------------------|"
+ - "L0.2976[802,961] 58ns |----------------------------------------L0.2976-----------------------------------------|"
+ - "L0.1012[802,961] 59ns |----------------------------------------L0.1012-----------------------------------------|"
+ - "L0.1026[802,961] 60ns |----------------------------------------L0.1026-----------------------------------------|"
+ - "L0.1040[802,961] 61ns |----------------------------------------L0.1040-----------------------------------------|"
+ - "L0.1054[802,961] 62ns |----------------------------------------L0.1054-----------------------------------------|"
+ - "L0.1068[802,961] 63ns |----------------------------------------L0.1068-----------------------------------------|"
+ - "L0.1082[802,961] 64ns |----------------------------------------L0.1082-----------------------------------------|"
+ - "L0.1096[802,961] 65ns |----------------------------------------L0.1096-----------------------------------------|"
+ - "L0.1110[802,961] 66ns |----------------------------------------L0.1110-----------------------------------------|"
+ - "L0.1124[802,961] 67ns |----------------------------------------L0.1124-----------------------------------------|"
+ - "L0.1138[802,961] 68ns |----------------------------------------L0.1138-----------------------------------------|"
+ - "L0.1152[802,961] 69ns |----------------------------------------L0.1152-----------------------------------------|"
+ - "L0.1166[802,961] 70ns |----------------------------------------L0.1166-----------------------------------------|"
+ - "L0.1180[802,961] 71ns |----------------------------------------L0.1180-----------------------------------------|"
+ - "L0.1194[802,961] 72ns |----------------------------------------L0.1194-----------------------------------------|"
+ - "L0.1208[802,961] 73ns |----------------------------------------L0.1208-----------------------------------------|"
+ - "L0.1222[802,961] 74ns |----------------------------------------L0.1222-----------------------------------------|"
+ - "L0.1236[802,961] 75ns |----------------------------------------L0.1236-----------------------------------------|"
+ - "L0.1250[802,961] 76ns |----------------------------------------L0.1250-----------------------------------------|"
+ - "L0.1264[802,961] 77ns |----------------------------------------L0.1264-----------------------------------------|"
- "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- "L0, all files 0b "
- - "L0.?[642,801] 99ns |------------------------------------------L0.?------------------------------------------|"
+ - "L0.?[802,961] 77ns |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 20 files: L0.1305, L0.1319, L0.1333, L0.1347, L0.1361, L0.1375, L0.1389, L0.1403, L0.1417, L0.1431, L0.1445, L0.1459, L0.1473, L0.1487, L0.1501, L0.1515, L0.1529, L0.1543, L0.1557, L0.1571"
+ - " Soft Deleting 20 files: L0.1012, L0.1026, L0.1040, L0.1054, L0.1068, L0.1082, L0.1096, L0.1110, L0.1124, L0.1138, L0.1152, L0.1166, L0.1180, L0.1194, L0.1208, L0.1222, L0.1236, L0.1250, L0.1264, L0.2976"
- " Creating 1 files"
- - "**** Simulation run 243, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "**** Simulation run 248, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- "L0, all files 0b "
- - "L0.1585[642,801] 100ns |----------------------------------------L0.1585-----------------------------------------|"
- - "L0.1599[642,801] 101ns |----------------------------------------L0.1599-----------------------------------------|"
- - "L0.1613[642,801] 102ns |----------------------------------------L0.1613-----------------------------------------|"
- - "L0.1627[642,801] 103ns |----------------------------------------L0.1627-----------------------------------------|"
- - "L0.1641[642,801] 104ns |----------------------------------------L0.1641-----------------------------------------|"
- - "L0.1655[642,801] 105ns |----------------------------------------L0.1655-----------------------------------------|"
- - "L0.1669[642,801] 106ns |----------------------------------------L0.1669-----------------------------------------|"
- - "L0.1683[642,801] 107ns |----------------------------------------L0.1683-----------------------------------------|"
- - "L0.1697[642,801] 108ns |----------------------------------------L0.1697-----------------------------------------|"
- - "L0.1711[642,801] 109ns |----------------------------------------L0.1711-----------------------------------------|"
- - "L0.1725[642,801] 110ns |----------------------------------------L0.1725-----------------------------------------|"
- - "L0.1739[642,801] 111ns |----------------------------------------L0.1739-----------------------------------------|"
- - "L0.1753[642,801] 112ns |----------------------------------------L0.1753-----------------------------------------|"
- - "L0.1767[642,801] 113ns |----------------------------------------L0.1767-----------------------------------------|"
- - "L0.1781[642,801] 114ns |----------------------------------------L0.1781-----------------------------------------|"
- - "L0.1795[642,801] 115ns |----------------------------------------L0.1795-----------------------------------------|"
- - "L0.1809[642,801] 116ns |----------------------------------------L0.1809-----------------------------------------|"
- - "L0.1823[642,801] 117ns |----------------------------------------L0.1823-----------------------------------------|"
- - "L0.1837[642,801] 118ns |----------------------------------------L0.1837-----------------------------------------|"
- - "L0.1851[642,801] 119ns |----------------------------------------L0.1851-----------------------------------------|"
+ - "L0.2977[962,1121] 58ns |----------------------------------------L0.2977-----------------------------------------|"
+ - "L0.1013[962,1121] 59ns |----------------------------------------L0.1013-----------------------------------------|"
+ - "L0.1027[962,1121] 60ns |----------------------------------------L0.1027-----------------------------------------|"
+ - "L0.1041[962,1121] 61ns |----------------------------------------L0.1041-----------------------------------------|"
+ - "L0.1055[962,1121] 62ns |----------------------------------------L0.1055-----------------------------------------|"
+ - "L0.1069[962,1121] 63ns |----------------------------------------L0.1069-----------------------------------------|"
+ - "L0.1083[962,1121] 64ns |----------------------------------------L0.1083-----------------------------------------|"
+ - "L0.1097[962,1121] 65ns |----------------------------------------L0.1097-----------------------------------------|"
+ - "L0.1111[962,1121] 66ns |----------------------------------------L0.1111-----------------------------------------|"
+ - "L0.1125[962,1121] 67ns |----------------------------------------L0.1125-----------------------------------------|"
+ - "L0.1139[962,1121] 68ns |----------------------------------------L0.1139-----------------------------------------|"
+ - "L0.1153[962,1121] 69ns |----------------------------------------L0.1153-----------------------------------------|"
+ - "L0.1167[962,1121] 70ns |----------------------------------------L0.1167-----------------------------------------|"
+ - "L0.1181[962,1121] 71ns |----------------------------------------L0.1181-----------------------------------------|"
+ - "L0.1195[962,1121] 72ns |----------------------------------------L0.1195-----------------------------------------|"
+ - "L0.1209[962,1121] 73ns |----------------------------------------L0.1209-----------------------------------------|"
+ - "L0.1223[962,1121] 74ns |----------------------------------------L0.1223-----------------------------------------|"
+ - "L0.1237[962,1121] 75ns |----------------------------------------L0.1237-----------------------------------------|"
+ - "L0.1251[962,1121] 76ns |----------------------------------------L0.1251-----------------------------------------|"
+ - "L0.1265[962,1121] 77ns |----------------------------------------L0.1265-----------------------------------------|"
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
+ - "L0, all files 0b "
+ - "L0.?[962,1121] 77ns |------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.1013, L0.1027, L0.1041, L0.1055, L0.1069, L0.1083, L0.1097, L0.1111, L0.1125, L0.1139, L0.1153, L0.1167, L0.1181, L0.1195, L0.1209, L0.1223, L0.1237, L0.1251, L0.1265, L0.2977"
+ - " Creating 1 files"
+ - "**** Simulation run 249, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "L0, all files 0b "
+ - "L0.2978[1122,1281] 58ns |----------------------------------------L0.2978-----------------------------------------|"
+ - "L0.1014[1122,1281] 59ns |----------------------------------------L0.1014-----------------------------------------|"
+ - "L0.1028[1122,1281] 60ns |----------------------------------------L0.1028-----------------------------------------|"
+ - "L0.1042[1122,1281] 61ns |----------------------------------------L0.1042-----------------------------------------|"
+ - "L0.1056[1122,1281] 62ns |----------------------------------------L0.1056-----------------------------------------|"
+ - "L0.1070[1122,1281] 63ns |----------------------------------------L0.1070-----------------------------------------|"
+ - "L0.1084[1122,1281] 64ns |----------------------------------------L0.1084-----------------------------------------|"
+ - "L0.1098[1122,1281] 65ns |----------------------------------------L0.1098-----------------------------------------|"
+ - "L0.1112[1122,1281] 66ns |----------------------------------------L0.1112-----------------------------------------|"
+ - "L0.1126[1122,1281] 67ns |----------------------------------------L0.1126-----------------------------------------|"
+ - "L0.1140[1122,1281] 68ns |----------------------------------------L0.1140-----------------------------------------|"
+ - "L0.1154[1122,1281] 69ns |----------------------------------------L0.1154-----------------------------------------|"
+ - "L0.1168[1122,1281] 70ns |----------------------------------------L0.1168-----------------------------------------|"
+ - "L0.1182[1122,1281] 71ns |----------------------------------------L0.1182-----------------------------------------|"
+ - "L0.1196[1122,1281] 72ns |----------------------------------------L0.1196-----------------------------------------|"
+ - "L0.1210[1122,1281] 73ns |----------------------------------------L0.1210-----------------------------------------|"
+ - "L0.1224[1122,1281] 74ns |----------------------------------------L0.1224-----------------------------------------|"
+ - "L0.1238[1122,1281] 75ns |----------------------------------------L0.1238-----------------------------------------|"
+ - "L0.1252[1122,1281] 76ns |----------------------------------------L0.1252-----------------------------------------|"
+ - "L0.1266[1122,1281] 77ns |----------------------------------------L0.1266-----------------------------------------|"
- "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- "L0, all files 0b "
- - "L0.?[642,801] 119ns |------------------------------------------L0.?------------------------------------------|"
+ - "L0.?[1122,1281] 77ns |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 20 files: L0.1585, L0.1599, L0.1613, L0.1627, L0.1641, L0.1655, L0.1669, L0.1683, L0.1697, L0.1711, L0.1725, L0.1739, L0.1753, L0.1767, L0.1781, L0.1795, L0.1809, L0.1823, L0.1837, L0.1851"
+ - " Soft Deleting 20 files: L0.1014, L0.1028, L0.1042, L0.1056, L0.1070, L0.1084, L0.1098, L0.1112, L0.1126, L0.1140, L0.1154, L0.1168, L0.1182, L0.1196, L0.1210, L0.1224, L0.1238, L0.1252, L0.1266, L0.2978"
- " Creating 1 files"
- - "**** Simulation run 244, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "**** Simulation run 250, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- "L0, all files 0b "
- - "L0.1865[642,801] 120ns |----------------------------------------L0.1865-----------------------------------------|"
- - "L0.1879[642,801] 121ns |----------------------------------------L0.1879-----------------------------------------|"
- - "L0.1893[642,801] 122ns |----------------------------------------L0.1893-----------------------------------------|"
- - "L0.1907[642,801] 123ns |----------------------------------------L0.1907-----------------------------------------|"
- - "L0.1921[642,801] 124ns |----------------------------------------L0.1921-----------------------------------------|"
- - "L0.1935[642,801] 125ns |----------------------------------------L0.1935-----------------------------------------|"
- - "L0.1949[642,801] 126ns |----------------------------------------L0.1949-----------------------------------------|"
- - "L0.1963[642,801] 127ns |----------------------------------------L0.1963-----------------------------------------|"
- - "L0.1977[642,801] 128ns |----------------------------------------L0.1977-----------------------------------------|"
- - "L0.1991[642,801] 129ns |----------------------------------------L0.1991-----------------------------------------|"
- - "L0.2005[642,801] 130ns |----------------------------------------L0.2005-----------------------------------------|"
- - "L0.2019[642,801] 131ns |----------------------------------------L0.2019-----------------------------------------|"
- - "L0.2033[642,801] 132ns |----------------------------------------L0.2033-----------------------------------------|"
- - "L0.2047[642,801] 133ns |----------------------------------------L0.2047-----------------------------------------|"
- - "L0.2061[642,801] 134ns |----------------------------------------L0.2061-----------------------------------------|"
- - "L0.2187[642,801] 135ns |----------------------------------------L0.2187-----------------------------------------|"
- - "L0.2201[642,801] 136ns |----------------------------------------L0.2201-----------------------------------------|"
- - "L0.2075[642,801] 137ns |----------------------------------------L0.2075-----------------------------------------|"
- - "L0.2089[642,801] 138ns |----------------------------------------L0.2089-----------------------------------------|"
- - "L0.2103[642,801] 139ns |----------------------------------------L0.2103-----------------------------------------|"
+ - "L0.2983[1282,1441] 58ns |----------------------------------------L0.2983-----------------------------------------|"
+ - "L0.1015[1282,1441] 59ns |----------------------------------------L0.1015-----------------------------------------|"
+ - "L0.1029[1282,1441] 60ns |----------------------------------------L0.1029-----------------------------------------|"
+ - "L0.1043[1282,1441] 61ns |----------------------------------------L0.1043-----------------------------------------|"
+ - "L0.1057[1282,1441] 62ns |----------------------------------------L0.1057-----------------------------------------|"
+ - "L0.1071[1282,1441] 63ns |----------------------------------------L0.1071-----------------------------------------|"
+ - "L0.1085[1282,1441] 64ns |----------------------------------------L0.1085-----------------------------------------|"
+ - "L0.1099[1282,1441] 65ns |----------------------------------------L0.1099-----------------------------------------|"
+ - "L0.1113[1282,1441] 66ns |----------------------------------------L0.1113-----------------------------------------|"
+ - "L0.1127[1282,1441] 67ns |----------------------------------------L0.1127-----------------------------------------|"
+ - "L0.1141[1282,1441] 68ns |----------------------------------------L0.1141-----------------------------------------|"
+ - "L0.1155[1282,1441] 69ns |----------------------------------------L0.1155-----------------------------------------|"
+ - "L0.1169[1282,1441] 70ns |----------------------------------------L0.1169-----------------------------------------|"
+ - "L0.1183[1282,1441] 71ns |----------------------------------------L0.1183-----------------------------------------|"
+ - "L0.1197[1282,1441] 72ns |----------------------------------------L0.1197-----------------------------------------|"
+ - "L0.1211[1282,1441] 73ns |----------------------------------------L0.1211-----------------------------------------|"
+ - "L0.1225[1282,1441] 74ns |----------------------------------------L0.1225-----------------------------------------|"
+ - "L0.1239[1282,1441] 75ns |----------------------------------------L0.1239-----------------------------------------|"
+ - "L0.1253[1282,1441] 76ns |----------------------------------------L0.1253-----------------------------------------|"
+ - "L0.1267[1282,1441] 77ns |----------------------------------------L0.1267-----------------------------------------|"
- "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- "L0, all files 0b "
- - "L0.?[642,801] 139ns |------------------------------------------L0.?------------------------------------------|"
+ - "L0.?[1282,1441] 77ns |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 20 files: L0.1865, L0.1879, L0.1893, L0.1907, L0.1921, L0.1935, L0.1949, L0.1963, L0.1977, L0.1991, L0.2005, L0.2019, L0.2033, L0.2047, L0.2061, L0.2075, L0.2089, L0.2103, L0.2187, L0.2201"
+ - " Soft Deleting 20 files: L0.1015, L0.1029, L0.1043, L0.1057, L0.1071, L0.1085, L0.1099, L0.1113, L0.1127, L0.1141, L0.1155, L0.1169, L0.1183, L0.1197, L0.1211, L0.1225, L0.1239, L0.1253, L0.1267, L0.2983"
- " Creating 1 files"
- - "**** Simulation run 245, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "**** Simulation run 251, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- "L0, all files 0b "
- - "L0.2424[482,641] 160ns |----------------------------------------L0.2424-----------------------------------------|"
- - "L0.2438[482,641] 161ns |----------------------------------------L0.2438-----------------------------------------|"
- - "L0.2451[482,641] 162ns |----------------------------------------L0.2451-----------------------------------------|"
- - "L0.2464[482,641] 163ns |----------------------------------------L0.2464-----------------------------------------|"
- - "L0.2477[482,641] 164ns |----------------------------------------L0.2477-----------------------------------------|"
- - "L0.2490[482,641] 165ns |----------------------------------------L0.2490-----------------------------------------|"
- - "L0.2503[482,641] 166ns |----------------------------------------L0.2503-----------------------------------------|"
- - "L0.2516[482,641] 167ns |----------------------------------------L0.2516-----------------------------------------|"
- - "L0.2529[482,641] 168ns |----------------------------------------L0.2529-----------------------------------------|"
- - "L0.2542[482,641] 169ns |----------------------------------------L0.2542-----------------------------------------|"
- - "L0.2555[482,641] 170ns |----------------------------------------L0.2555-----------------------------------------|"
- - "L0.2568[482,641] 171ns |----------------------------------------L0.2568-----------------------------------------|"
- - "L0.2581[482,641] 172ns |----------------------------------------L0.2581-----------------------------------------|"
- - "L0.2594[482,641] 173ns |----------------------------------------L0.2594-----------------------------------------|"
- - "L0.2607[482,641] 174ns |----------------------------------------L0.2607-----------------------------------------|"
- - "L0.2620[482,641] 175ns |----------------------------------------L0.2620-----------------------------------------|"
- - "L0.2633[482,641] 176ns |----------------------------------------L0.2633-----------------------------------------|"
- - "L0.2646[482,641] 177ns |----------------------------------------L0.2646-----------------------------------------|"
- - "L0.2659[482,641] 178ns |----------------------------------------L0.2659-----------------------------------------|"
- - "L0.2672[482,641] 179ns |----------------------------------------L0.2672-----------------------------------------|"
+ - "L0.2984[1442,1601] 58ns |----------------------------------------L0.2984-----------------------------------------|"
+ - "L0.1016[1442,1601] 59ns |----------------------------------------L0.1016-----------------------------------------|"
+ - "L0.1030[1442,1601] 60ns |----------------------------------------L0.1030-----------------------------------------|"
+ - "L0.1044[1442,1601] 61ns |----------------------------------------L0.1044-----------------------------------------|"
+ - "L0.1058[1442,1601] 62ns |----------------------------------------L0.1058-----------------------------------------|"
+ - "L0.1072[1442,1601] 63ns |----------------------------------------L0.1072-----------------------------------------|"
+ - "L0.1086[1442,1601] 64ns |----------------------------------------L0.1086-----------------------------------------|"
+ - "L0.1100[1442,1601] 65ns |----------------------------------------L0.1100-----------------------------------------|"
+ - "L0.1114[1442,1601] 66ns |----------------------------------------L0.1114-----------------------------------------|"
+ - "L0.1128[1442,1601] 67ns |----------------------------------------L0.1128-----------------------------------------|"
+ - "L0.1142[1442,1601] 68ns |----------------------------------------L0.1142-----------------------------------------|"
+ - "L0.1156[1442,1601] 69ns |----------------------------------------L0.1156-----------------------------------------|"
+ - "L0.1170[1442,1601] 70ns |----------------------------------------L0.1170-----------------------------------------|"
+ - "L0.1184[1442,1601] 71ns |----------------------------------------L0.1184-----------------------------------------|"
+ - "L0.1198[1442,1601] 72ns |----------------------------------------L0.1198-----------------------------------------|"
+ - "L0.1212[1442,1601] 73ns |----------------------------------------L0.1212-----------------------------------------|"
+ - "L0.1226[1442,1601] 74ns |----------------------------------------L0.1226-----------------------------------------|"
+ - "L0.1240[1442,1601] 75ns |----------------------------------------L0.1240-----------------------------------------|"
+ - "L0.1254[1442,1601] 76ns |----------------------------------------L0.1254-----------------------------------------|"
+ - "L0.1268[1442,1601] 77ns |----------------------------------------L0.1268-----------------------------------------|"
- "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- "L0, all files 0b "
- - "L0.?[482,641] 179ns |------------------------------------------L0.?------------------------------------------|"
+ - "L0.?[1442,1601] 77ns |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 20 files: L0.2424, L0.2438, L0.2451, L0.2464, L0.2477, L0.2490, L0.2503, L0.2516, L0.2529, L0.2542, L0.2555, L0.2568, L0.2581, L0.2594, L0.2607, L0.2620, L0.2633, L0.2646, L0.2659, L0.2672"
+ - " Soft Deleting 20 files: L0.1016, L0.1030, L0.1044, L0.1058, L0.1072, L0.1086, L0.1100, L0.1114, L0.1128, L0.1142, L0.1156, L0.1170, L0.1184, L0.1198, L0.1212, L0.1226, L0.1240, L0.1254, L0.1268, L0.2984"
- " Creating 1 files"
- - "**** Simulation run 246, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "**** Simulation run 252, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- "L0, all files 0b "
- - "L0.2117[642,801] 140ns |----------------------------------------L0.2117-----------------------------------------|"
- - "L0.2131[642,801] 141ns |----------------------------------------L0.2131-----------------------------------------|"
- - "L0.2145[642,801] 142ns |----------------------------------------L0.2145-----------------------------------------|"
- - "L0.2159[642,801] 143ns |----------------------------------------L0.2159-----------------------------------------|"
- - "L0.2173[642,801] 144ns |----------------------------------------L0.2173-----------------------------------------|"
- - "L0.2215[642,801] 145ns |----------------------------------------L0.2215-----------------------------------------|"
- - "L0.2229[642,801] 146ns |----------------------------------------L0.2229-----------------------------------------|"
- - "L0.2243[642,801] 147ns |----------------------------------------L0.2243-----------------------------------------|"
- - "L0.2257[642,801] 148ns |----------------------------------------L0.2257-----------------------------------------|"
- - "L0.2271[642,801] 149ns |----------------------------------------L0.2271-----------------------------------------|"
- - "L0.2285[642,801] 150ns |----------------------------------------L0.2285-----------------------------------------|"
- - "L0.2299[642,801] 151ns |----------------------------------------L0.2299-----------------------------------------|"
- - "L0.2313[642,801] 152ns |----------------------------------------L0.2313-----------------------------------------|"
- - "L0.2327[642,801] 153ns |----------------------------------------L0.2327-----------------------------------------|"
- - "L0.2341[642,801] 154ns |----------------------------------------L0.2341-----------------------------------------|"
- - "L0.2355[642,801] 155ns |----------------------------------------L0.2355-----------------------------------------|"
- - "L0.2369[642,801] 156ns |----------------------------------------L0.2369-----------------------------------------|"
- - "L0.2383[642,801] 157ns |----------------------------------------L0.2383-----------------------------------------|"
- - "L0.2397[642,801] 158ns |----------------------------------------L0.2397-----------------------------------------|"
- - "L0.2411[642,801] 159ns |----------------------------------------L0.2411-----------------------------------------|"
+ - "L0.2979[1602,1761] 58ns |----------------------------------------L0.2979-----------------------------------------|"
+ - "L0.1017[1602,1761] 59ns |----------------------------------------L0.1017-----------------------------------------|"
+ - "L0.1031[1602,1761] 60ns |----------------------------------------L0.1031-----------------------------------------|"
+ - "L0.1045[1602,1761] 61ns |----------------------------------------L0.1045-----------------------------------------|"
+ - "L0.1059[1602,1761] 62ns |----------------------------------------L0.1059-----------------------------------------|"
+ - "L0.1073[1602,1761] 63ns |----------------------------------------L0.1073-----------------------------------------|"
+ - "L0.1087[1602,1761] 64ns |----------------------------------------L0.1087-----------------------------------------|"
+ - "L0.1101[1602,1761] 65ns |----------------------------------------L0.1101-----------------------------------------|"
+ - "L0.1115[1602,1761] 66ns |----------------------------------------L0.1115-----------------------------------------|"
+ - "L0.1129[1602,1761] 67ns |----------------------------------------L0.1129-----------------------------------------|"
+ - "L0.1143[1602,1761] 68ns |----------------------------------------L0.1143-----------------------------------------|"
+ - "L0.1157[1602,1761] 69ns |----------------------------------------L0.1157-----------------------------------------|"
+ - "L0.1171[1602,1761] 70ns |----------------------------------------L0.1171-----------------------------------------|"
+ - "L0.1185[1602,1761] 71ns |----------------------------------------L0.1185-----------------------------------------|"
+ - "L0.1199[1602,1761] 72ns |----------------------------------------L0.1199-----------------------------------------|"
+ - "L0.1213[1602,1761] 73ns |----------------------------------------L0.1213-----------------------------------------|"
+ - "L0.1227[1602,1761] 74ns |----------------------------------------L0.1227-----------------------------------------|"
+ - "L0.1241[1602,1761] 75ns |----------------------------------------L0.1241-----------------------------------------|"
+ - "L0.1255[1602,1761] 76ns |----------------------------------------L0.1255-----------------------------------------|"
+ - "L0.1269[1602,1761] 77ns |----------------------------------------L0.1269-----------------------------------------|"
- "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- "L0, all files 0b "
- - "L0.?[642,801] 159ns |------------------------------------------L0.?------------------------------------------|"
+ - "L0.?[1602,1761] 77ns |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 20 files: L0.2117, L0.2131, L0.2145, L0.2159, L0.2173, L0.2215, L0.2229, L0.2243, L0.2257, L0.2271, L0.2285, L0.2299, L0.2313, L0.2327, L0.2341, L0.2355, L0.2369, L0.2383, L0.2397, L0.2411"
+ - " Soft Deleting 20 files: L0.1017, L0.1031, L0.1045, L0.1059, L0.1073, L0.1087, L0.1101, L0.1115, L0.1129, L0.1143, L0.1157, L0.1171, L0.1185, L0.1199, L0.1213, L0.1227, L0.1241, L0.1255, L0.1269, L0.2979"
- " Creating 1 files"
- - "**** Simulation run 247, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "**** Simulation run 253, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- "L0, all files 0b "
- - "L0.2425[642,801] 160ns |----------------------------------------L0.2425-----------------------------------------|"
- - "L0.2439[642,801] 161ns |----------------------------------------L0.2439-----------------------------------------|"
- - "L0.2452[642,801] 162ns |----------------------------------------L0.2452-----------------------------------------|"
- - "L0.2465[642,801] 163ns |----------------------------------------L0.2465-----------------------------------------|"
- - "L0.2478[642,801] 164ns |----------------------------------------L0.2478-----------------------------------------|"
- - "L0.2491[642,801] 165ns |----------------------------------------L0.2491-----------------------------------------|"
- - "L0.2504[642,801] 166ns |----------------------------------------L0.2504-----------------------------------------|"
- - "L0.2517[642,801] 167ns |----------------------------------------L0.2517-----------------------------------------|"
- - "L0.2530[642,801] 168ns |----------------------------------------L0.2530-----------------------------------------|"
- - "L0.2543[642,801] 169ns |----------------------------------------L0.2543-----------------------------------------|"
- - "L0.2556[642,801] 170ns |----------------------------------------L0.2556-----------------------------------------|"
- - "L0.2569[642,801] 171ns |----------------------------------------L0.2569-----------------------------------------|"
- - "L0.2582[642,801] 172ns |----------------------------------------L0.2582-----------------------------------------|"
- - "L0.2595[642,801] 173ns |----------------------------------------L0.2595-----------------------------------------|"
- - "L0.2608[642,801] 174ns |----------------------------------------L0.2608-----------------------------------------|"
- - "L0.2621[642,801] 175ns |----------------------------------------L0.2621-----------------------------------------|"
- - "L0.2634[642,801] 176ns |----------------------------------------L0.2634-----------------------------------------|"
- - "L0.2647[642,801] 177ns |----------------------------------------L0.2647-----------------------------------------|"
- - "L0.2660[642,801] 178ns |----------------------------------------L0.2660-----------------------------------------|"
- - "L0.2673[642,801] 179ns |----------------------------------------L0.2673-----------------------------------------|"
+ - "L0.2980[1762,1921] 58ns |----------------------------------------L0.2980-----------------------------------------|"
+ - "L0.1018[1762,1921] 59ns |----------------------------------------L0.1018-----------------------------------------|"
+ - "L0.1032[1762,1921] 60ns |----------------------------------------L0.1032-----------------------------------------|"
+ - "L0.1046[1762,1921] 61ns |----------------------------------------L0.1046-----------------------------------------|"
+ - "L0.1060[1762,1921] 62ns |----------------------------------------L0.1060-----------------------------------------|"
+ - "L0.1074[1762,1921] 63ns |----------------------------------------L0.1074-----------------------------------------|"
+ - "L0.1088[1762,1921] 64ns |----------------------------------------L0.1088-----------------------------------------|"
+ - "L0.1102[1762,1921] 65ns |----------------------------------------L0.1102-----------------------------------------|"
+ - "L0.1116[1762,1921] 66ns |----------------------------------------L0.1116-----------------------------------------|"
+ - "L0.1130[1762,1921] 67ns |----------------------------------------L0.1130-----------------------------------------|"
+ - "L0.1144[1762,1921] 68ns |----------------------------------------L0.1144-----------------------------------------|"
+ - "L0.1158[1762,1921] 69ns |----------------------------------------L0.1158-----------------------------------------|"
+ - "L0.1172[1762,1921] 70ns |----------------------------------------L0.1172-----------------------------------------|"
+ - "L0.1186[1762,1921] 71ns |----------------------------------------L0.1186-----------------------------------------|"
+ - "L0.1200[1762,1921] 72ns |----------------------------------------L0.1200-----------------------------------------|"
+ - "L0.1214[1762,1921] 73ns |----------------------------------------L0.1214-----------------------------------------|"
+ - "L0.1228[1762,1921] 74ns |----------------------------------------L0.1228-----------------------------------------|"
+ - "L0.1242[1762,1921] 75ns |----------------------------------------L0.1242-----------------------------------------|"
+ - "L0.1256[1762,1921] 76ns |----------------------------------------L0.1256-----------------------------------------|"
+ - "L0.1270[1762,1921] 77ns |----------------------------------------L0.1270-----------------------------------------|"
- "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- "L0, all files 0b "
- - "L0.?[642,801] 179ns |------------------------------------------L0.?------------------------------------------|"
+ - "L0.?[1762,1921] 77ns |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 20 files: L0.2425, L0.2439, L0.2452, L0.2465, L0.2478, L0.2491, L0.2504, L0.2517, L0.2530, L0.2543, L0.2556, L0.2569, L0.2582, L0.2595, L0.2608, L0.2621, L0.2634, L0.2647, L0.2660, L0.2673"
+ - " Soft Deleting 20 files: L0.1018, L0.1032, L0.1046, L0.1060, L0.1074, L0.1088, L0.1102, L0.1116, L0.1130, L0.1144, L0.1158, L0.1172, L0.1186, L0.1200, L0.1214, L0.1228, L0.1242, L0.1256, L0.1270, L0.2980"
- " Creating 1 files"
- - "**** Simulation run 248, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "**** Simulation run 254, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- "L0, all files 0b "
- - "L0.2686[642,801] 180ns |----------------------------------------L0.2686-----------------------------------------|"
- - "L0.2699[642,801] 181ns |----------------------------------------L0.2699-----------------------------------------|"
- - "L0.2712[642,801] 182ns |----------------------------------------L0.2712-----------------------------------------|"
- - "L0.2725[642,801] 183ns |----------------------------------------L0.2725-----------------------------------------|"
- - "L0.2738[642,801] 184ns |----------------------------------------L0.2738-----------------------------------------|"
- - "L0.2751[642,801] 185ns |----------------------------------------L0.2751-----------------------------------------|"
- - "L0.2764[642,801] 186ns |----------------------------------------L0.2764-----------------------------------------|"
- - "L0.2777[642,801] 187ns |----------------------------------------L0.2777-----------------------------------------|"
- - "L0.2790[642,801] 188ns |----------------------------------------L0.2790-----------------------------------------|"
- - "L0.2803[642,801] 189ns |----------------------------------------L0.2803-----------------------------------------|"
- - "L0.2816[642,801] 190ns |----------------------------------------L0.2816-----------------------------------------|"
- - "L0.2829[642,801] 191ns |----------------------------------------L0.2829-----------------------------------------|"
- - "L0.2842[642,801] 192ns |----------------------------------------L0.2842-----------------------------------------|"
- - "L0.2855[642,801] 193ns |----------------------------------------L0.2855-----------------------------------------|"
- - "L0.2868[642,801] 194ns |----------------------------------------L0.2868-----------------------------------------|"
- - "L0.2881[642,801] 195ns |----------------------------------------L0.2881-----------------------------------------|"
- - "L0.2894[642,801] 196ns |----------------------------------------L0.2894-----------------------------------------|"
- - "L0.2907[642,801] 197ns |----------------------------------------L0.2907-----------------------------------------|"
- - "L0.2920[642,801] 198ns |----------------------------------------L0.2920-----------------------------------------|"
- - "L0.2933[642,801] 199ns |----------------------------------------L0.2933-----------------------------------------|"
+ - "L0.2981[1922,2086] 58ns |----------------------------------------L0.2981-----------------------------------------|"
+ - "L0.1019[1922,2086] 59ns |----------------------------------------L0.1019-----------------------------------------|"
+ - "L0.1033[1922,2086] 60ns |----------------------------------------L0.1033-----------------------------------------|"
+ - "L0.1047[1922,2086] 61ns |----------------------------------------L0.1047-----------------------------------------|"
+ - "L0.1061[1922,2086] 62ns |----------------------------------------L0.1061-----------------------------------------|"
+ - "L0.1075[1922,2086] 63ns |----------------------------------------L0.1075-----------------------------------------|"
+ - "L0.1089[1922,2086] 64ns |----------------------------------------L0.1089-----------------------------------------|"
+ - "L0.1103[1922,2086] 65ns |----------------------------------------L0.1103-----------------------------------------|"
+ - "L0.1117[1922,2086] 66ns |----------------------------------------L0.1117-----------------------------------------|"
+ - "L0.1131[1922,2086] 67ns |----------------------------------------L0.1131-----------------------------------------|"
+ - "L0.1145[1922,2086] 68ns |----------------------------------------L0.1145-----------------------------------------|"
+ - "L0.1159[1922,2086] 69ns |----------------------------------------L0.1159-----------------------------------------|"
+ - "L0.1173[1922,2086] 70ns |----------------------------------------L0.1173-----------------------------------------|"
+ - "L0.1187[1922,2086] 71ns |----------------------------------------L0.1187-----------------------------------------|"
+ - "L0.1201[1922,2086] 72ns |----------------------------------------L0.1201-----------------------------------------|"
+ - "L0.1215[1922,2086] 73ns |----------------------------------------L0.1215-----------------------------------------|"
+ - "L0.1229[1922,2086] 74ns |----------------------------------------L0.1229-----------------------------------------|"
+ - "L0.1243[1922,2086] 75ns |----------------------------------------L0.1243-----------------------------------------|"
+ - "L0.1257[1922,2086] 76ns |----------------------------------------L0.1257-----------------------------------------|"
+ - "L0.1271[1922,2086] 77ns |----------------------------------------L0.1271-----------------------------------------|"
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
+ - "L0, all files 0b "
+ - "L0.?[1922,2086] 77ns |------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.1019, L0.1033, L0.1047, L0.1061, L0.1075, L0.1089, L0.1103, L0.1117, L0.1131, L0.1145, L0.1159, L0.1173, L0.1187, L0.1201, L0.1215, L0.1229, L0.1243, L0.1257, L0.1271, L0.2981"
+ - " Creating 1 files"
+ - "**** Simulation run 255, type=compact(ManySmallFiles). 20 Input Files, 770b total:"
+ - "L0 "
+ - "L0.2982[2087,770000] 77ns 580b|-------------------------------L0.2982--------------------------------| "
+ - "L0.1286[2087,780000] 78ns 10b|--------------------------------L0.1286--------------------------------| "
+ - "L0.1300[2087,790000] 79ns 10b|--------------------------------L0.1300---------------------------------| "
+ - "L0.1314[2087,800000] 80ns 10b|--------------------------------L0.1314---------------------------------| "
+ - "L0.1328[2087,810000] 81ns 10b|---------------------------------L0.1328---------------------------------| "
+ - "L0.1342[2087,820000] 82ns 10b|---------------------------------L0.1342----------------------------------| "
+ - "L0.1356[2087,830000] 83ns 10b|----------------------------------L0.1356----------------------------------| "
+ - "L0.1370[2087,840000] 84ns 10b|----------------------------------L0.1370-----------------------------------| "
+ - "L0.1384[2087,850000] 85ns 10b|-----------------------------------L0.1384-----------------------------------| "
+ - "L0.1398[2087,860000] 86ns 10b|-----------------------------------L0.1398------------------------------------| "
+ - "L0.1412[2087,870000] 87ns 10b|------------------------------------L0.1412------------------------------------| "
+ - "L0.1426[2087,880000] 88ns 10b|------------------------------------L0.1426-------------------------------------| "
+ - "L0.1440[2087,890000] 89ns 10b|-------------------------------------L0.1440-------------------------------------| "
+ - "L0.1454[2087,900000] 90ns 10b|-------------------------------------L0.1454--------------------------------------| "
+ - "L0.1468[2087,910000] 91ns 10b|--------------------------------------L0.1468--------------------------------------| "
+ - "L0.1482[2087,920000] 92ns 10b|--------------------------------------L0.1482---------------------------------------| "
+ - "L0.1496[2087,930000] 93ns 10b|---------------------------------------L0.1496---------------------------------------| "
+ - "L0.1510[2087,940000] 94ns 10b|---------------------------------------L0.1510----------------------------------------| "
+ - "L0.1524[2087,950000] 95ns 10b|----------------------------------------L0.1524----------------------------------------| "
+ - "L0.1538[2087,960000] 96ns 10b|----------------------------------------L0.1538-----------------------------------------|"
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 770b total:"
+ - "L0, all files 770b "
+ - "L0.?[2087,960000] 96ns |------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.1286, L0.1300, L0.1314, L0.1328, L0.1342, L0.1356, L0.1370, L0.1384, L0.1398, L0.1412, L0.1426, L0.1440, L0.1454, L0.1468, L0.1482, L0.1496, L0.1510, L0.1524, L0.1538, L0.2982"
+ - " Creating 1 files"
+ - "**** Simulation run 256, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "L0, all files 0b "
+ - "L0.2985[20,161] 77ns |----------------------------------------L0.2985-----------------------------------------|"
+ - "L0.1273[78,161] 78ns |---------------------L0.1273----------------------| "
+ - "L0.1287[79,161] 79ns |---------------------L0.1287----------------------| "
+ - "L0.1301[80,161] 80ns |---------------------L0.1301---------------------| "
+ - "L0.1315[81,161] 81ns |---------------------L0.1315---------------------| "
+ - "L0.1329[82,161] 82ns |--------------------L0.1329---------------------| "
+ - "L0.1343[83,161] 83ns |--------------------L0.1343--------------------| "
+ - "L0.1357[84,161] 84ns |--------------------L0.1357--------------------| "
+ - "L0.1371[85,161] 85ns |-------------------L0.1371--------------------| "
+ - "L0.1385[86,161] 86ns |-------------------L0.1385-------------------| "
+ - "L0.1399[87,161] 87ns |-------------------L0.1399-------------------| "
+ - "L0.1413[88,161] 88ns |------------------L0.1413-------------------| "
+ - "L0.1427[89,161] 89ns |------------------L0.1427------------------| "
+ - "L0.1441[90,161] 90ns |------------------L0.1441------------------| "
+ - "L0.1455[91,161] 91ns |-----------------L0.1455------------------| "
+ - "L0.1469[92,161] 92ns |-----------------L0.1469------------------| "
+ - "L0.1483[93,161] 93ns |-----------------L0.1483-----------------| "
+ - "L0.1497[94,161] 94ns |----------------L0.1497-----------------| "
+ - "L0.1511[95,161] 95ns |----------------L0.1511-----------------| "
+ - "L0.1525[96,161] 96ns |----------------L0.1525----------------| "
- "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- "L0, all files 0b "
- - "L0.?[642,801] 199ns |------------------------------------------L0.?------------------------------------------|"
+ - "L0.?[20,161] 96ns |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 20 files: L0.2686, L0.2699, L0.2712, L0.2725, L0.2738, L0.2751, L0.2764, L0.2777, L0.2790, L0.2803, L0.2816, L0.2829, L0.2842, L0.2855, L0.2868, L0.2881, L0.2894, L0.2907, L0.2920, L0.2933"
+ - " Soft Deleting 20 files: L0.1273, L0.1287, L0.1301, L0.1315, L0.1329, L0.1343, L0.1357, L0.1371, L0.1385, L0.1399, L0.1413, L0.1427, L0.1441, L0.1455, L0.1469, L0.1483, L0.1497, L0.1511, L0.1525, L0.2985"
- " Creating 1 files"
- - "**** Simulation run 249, type=compact(ManySmallFiles). 20 Input Files, 160mb total:"
- - "L0, all files 8mb "
- - "L0.206[802,961] 0ns |-----------------------------------------L0.206-----------------------------------------|"
- - "L0.219[802,961] 1ns |-----------------------------------------L0.219-----------------------------------------|"
- - "L0.232[802,961] 2ns |-----------------------------------------L0.232-----------------------------------------|"
- - "L0.245[802,961] 3ns |-----------------------------------------L0.245-----------------------------------------|"
- - "L0.258[802,961] 4ns |-----------------------------------------L0.258-----------------------------------------|"
- - "L0.271[802,961] 5ns |-----------------------------------------L0.271-----------------------------------------|"
- - "L0.284[802,961] 6ns |-----------------------------------------L0.284-----------------------------------------|"
- - "L0.297[802,961] 7ns |-----------------------------------------L0.297-----------------------------------------|"
- - "L0.310[802,961] 8ns |-----------------------------------------L0.310-----------------------------------------|"
- - "L0.323[802,961] 9ns |-----------------------------------------L0.323-----------------------------------------|"
- - "L0.336[802,961] 10ns |-----------------------------------------L0.336-----------------------------------------|"
- - "L0.349[802,961] 11ns |-----------------------------------------L0.349-----------------------------------------|"
- - "L0.362[802,961] 12ns |-----------------------------------------L0.362-----------------------------------------|"
- - "L0.375[802,961] 13ns |-----------------------------------------L0.375-----------------------------------------|"
- - "L0.388[802,961] 14ns |-----------------------------------------L0.388-----------------------------------------|"
- - "L0.401[802,961] 15ns |-----------------------------------------L0.401-----------------------------------------|"
- - "L0.414[802,961] 16ns |-----------------------------------------L0.414-----------------------------------------|"
- - "L0.427[802,961] 17ns |-----------------------------------------L0.427-----------------------------------------|"
- - "L0.440[802,961] 18ns |-----------------------------------------L0.440-----------------------------------------|"
- - "L0.565[802,961] 19ns |-----------------------------------------L0.565-----------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 160mb total:"
- - "L0, all files 160mb "
- - "L0.?[802,961] 19ns |------------------------------------------L0.?------------------------------------------|"
+ - "**** Simulation run 257, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "L0, all files 0b "
+ - "L0.2986[162,321] 77ns |----------------------------------------L0.2986-----------------------------------------|"
+ - "L0.1274[162,321] 78ns |----------------------------------------L0.1274-----------------------------------------|"
+ - "L0.1288[162,321] 79ns |----------------------------------------L0.1288-----------------------------------------|"
+ - "L0.1302[162,321] 80ns |----------------------------------------L0.1302-----------------------------------------|"
+ - "L0.1316[162,321] 81ns |----------------------------------------L0.1316-----------------------------------------|"
+ - "L0.1330[162,321] 82ns |----------------------------------------L0.1330-----------------------------------------|"
+ - "L0.1344[162,321] 83ns |----------------------------------------L0.1344-----------------------------------------|"
+ - "L0.1358[162,321] 84ns |----------------------------------------L0.1358-----------------------------------------|"
+ - "L0.1372[162,321] 85ns |----------------------------------------L0.1372-----------------------------------------|"
+ - "L0.1386[162,321] 86ns |----------------------------------------L0.1386-----------------------------------------|"
+ - "L0.1400[162,321] 87ns |----------------------------------------L0.1400-----------------------------------------|"
+ - "L0.1414[162,321] 88ns |----------------------------------------L0.1414-----------------------------------------|"
+ - "L0.1428[162,321] 89ns |----------------------------------------L0.1428-----------------------------------------|"
+ - "L0.1442[162,321] 90ns |----------------------------------------L0.1442-----------------------------------------|"
+ - "L0.1456[162,321] 91ns |----------------------------------------L0.1456-----------------------------------------|"
+ - "L0.1470[162,321] 92ns |----------------------------------------L0.1470-----------------------------------------|"
+ - "L0.1484[162,321] 93ns |----------------------------------------L0.1484-----------------------------------------|"
+ - "L0.1498[162,321] 94ns |----------------------------------------L0.1498-----------------------------------------|"
+ - "L0.1512[162,321] 95ns |----------------------------------------L0.1512-----------------------------------------|"
+ - "L0.1526[162,321] 96ns |----------------------------------------L0.1526-----------------------------------------|"
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
+ - "L0, all files 0b "
+ - "L0.?[162,321] 96ns |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 20 files: L0.206, L0.219, L0.232, L0.245, L0.258, L0.271, L0.284, L0.297, L0.310, L0.323, L0.336, L0.349, L0.362, L0.375, L0.388, L0.401, L0.414, L0.427, L0.440, L0.565"
+ - " Soft Deleting 20 files: L0.1274, L0.1288, L0.1302, L0.1316, L0.1330, L0.1344, L0.1358, L0.1372, L0.1386, L0.1400, L0.1414, L0.1428, L0.1442, L0.1456, L0.1470, L0.1484, L0.1498, L0.1512, L0.1526, L0.2986"
- " Creating 1 files"
- - "**** Simulation run 250, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "**** Simulation run 258, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- "L0, all files 0b "
- - "L0.578[802,961] 20ns |-----------------------------------------L0.578-----------------------------------------|"
- - "L0.453[802,961] 21ns |-----------------------------------------L0.453-----------------------------------------|"
- - "L0.467[802,961] 22ns |-----------------------------------------L0.467-----------------------------------------|"
- - "L0.481[802,961] 23ns |-----------------------------------------L0.481-----------------------------------------|"
- - "L0.495[802,961] 24ns |-----------------------------------------L0.495-----------------------------------------|"
- - "L0.509[802,961] 25ns |-----------------------------------------L0.509-----------------------------------------|"
- - "L0.523[802,961] 26ns |-----------------------------------------L0.523-----------------------------------------|"
- - "L0.537[802,961] 27ns |-----------------------------------------L0.537-----------------------------------------|"
- - "L0.551[802,961] 28ns |-----------------------------------------L0.551-----------------------------------------|"
- - "L0.592[802,961] 29ns |-----------------------------------------L0.592-----------------------------------------|"
- - "L0.606[802,961] 30ns |-----------------------------------------L0.606-----------------------------------------|"
- - "L0.620[802,961] 31ns |-----------------------------------------L0.620-----------------------------------------|"
- - "L0.634[802,961] 32ns |-----------------------------------------L0.634-----------------------------------------|"
- - "L0.648[802,961] 33ns |-----------------------------------------L0.648-----------------------------------------|"
- - "L0.662[802,961] 34ns |-----------------------------------------L0.662-----------------------------------------|"
- - "L0.676[802,961] 35ns |-----------------------------------------L0.676-----------------------------------------|"
- - "L0.690[802,961] 36ns |-----------------------------------------L0.690-----------------------------------------|"
- - "L0.704[802,961] 37ns |-----------------------------------------L0.704-----------------------------------------|"
- - "L0.718[802,961] 38ns |-----------------------------------------L0.718-----------------------------------------|"
- - "L0.732[802,961] 39ns |-----------------------------------------L0.732-----------------------------------------|"
+ - "L0.2987[322,481] 77ns |----------------------------------------L0.2987-----------------------------------------|"
+ - "L0.1275[322,481] 78ns |----------------------------------------L0.1275-----------------------------------------|"
+ - "L0.1289[322,481] 79ns |----------------------------------------L0.1289-----------------------------------------|"
+ - "L0.1303[322,481] 80ns |----------------------------------------L0.1303-----------------------------------------|"
+ - "L0.1317[322,481] 81ns |----------------------------------------L0.1317-----------------------------------------|"
+ - "L0.1331[322,481] 82ns |----------------------------------------L0.1331-----------------------------------------|"
+ - "L0.1345[322,481] 83ns |----------------------------------------L0.1345-----------------------------------------|"
+ - "L0.1359[322,481] 84ns |----------------------------------------L0.1359-----------------------------------------|"
+ - "L0.1373[322,481] 85ns |----------------------------------------L0.1373-----------------------------------------|"
+ - "L0.1387[322,481] 86ns |----------------------------------------L0.1387-----------------------------------------|"
+ - "L0.1401[322,481] 87ns |----------------------------------------L0.1401-----------------------------------------|"
+ - "L0.1415[322,481] 88ns |----------------------------------------L0.1415-----------------------------------------|"
+ - "L0.1429[322,481] 89ns |----------------------------------------L0.1429-----------------------------------------|"
+ - "L0.1443[322,481] 90ns |----------------------------------------L0.1443-----------------------------------------|"
+ - "L0.1457[322,481] 91ns |----------------------------------------L0.1457-----------------------------------------|"
+ - "L0.1471[322,481] 92ns |----------------------------------------L0.1471-----------------------------------------|"
+ - "L0.1485[322,481] 93ns |----------------------------------------L0.1485-----------------------------------------|"
+ - "L0.1499[322,481] 94ns |----------------------------------------L0.1499-----------------------------------------|"
+ - "L0.1513[322,481] 95ns |----------------------------------------L0.1513-----------------------------------------|"
+ - "L0.1527[322,481] 96ns |----------------------------------------L0.1527-----------------------------------------|"
- "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- "L0, all files 0b "
- - "L0.?[802,961] 39ns |------------------------------------------L0.?------------------------------------------|"
+ - "L0.?[322,481] 96ns |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 20 files: L0.453, L0.467, L0.481, L0.495, L0.509, L0.523, L0.537, L0.551, L0.578, L0.592, L0.606, L0.620, L0.634, L0.648, L0.662, L0.676, L0.690, L0.704, L0.718, L0.732"
+ - " Soft Deleting 20 files: L0.1275, L0.1289, L0.1303, L0.1317, L0.1331, L0.1345, L0.1359, L0.1373, L0.1387, L0.1401, L0.1415, L0.1429, L0.1443, L0.1457, L0.1471, L0.1485, L0.1499, L0.1513, L0.1527, L0.2987"
- " Creating 1 files"
- - "**** Simulation run 251, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "**** Simulation run 259, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- "L0, all files 0b "
- - "L0.746[802,961] 40ns |-----------------------------------------L0.746-----------------------------------------|"
- - "L0.760[802,961] 41ns |-----------------------------------------L0.760-----------------------------------------|"
- - "L0.774[802,961] 42ns |-----------------------------------------L0.774-----------------------------------------|"
- - "L0.788[802,961] 43ns |-----------------------------------------L0.788-----------------------------------------|"
- - "L0.802[802,961] 44ns |-----------------------------------------L0.802-----------------------------------------|"
- - "L0.816[802,961] 45ns |-----------------------------------------L0.816-----------------------------------------|"
- - "L0.830[802,961] 46ns |-----------------------------------------L0.830-----------------------------------------|"
- - "L0.844[802,961] 47ns |-----------------------------------------L0.844-----------------------------------------|"
- - "L0.858[802,961] 48ns |-----------------------------------------L0.858-----------------------------------------|"
- - "L0.872[802,961] 49ns |-----------------------------------------L0.872-----------------------------------------|"
- - "L0.886[802,961] 50ns |-----------------------------------------L0.886-----------------------------------------|"
- - "L0.900[802,961] 51ns |-----------------------------------------L0.900-----------------------------------------|"
- - "L0.914[802,961] 52ns |-----------------------------------------L0.914-----------------------------------------|"
- - "L0.928[802,961] 53ns |-----------------------------------------L0.928-----------------------------------------|"
- - "L0.942[802,961] 54ns |-----------------------------------------L0.942-----------------------------------------|"
- - "L0.956[802,961] 55ns |-----------------------------------------L0.956-----------------------------------------|"
- - "L0.970[802,961] 56ns |-----------------------------------------L0.970-----------------------------------------|"
- - "L0.984[802,961] 57ns |-----------------------------------------L0.984-----------------------------------------|"
- - "L0.998[802,961] 58ns |-----------------------------------------L0.998-----------------------------------------|"
- - "L0.1012[802,961] 59ns |----------------------------------------L0.1012-----------------------------------------|"
+ - "L0.2988[482,641] 77ns |----------------------------------------L0.2988-----------------------------------------|"
+ - "L0.1276[482,641] 78ns |----------------------------------------L0.1276-----------------------------------------|"
+ - "L0.1290[482,641] 79ns |----------------------------------------L0.1290-----------------------------------------|"
+ - "L0.1304[482,641] 80ns |----------------------------------------L0.1304-----------------------------------------|"
+ - "L0.1318[482,641] 81ns |----------------------------------------L0.1318-----------------------------------------|"
+ - "L0.1332[482,641] 82ns |----------------------------------------L0.1332-----------------------------------------|"
+ - "L0.1346[482,641] 83ns |----------------------------------------L0.1346-----------------------------------------|"
+ - "L0.1360[482,641] 84ns |----------------------------------------L0.1360-----------------------------------------|"
+ - "L0.1374[482,641] 85ns |----------------------------------------L0.1374-----------------------------------------|"
+ - "L0.1388[482,641] 86ns |----------------------------------------L0.1388-----------------------------------------|"
+ - "L0.1402[482,641] 87ns |----------------------------------------L0.1402-----------------------------------------|"
+ - "L0.1416[482,641] 88ns |----------------------------------------L0.1416-----------------------------------------|"
+ - "L0.1430[482,641] 89ns |----------------------------------------L0.1430-----------------------------------------|"
+ - "L0.1444[482,641] 90ns |----------------------------------------L0.1444-----------------------------------------|"
+ - "L0.1458[482,641] 91ns |----------------------------------------L0.1458-----------------------------------------|"
+ - "L0.1472[482,641] 92ns |----------------------------------------L0.1472-----------------------------------------|"
+ - "L0.1486[482,641] 93ns |----------------------------------------L0.1486-----------------------------------------|"
+ - "L0.1500[482,641] 94ns |----------------------------------------L0.1500-----------------------------------------|"
+ - "L0.1514[482,641] 95ns |----------------------------------------L0.1514-----------------------------------------|"
+ - "L0.1528[482,641] 96ns |----------------------------------------L0.1528-----------------------------------------|"
- "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- "L0, all files 0b "
- - "L0.?[802,961] 59ns |------------------------------------------L0.?------------------------------------------|"
+ - "L0.?[482,641] 96ns |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 20 files: L0.746, L0.760, L0.774, L0.788, L0.802, L0.816, L0.830, L0.844, L0.858, L0.872, L0.886, L0.900, L0.914, L0.928, L0.942, L0.956, L0.970, L0.984, L0.998, L0.1012"
+ - " Soft Deleting 20 files: L0.1276, L0.1290, L0.1304, L0.1318, L0.1332, L0.1346, L0.1360, L0.1374, L0.1388, L0.1402, L0.1416, L0.1430, L0.1444, L0.1458, L0.1472, L0.1486, L0.1500, L0.1514, L0.1528, L0.2988"
- " Creating 1 files"
- - "**** Simulation run 252, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "**** Simulation run 260, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- "L0, all files 0b "
- - "L0.1026[802,961] 60ns |----------------------------------------L0.1026-----------------------------------------|"
- - "L0.1040[802,961] 61ns |----------------------------------------L0.1040-----------------------------------------|"
- - "L0.1054[802,961] 62ns |----------------------------------------L0.1054-----------------------------------------|"
- - "L0.1068[802,961] 63ns |----------------------------------------L0.1068-----------------------------------------|"
- - "L0.1082[802,961] 64ns |----------------------------------------L0.1082-----------------------------------------|"
- - "L0.1096[802,961] 65ns |----------------------------------------L0.1096-----------------------------------------|"
- - "L0.1110[802,961] 66ns |----------------------------------------L0.1110-----------------------------------------|"
- - "L0.1124[802,961] 67ns |----------------------------------------L0.1124-----------------------------------------|"
- - "L0.1138[802,961] 68ns |----------------------------------------L0.1138-----------------------------------------|"
- - "L0.1152[802,961] 69ns |----------------------------------------L0.1152-----------------------------------------|"
- - "L0.1166[802,961] 70ns |----------------------------------------L0.1166-----------------------------------------|"
- - "L0.1180[802,961] 71ns |----------------------------------------L0.1180-----------------------------------------|"
- - "L0.1194[802,961] 72ns |----------------------------------------L0.1194-----------------------------------------|"
- - "L0.1208[802,961] 73ns |----------------------------------------L0.1208-----------------------------------------|"
- - "L0.1222[802,961] 74ns |----------------------------------------L0.1222-----------------------------------------|"
- - "L0.1236[802,961] 75ns |----------------------------------------L0.1236-----------------------------------------|"
- - "L0.1250[802,961] 76ns |----------------------------------------L0.1250-----------------------------------------|"
- - "L0.1264[802,961] 77ns |----------------------------------------L0.1264-----------------------------------------|"
- - "L0.1278[802,961] 78ns |----------------------------------------L0.1278-----------------------------------------|"
- - "L0.1292[802,961] 79ns |----------------------------------------L0.1292-----------------------------------------|"
+ - "L0.2989[642,801] 77ns |----------------------------------------L0.2989-----------------------------------------|"
+ - "L0.1277[642,801] 78ns |----------------------------------------L0.1277-----------------------------------------|"
+ - "L0.1291[642,801] 79ns |----------------------------------------L0.1291-----------------------------------------|"
+ - "L0.1305[642,801] 80ns |----------------------------------------L0.1305-----------------------------------------|"
+ - "L0.1319[642,801] 81ns |----------------------------------------L0.1319-----------------------------------------|"
+ - "L0.1333[642,801] 82ns |----------------------------------------L0.1333-----------------------------------------|"
+ - "L0.1347[642,801] 83ns |----------------------------------------L0.1347-----------------------------------------|"
+ - "L0.1361[642,801] 84ns |----------------------------------------L0.1361-----------------------------------------|"
+ - "L0.1375[642,801] 85ns |----------------------------------------L0.1375-----------------------------------------|"
+ - "L0.1389[642,801] 86ns |----------------------------------------L0.1389-----------------------------------------|"
+ - "L0.1403[642,801] 87ns |----------------------------------------L0.1403-----------------------------------------|"
+ - "L0.1417[642,801] 88ns |----------------------------------------L0.1417-----------------------------------------|"
+ - "L0.1431[642,801] 89ns |----------------------------------------L0.1431-----------------------------------------|"
+ - "L0.1445[642,801] 90ns |----------------------------------------L0.1445-----------------------------------------|"
+ - "L0.1459[642,801] 91ns |----------------------------------------L0.1459-----------------------------------------|"
+ - "L0.1473[642,801] 92ns |----------------------------------------L0.1473-----------------------------------------|"
+ - "L0.1487[642,801] 93ns |----------------------------------------L0.1487-----------------------------------------|"
+ - "L0.1501[642,801] 94ns |----------------------------------------L0.1501-----------------------------------------|"
+ - "L0.1515[642,801] 95ns |----------------------------------------L0.1515-----------------------------------------|"
+ - "L0.1529[642,801] 96ns |----------------------------------------L0.1529-----------------------------------------|"
- "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- "L0, all files 0b "
- - "L0.?[802,961] 79ns |------------------------------------------L0.?------------------------------------------|"
+ - "L0.?[642,801] 96ns |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 20 files: L0.1026, L0.1040, L0.1054, L0.1068, L0.1082, L0.1096, L0.1110, L0.1124, L0.1138, L0.1152, L0.1166, L0.1180, L0.1194, L0.1208, L0.1222, L0.1236, L0.1250, L0.1264, L0.1278, L0.1292"
+ - " Soft Deleting 20 files: L0.1277, L0.1291, L0.1305, L0.1319, L0.1333, L0.1347, L0.1361, L0.1375, L0.1389, L0.1403, L0.1417, L0.1431, L0.1445, L0.1459, L0.1473, L0.1487, L0.1501, L0.1515, L0.1529, L0.2989"
- " Creating 1 files"
- - "**** Simulation run 253, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "**** Simulation run 261, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- "L0, all files 0b "
+ - "L0.2990[802,961] 77ns |----------------------------------------L0.2990-----------------------------------------|"
+ - "L0.1278[802,961] 78ns |----------------------------------------L0.1278-----------------------------------------|"
+ - "L0.1292[802,961] 79ns |----------------------------------------L0.1292-----------------------------------------|"
- "L0.1306[802,961] 80ns |----------------------------------------L0.1306-----------------------------------------|"
- "L0.1320[802,961] 81ns |----------------------------------------L0.1320-----------------------------------------|"
- "L0.1334[802,961] 82ns |----------------------------------------L0.1334-----------------------------------------|"
@@ -6962,577 +7206,438 @@ async fn stuck_l0_large_l0s() {
- "L0.1502[802,961] 94ns |----------------------------------------L0.1502-----------------------------------------|"
- "L0.1516[802,961] 95ns |----------------------------------------L0.1516-----------------------------------------|"
- "L0.1530[802,961] 96ns |----------------------------------------L0.1530-----------------------------------------|"
- - "L0.1544[802,961] 97ns |----------------------------------------L0.1544-----------------------------------------|"
- - "L0.1558[802,961] 98ns |----------------------------------------L0.1558-----------------------------------------|"
- - "L0.1572[802,961] 99ns |----------------------------------------L0.1572-----------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- - "L0, all files 0b "
- - "L0.?[802,961] 99ns |------------------------------------------L0.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 20 files: L0.1306, L0.1320, L0.1334, L0.1348, L0.1362, L0.1376, L0.1390, L0.1404, L0.1418, L0.1432, L0.1446, L0.1460, L0.1474, L0.1488, L0.1502, L0.1516, L0.1530, L0.1544, L0.1558, L0.1572"
- - " Creating 1 files"
- - "**** Simulation run 254, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- - "L0, all files 0b "
- - "L0.1586[802,961] 100ns |----------------------------------------L0.1586-----------------------------------------|"
- - "L0.1600[802,961] 101ns |----------------------------------------L0.1600-----------------------------------------|"
- - "L0.1614[802,961] 102ns |----------------------------------------L0.1614-----------------------------------------|"
- - "L0.1628[802,961] 103ns |----------------------------------------L0.1628-----------------------------------------|"
- - "L0.1642[802,961] 104ns |----------------------------------------L0.1642-----------------------------------------|"
- - "L0.1656[802,961] 105ns |----------------------------------------L0.1656-----------------------------------------|"
- - "L0.1670[802,961] 106ns |----------------------------------------L0.1670-----------------------------------------|"
- - "L0.1684[802,961] 107ns |----------------------------------------L0.1684-----------------------------------------|"
- - "L0.1698[802,961] 108ns |----------------------------------------L0.1698-----------------------------------------|"
- - "L0.1712[802,961] 109ns |----------------------------------------L0.1712-----------------------------------------|"
- - "L0.1726[802,961] 110ns |----------------------------------------L0.1726-----------------------------------------|"
- - "L0.1740[802,961] 111ns |----------------------------------------L0.1740-----------------------------------------|"
- - "L0.1754[802,961] 112ns |----------------------------------------L0.1754-----------------------------------------|"
- - "L0.1768[802,961] 113ns |----------------------------------------L0.1768-----------------------------------------|"
- - "L0.1782[802,961] 114ns |----------------------------------------L0.1782-----------------------------------------|"
- - "L0.1796[802,961] 115ns |----------------------------------------L0.1796-----------------------------------------|"
- - "L0.1810[802,961] 116ns |----------------------------------------L0.1810-----------------------------------------|"
- - "L0.1824[802,961] 117ns |----------------------------------------L0.1824-----------------------------------------|"
- - "L0.1838[802,961] 118ns |----------------------------------------L0.1838-----------------------------------------|"
- - "L0.1852[802,961] 119ns |----------------------------------------L0.1852-----------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- - "L0, all files 0b "
- - "L0.?[802,961] 119ns |------------------------------------------L0.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 20 files: L0.1586, L0.1600, L0.1614, L0.1628, L0.1642, L0.1656, L0.1670, L0.1684, L0.1698, L0.1712, L0.1726, L0.1740, L0.1754, L0.1768, L0.1782, L0.1796, L0.1810, L0.1824, L0.1838, L0.1852"
- - " Creating 1 files"
- - "**** Simulation run 255, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- - "L0, all files 0b "
- - "L0.1866[802,961] 120ns |----------------------------------------L0.1866-----------------------------------------|"
- - "L0.1880[802,961] 121ns |----------------------------------------L0.1880-----------------------------------------|"
- - "L0.1894[802,961] 122ns |----------------------------------------L0.1894-----------------------------------------|"
- - "L0.1908[802,961] 123ns |----------------------------------------L0.1908-----------------------------------------|"
- - "L0.1922[802,961] 124ns |----------------------------------------L0.1922-----------------------------------------|"
- - "L0.1936[802,961] 125ns |----------------------------------------L0.1936-----------------------------------------|"
- - "L0.1950[802,961] 126ns |----------------------------------------L0.1950-----------------------------------------|"
- - "L0.1964[802,961] 127ns |----------------------------------------L0.1964-----------------------------------------|"
- - "L0.1978[802,961] 128ns |----------------------------------------L0.1978-----------------------------------------|"
- - "L0.1992[802,961] 129ns |----------------------------------------L0.1992-----------------------------------------|"
- - "L0.2006[802,961] 130ns |----------------------------------------L0.2006-----------------------------------------|"
- - "L0.2020[802,961] 131ns |----------------------------------------L0.2020-----------------------------------------|"
- - "L0.2034[802,961] 132ns |----------------------------------------L0.2034-----------------------------------------|"
- - "L0.2048[802,961] 133ns |----------------------------------------L0.2048-----------------------------------------|"
- - "L0.2062[802,961] 134ns |----------------------------------------L0.2062-----------------------------------------|"
- - "L0.2188[802,961] 135ns |----------------------------------------L0.2188-----------------------------------------|"
- - "L0.2202[802,961] 136ns |----------------------------------------L0.2202-----------------------------------------|"
- - "L0.2076[802,961] 137ns |----------------------------------------L0.2076-----------------------------------------|"
- - "L0.2090[802,961] 138ns |----------------------------------------L0.2090-----------------------------------------|"
- - "L0.2104[802,961] 139ns |----------------------------------------L0.2104-----------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- - "L0, all files 0b "
- - "L0.?[802,961] 139ns |------------------------------------------L0.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 20 files: L0.1866, L0.1880, L0.1894, L0.1908, L0.1922, L0.1936, L0.1950, L0.1964, L0.1978, L0.1992, L0.2006, L0.2020, L0.2034, L0.2048, L0.2062, L0.2076, L0.2090, L0.2104, L0.2188, L0.2202"
- - " Creating 1 files"
- - "**** Simulation run 256, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- - "L0, all files 0b "
- - "L0.2118[802,961] 140ns |----------------------------------------L0.2118-----------------------------------------|"
- - "L0.2132[802,961] 141ns |----------------------------------------L0.2132-----------------------------------------|"
- - "L0.2146[802,961] 142ns |----------------------------------------L0.2146-----------------------------------------|"
- - "L0.2160[802,961] 143ns |----------------------------------------L0.2160-----------------------------------------|"
- - "L0.2174[802,961] 144ns |----------------------------------------L0.2174-----------------------------------------|"
- - "L0.2216[802,961] 145ns |----------------------------------------L0.2216-----------------------------------------|"
- - "L0.2230[802,961] 146ns |----------------------------------------L0.2230-----------------------------------------|"
- - "L0.2244[802,961] 147ns |----------------------------------------L0.2244-----------------------------------------|"
- - "L0.2258[802,961] 148ns |----------------------------------------L0.2258-----------------------------------------|"
- - "L0.2272[802,961] 149ns |----------------------------------------L0.2272-----------------------------------------|"
- - "L0.2286[802,961] 150ns |----------------------------------------L0.2286-----------------------------------------|"
- - "L0.2300[802,961] 151ns |----------------------------------------L0.2300-----------------------------------------|"
- - "L0.2314[802,961] 152ns |----------------------------------------L0.2314-----------------------------------------|"
- - "L0.2328[802,961] 153ns |----------------------------------------L0.2328-----------------------------------------|"
- - "L0.2342[802,961] 154ns |----------------------------------------L0.2342-----------------------------------------|"
- - "L0.2356[802,961] 155ns |----------------------------------------L0.2356-----------------------------------------|"
- - "L0.2370[802,961] 156ns |----------------------------------------L0.2370-----------------------------------------|"
- - "L0.2384[802,961] 157ns |----------------------------------------L0.2384-----------------------------------------|"
- - "L0.2398[802,961] 158ns |----------------------------------------L0.2398-----------------------------------------|"
- - "L0.2412[802,961] 159ns |----------------------------------------L0.2412-----------------------------------------|"
- "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- "L0, all files 0b "
- - "L0.?[802,961] 159ns |------------------------------------------L0.?------------------------------------------|"
+ - "L0.?[802,961] 96ns |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 20 files: L0.2118, L0.2132, L0.2146, L0.2160, L0.2174, L0.2216, L0.2230, L0.2244, L0.2258, L0.2272, L0.2286, L0.2300, L0.2314, L0.2328, L0.2342, L0.2356, L0.2370, L0.2384, L0.2398, L0.2412"
+ - " Soft Deleting 20 files: L0.1278, L0.1292, L0.1306, L0.1320, L0.1334, L0.1348, L0.1362, L0.1376, L0.1390, L0.1404, L0.1418, L0.1432, L0.1446, L0.1460, L0.1474, L0.1488, L0.1502, L0.1516, L0.1530, L0.2990"
- " Creating 1 files"
- - "**** Simulation run 257, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "**** Simulation run 262, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- "L0, all files 0b "
- - "L0.2426[802,961] 160ns |----------------------------------------L0.2426-----------------------------------------|"
- - "L0.2440[802,961] 161ns |----------------------------------------L0.2440-----------------------------------------|"
- - "L0.2453[802,961] 162ns |----------------------------------------L0.2453-----------------------------------------|"
- - "L0.2466[802,961] 163ns |----------------------------------------L0.2466-----------------------------------------|"
- - "L0.2479[802,961] 164ns |----------------------------------------L0.2479-----------------------------------------|"
- - "L0.2492[802,961] 165ns |----------------------------------------L0.2492-----------------------------------------|"
- - "L0.2505[802,961] 166ns |----------------------------------------L0.2505-----------------------------------------|"
- - "L0.2518[802,961] 167ns |----------------------------------------L0.2518-----------------------------------------|"
- - "L0.2531[802,961] 168ns |----------------------------------------L0.2531-----------------------------------------|"
- - "L0.2544[802,961] 169ns |----------------------------------------L0.2544-----------------------------------------|"
- - "L0.2557[802,961] 170ns |----------------------------------------L0.2557-----------------------------------------|"
- - "L0.2570[802,961] 171ns |----------------------------------------L0.2570-----------------------------------------|"
- - "L0.2583[802,961] 172ns |----------------------------------------L0.2583-----------------------------------------|"
- - "L0.2596[802,961] 173ns |----------------------------------------L0.2596-----------------------------------------|"
- - "L0.2609[802,961] 174ns |----------------------------------------L0.2609-----------------------------------------|"
- - "L0.2622[802,961] 175ns |----------------------------------------L0.2622-----------------------------------------|"
- - "L0.2635[802,961] 176ns |----------------------------------------L0.2635-----------------------------------------|"
- - "L0.2648[802,961] 177ns |----------------------------------------L0.2648-----------------------------------------|"
- - "L0.2661[802,961] 178ns |----------------------------------------L0.2661-----------------------------------------|"
- - "L0.2674[802,961] 179ns |----------------------------------------L0.2674-----------------------------------------|"
+ - "L0.2991[962,1121] 77ns |----------------------------------------L0.2991-----------------------------------------|"
+ - "L0.1279[962,1121] 78ns |----------------------------------------L0.1279-----------------------------------------|"
+ - "L0.1293[962,1121] 79ns |----------------------------------------L0.1293-----------------------------------------|"
+ - "L0.1307[962,1121] 80ns |----------------------------------------L0.1307-----------------------------------------|"
+ - "L0.1321[962,1121] 81ns |----------------------------------------L0.1321-----------------------------------------|"
+ - "L0.1335[962,1121] 82ns |----------------------------------------L0.1335-----------------------------------------|"
+ - "L0.1349[962,1121] 83ns |----------------------------------------L0.1349-----------------------------------------|"
+ - "L0.1363[962,1121] 84ns |----------------------------------------L0.1363-----------------------------------------|"
+ - "L0.1377[962,1121] 85ns |----------------------------------------L0.1377-----------------------------------------|"
+ - "L0.1391[962,1121] 86ns |----------------------------------------L0.1391-----------------------------------------|"
+ - "L0.1405[962,1121] 87ns |----------------------------------------L0.1405-----------------------------------------|"
+ - "L0.1419[962,1121] 88ns |----------------------------------------L0.1419-----------------------------------------|"
+ - "L0.1433[962,1121] 89ns |----------------------------------------L0.1433-----------------------------------------|"
+ - "L0.1447[962,1121] 90ns |----------------------------------------L0.1447-----------------------------------------|"
+ - "L0.1461[962,1121] 91ns |----------------------------------------L0.1461-----------------------------------------|"
+ - "L0.1475[962,1121] 92ns |----------------------------------------L0.1475-----------------------------------------|"
+ - "L0.1489[962,1121] 93ns |----------------------------------------L0.1489-----------------------------------------|"
+ - "L0.1503[962,1121] 94ns |----------------------------------------L0.1503-----------------------------------------|"
+ - "L0.1517[962,1121] 95ns |----------------------------------------L0.1517-----------------------------------------|"
+ - "L0.1531[962,1121] 96ns |----------------------------------------L0.1531-----------------------------------------|"
- "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- "L0, all files 0b "
- - "L0.?[802,961] 179ns |------------------------------------------L0.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 20 files: L0.2426, L0.2440, L0.2453, L0.2466, L0.2479, L0.2492, L0.2505, L0.2518, L0.2531, L0.2544, L0.2557, L0.2570, L0.2583, L0.2596, L0.2609, L0.2622, L0.2635, L0.2648, L0.2661, L0.2674"
- - " Creating 1 files"
- - "**** Simulation run 258, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "L0.?[962,1121] 96ns |------------------------------------------L0.?------------------------------------------|"
+ - "**** Simulation run 263, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- "L0, all files 0b "
- - "L0.2687[802,961] 180ns |----------------------------------------L0.2687-----------------------------------------|"
- - "L0.2700[802,961] 181ns |----------------------------------------L0.2700-----------------------------------------|"
- - "L0.2713[802,961] 182ns |----------------------------------------L0.2713-----------------------------------------|"
- - "L0.2726[802,961] 183ns |----------------------------------------L0.2726-----------------------------------------|"
- - "L0.2739[802,961] 184ns |----------------------------------------L0.2739-----------------------------------------|"
- - "L0.2752[802,961] 185ns |----------------------------------------L0.2752-----------------------------------------|"
- - "L0.2765[802,961] 186ns |----------------------------------------L0.2765-----------------------------------------|"
- - "L0.2778[802,961] 187ns |----------------------------------------L0.2778-----------------------------------------|"
- - "L0.2791[802,961] 188ns |----------------------------------------L0.2791-----------------------------------------|"
- - "L0.2804[802,961] 189ns |----------------------------------------L0.2804-----------------------------------------|"
- - "L0.2817[802,961] 190ns |----------------------------------------L0.2817-----------------------------------------|"
- - "L0.2830[802,961] 191ns |----------------------------------------L0.2830-----------------------------------------|"
- - "L0.2843[802,961] 192ns |----------------------------------------L0.2843-----------------------------------------|"
- - "L0.2856[802,961] 193ns |----------------------------------------L0.2856-----------------------------------------|"
- - "L0.2869[802,961] 194ns |----------------------------------------L0.2869-----------------------------------------|"
- - "L0.2882[802,961] 195ns |----------------------------------------L0.2882-----------------------------------------|"
- - "L0.2895[802,961] 196ns |----------------------------------------L0.2895-----------------------------------------|"
- - "L0.2908[802,961] 197ns |----------------------------------------L0.2908-----------------------------------------|"
- - "L0.2921[802,961] 198ns |----------------------------------------L0.2921-----------------------------------------|"
- - "L0.2934[802,961] 199ns |----------------------------------------L0.2934-----------------------------------------|"
+ - "L0.2993[1282,1441] 77ns |----------------------------------------L0.2993-----------------------------------------|"
+ - "L0.1281[1282,1441] 78ns |----------------------------------------L0.1281-----------------------------------------|"
+ - "L0.1295[1282,1441] 79ns |----------------------------------------L0.1295-----------------------------------------|"
+ - "L0.1309[1282,1441] 80ns |----------------------------------------L0.1309-----------------------------------------|"
+ - "L0.1323[1282,1441] 81ns |----------------------------------------L0.1323-----------------------------------------|"
+ - "L0.1337[1282,1441] 82ns |----------------------------------------L0.1337-----------------------------------------|"
+ - "L0.1351[1282,1441] 83ns |----------------------------------------L0.1351-----------------------------------------|"
+ - "L0.1365[1282,1441] 84ns |----------------------------------------L0.1365-----------------------------------------|"
+ - "L0.1379[1282,1441] 85ns |----------------------------------------L0.1379-----------------------------------------|"
+ - "L0.1393[1282,1441] 86ns |----------------------------------------L0.1393-----------------------------------------|"
+ - "L0.1407[1282,1441] 87ns |----------------------------------------L0.1407-----------------------------------------|"
+ - "L0.1421[1282,1441] 88ns |----------------------------------------L0.1421-----------------------------------------|"
+ - "L0.1435[1282,1441] 89ns |----------------------------------------L0.1435-----------------------------------------|"
+ - "L0.1449[1282,1441] 90ns |----------------------------------------L0.1449-----------------------------------------|"
+ - "L0.1463[1282,1441] 91ns |----------------------------------------L0.1463-----------------------------------------|"
+ - "L0.1477[1282,1441] 92ns |----------------------------------------L0.1477-----------------------------------------|"
+ - "L0.1491[1282,1441] 93ns |----------------------------------------L0.1491-----------------------------------------|"
+ - "L0.1505[1282,1441] 94ns |----------------------------------------L0.1505-----------------------------------------|"
+ - "L0.1519[1282,1441] 95ns |----------------------------------------L0.1519-----------------------------------------|"
+ - "L0.1533[1282,1441] 96ns |----------------------------------------L0.1533-----------------------------------------|"
- "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- "L0, all files 0b "
- - "L0.?[802,961] 199ns |------------------------------------------L0.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 20 files: L0.2687, L0.2700, L0.2713, L0.2726, L0.2739, L0.2752, L0.2765, L0.2778, L0.2791, L0.2804, L0.2817, L0.2830, L0.2843, L0.2856, L0.2869, L0.2882, L0.2895, L0.2908, L0.2921, L0.2934"
- - " Creating 1 files"
- - "**** Simulation run 259, type=compact(ManySmallFiles). 20 Input Files, 160mb total:"
- - "L0, all files 8mb "
- - "L0.207[962,1121] 0ns |-----------------------------------------L0.207-----------------------------------------|"
- - "L0.220[962,1121] 1ns |-----------------------------------------L0.220-----------------------------------------|"
- - "L0.233[962,1121] 2ns |-----------------------------------------L0.233-----------------------------------------|"
- - "L0.246[962,1121] 3ns |-----------------------------------------L0.246-----------------------------------------|"
- - "L0.259[962,1121] 4ns |-----------------------------------------L0.259-----------------------------------------|"
- - "L0.272[962,1121] 5ns |-----------------------------------------L0.272-----------------------------------------|"
- - "L0.285[962,1121] 6ns |-----------------------------------------L0.285-----------------------------------------|"
- - "L0.298[962,1121] 7ns |-----------------------------------------L0.298-----------------------------------------|"
- - "L0.311[962,1121] 8ns |-----------------------------------------L0.311-----------------------------------------|"
- - "L0.324[962,1121] 9ns |-----------------------------------------L0.324-----------------------------------------|"
- - "L0.337[962,1121] 10ns |-----------------------------------------L0.337-----------------------------------------|"
- - "L0.350[962,1121] 11ns |-----------------------------------------L0.350-----------------------------------------|"
- - "L0.363[962,1121] 12ns |-----------------------------------------L0.363-----------------------------------------|"
- - "L0.376[962,1121] 13ns |-----------------------------------------L0.376-----------------------------------------|"
- - "L0.389[962,1121] 14ns |-----------------------------------------L0.389-----------------------------------------|"
- - "L0.402[962,1121] 15ns |-----------------------------------------L0.402-----------------------------------------|"
- - "L0.415[962,1121] 16ns |-----------------------------------------L0.415-----------------------------------------|"
- - "L0.428[962,1121] 17ns |-----------------------------------------L0.428-----------------------------------------|"
- - "L0.441[962,1121] 18ns |-----------------------------------------L0.441-----------------------------------------|"
- - "L0.566[962,1121] 19ns |-----------------------------------------L0.566-----------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 160mb total:"
- - "L0, all files 160mb "
- - "L0.?[962,1121] 19ns |------------------------------------------L0.?------------------------------------------|"
+ - "L0.?[1282,1441] 96ns |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 20 files: L0.207, L0.220, L0.233, L0.246, L0.259, L0.272, L0.285, L0.298, L0.311, L0.324, L0.337, L0.350, L0.363, L0.376, L0.389, L0.402, L0.415, L0.428, L0.441, L0.566"
+ - " Soft Deleting 20 files: L0.1281, L0.1295, L0.1309, L0.1323, L0.1337, L0.1351, L0.1365, L0.1379, L0.1393, L0.1407, L0.1421, L0.1435, L0.1449, L0.1463, L0.1477, L0.1491, L0.1505, L0.1519, L0.1533, L0.2993"
- " Creating 1 files"
- - "**** Simulation run 260, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "**** Simulation run 264, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- "L0, all files 0b "
- - "L0.579[962,1121] 20ns |-----------------------------------------L0.579-----------------------------------------|"
- - "L0.454[962,1121] 21ns |-----------------------------------------L0.454-----------------------------------------|"
- - "L0.468[962,1121] 22ns |-----------------------------------------L0.468-----------------------------------------|"
- - "L0.482[962,1121] 23ns |-----------------------------------------L0.482-----------------------------------------|"
- - "L0.496[962,1121] 24ns |-----------------------------------------L0.496-----------------------------------------|"
- - "L0.510[962,1121] 25ns |-----------------------------------------L0.510-----------------------------------------|"
- - "L0.524[962,1121] 26ns |-----------------------------------------L0.524-----------------------------------------|"
- - "L0.538[962,1121] 27ns |-----------------------------------------L0.538-----------------------------------------|"
- - "L0.552[962,1121] 28ns |-----------------------------------------L0.552-----------------------------------------|"
- - "L0.593[962,1121] 29ns |-----------------------------------------L0.593-----------------------------------------|"
- - "L0.607[962,1121] 30ns |-----------------------------------------L0.607-----------------------------------------|"
- - "L0.621[962,1121] 31ns |-----------------------------------------L0.621-----------------------------------------|"
- - "L0.635[962,1121] 32ns |-----------------------------------------L0.635-----------------------------------------|"
- - "L0.649[962,1121] 33ns |-----------------------------------------L0.649-----------------------------------------|"
- - "L0.663[962,1121] 34ns |-----------------------------------------L0.663-----------------------------------------|"
- - "L0.677[962,1121] 35ns |-----------------------------------------L0.677-----------------------------------------|"
- - "L0.691[962,1121] 36ns |-----------------------------------------L0.691-----------------------------------------|"
- - "L0.705[962,1121] 37ns |-----------------------------------------L0.705-----------------------------------------|"
- - "L0.719[962,1121] 38ns |-----------------------------------------L0.719-----------------------------------------|"
- - "L0.733[962,1121] 39ns |-----------------------------------------L0.733-----------------------------------------|"
+ - "L0.2994[1442,1601] 77ns |----------------------------------------L0.2994-----------------------------------------|"
+ - "L0.1282[1442,1601] 78ns |----------------------------------------L0.1282-----------------------------------------|"
+ - "L0.1296[1442,1601] 79ns |----------------------------------------L0.1296-----------------------------------------|"
+ - "L0.1310[1442,1601] 80ns |----------------------------------------L0.1310-----------------------------------------|"
+ - "L0.1324[1442,1601] 81ns |----------------------------------------L0.1324-----------------------------------------|"
+ - "L0.1338[1442,1601] 82ns |----------------------------------------L0.1338-----------------------------------------|"
+ - "L0.1352[1442,1601] 83ns |----------------------------------------L0.1352-----------------------------------------|"
+ - "L0.1366[1442,1601] 84ns |----------------------------------------L0.1366-----------------------------------------|"
+ - "L0.1380[1442,1601] 85ns |----------------------------------------L0.1380-----------------------------------------|"
+ - "L0.1394[1442,1601] 86ns |----------------------------------------L0.1394-----------------------------------------|"
+ - "L0.1408[1442,1601] 87ns |----------------------------------------L0.1408-----------------------------------------|"
+ - "L0.1422[1442,1601] 88ns |----------------------------------------L0.1422-----------------------------------------|"
+ - "L0.1436[1442,1601] 89ns |----------------------------------------L0.1436-----------------------------------------|"
+ - "L0.1450[1442,1601] 90ns |----------------------------------------L0.1450-----------------------------------------|"
+ - "L0.1464[1442,1601] 91ns |----------------------------------------L0.1464-----------------------------------------|"
+ - "L0.1478[1442,1601] 92ns |----------------------------------------L0.1478-----------------------------------------|"
+ - "L0.1492[1442,1601] 93ns |----------------------------------------L0.1492-----------------------------------------|"
+ - "L0.1506[1442,1601] 94ns |----------------------------------------L0.1506-----------------------------------------|"
+ - "L0.1520[1442,1601] 95ns |----------------------------------------L0.1520-----------------------------------------|"
+ - "L0.1534[1442,1601] 96ns |----------------------------------------L0.1534-----------------------------------------|"
- "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- "L0, all files 0b "
- - "L0.?[962,1121] 39ns |------------------------------------------L0.?------------------------------------------|"
+ - "L0.?[1442,1601] 96ns |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 20 files: L0.454, L0.468, L0.482, L0.496, L0.510, L0.524, L0.538, L0.552, L0.579, L0.593, L0.607, L0.621, L0.635, L0.649, L0.663, L0.677, L0.691, L0.705, L0.719, L0.733"
+ - " Soft Deleting 20 files: L0.1282, L0.1296, L0.1310, L0.1324, L0.1338, L0.1352, L0.1366, L0.1380, L0.1394, L0.1408, L0.1422, L0.1436, L0.1450, L0.1464, L0.1478, L0.1492, L0.1506, L0.1520, L0.1534, L0.2994"
- " Creating 1 files"
- - "**** Simulation run 261, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "**** Simulation run 265, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- "L0, all files 0b "
- - "L0.747[962,1121] 40ns |-----------------------------------------L0.747-----------------------------------------|"
- - "L0.761[962,1121] 41ns |-----------------------------------------L0.761-----------------------------------------|"
- - "L0.775[962,1121] 42ns |-----------------------------------------L0.775-----------------------------------------|"
- - "L0.789[962,1121] 43ns |-----------------------------------------L0.789-----------------------------------------|"
- - "L0.803[962,1121] 44ns |-----------------------------------------L0.803-----------------------------------------|"
- - "L0.817[962,1121] 45ns |-----------------------------------------L0.817-----------------------------------------|"
- - "L0.831[962,1121] 46ns |-----------------------------------------L0.831-----------------------------------------|"
- - "L0.845[962,1121] 47ns |-----------------------------------------L0.845-----------------------------------------|"
- - "L0.859[962,1121] 48ns |-----------------------------------------L0.859-----------------------------------------|"
- - "L0.873[962,1121] 49ns |-----------------------------------------L0.873-----------------------------------------|"
- - "L0.887[962,1121] 50ns |-----------------------------------------L0.887-----------------------------------------|"
- - "L0.901[962,1121] 51ns |-----------------------------------------L0.901-----------------------------------------|"
- - "L0.915[962,1121] 52ns |-----------------------------------------L0.915-----------------------------------------|"
- - "L0.929[962,1121] 53ns |-----------------------------------------L0.929-----------------------------------------|"
- - "L0.943[962,1121] 54ns |-----------------------------------------L0.943-----------------------------------------|"
- - "L0.957[962,1121] 55ns |-----------------------------------------L0.957-----------------------------------------|"
- - "L0.971[962,1121] 56ns |-----------------------------------------L0.971-----------------------------------------|"
- - "L0.985[962,1121] 57ns |-----------------------------------------L0.985-----------------------------------------|"
- - "L0.999[962,1121] 58ns |-----------------------------------------L0.999-----------------------------------------|"
- - "L0.1013[962,1121] 59ns |----------------------------------------L0.1013-----------------------------------------|"
+ - "L0.2995[1602,1761] 77ns |----------------------------------------L0.2995-----------------------------------------|"
+ - "L0.1283[1602,1761] 78ns |----------------------------------------L0.1283-----------------------------------------|"
+ - "L0.1297[1602,1761] 79ns |----------------------------------------L0.1297-----------------------------------------|"
+ - "L0.1311[1602,1761] 80ns |----------------------------------------L0.1311-----------------------------------------|"
+ - "L0.1325[1602,1761] 81ns |----------------------------------------L0.1325-----------------------------------------|"
+ - "L0.1339[1602,1761] 82ns |----------------------------------------L0.1339-----------------------------------------|"
+ - "L0.1353[1602,1761] 83ns |----------------------------------------L0.1353-----------------------------------------|"
+ - "L0.1367[1602,1761] 84ns |----------------------------------------L0.1367-----------------------------------------|"
+ - "L0.1381[1602,1761] 85ns |----------------------------------------L0.1381-----------------------------------------|"
+ - "L0.1395[1602,1761] 86ns |----------------------------------------L0.1395-----------------------------------------|"
+ - "L0.1409[1602,1761] 87ns |----------------------------------------L0.1409-----------------------------------------|"
+ - "L0.1423[1602,1761] 88ns |----------------------------------------L0.1423-----------------------------------------|"
+ - "L0.1437[1602,1761] 89ns |----------------------------------------L0.1437-----------------------------------------|"
+ - "L0.1451[1602,1761] 90ns |----------------------------------------L0.1451-----------------------------------------|"
+ - "L0.1465[1602,1761] 91ns |----------------------------------------L0.1465-----------------------------------------|"
+ - "L0.1479[1602,1761] 92ns |----------------------------------------L0.1479-----------------------------------------|"
+ - "L0.1493[1602,1761] 93ns |----------------------------------------L0.1493-----------------------------------------|"
+ - "L0.1507[1602,1761] 94ns |----------------------------------------L0.1507-----------------------------------------|"
+ - "L0.1521[1602,1761] 95ns |----------------------------------------L0.1521-----------------------------------------|"
+ - "L0.1535[1602,1761] 96ns |----------------------------------------L0.1535-----------------------------------------|"
- "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- "L0, all files 0b "
- - "L0.?[962,1121] 59ns |------------------------------------------L0.?------------------------------------------|"
+ - "L0.?[1602,1761] 96ns |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 20 files: L0.747, L0.761, L0.775, L0.789, L0.803, L0.817, L0.831, L0.845, L0.859, L0.873, L0.887, L0.901, L0.915, L0.929, L0.943, L0.957, L0.971, L0.985, L0.999, L0.1013"
+ - " Soft Deleting 20 files: L0.1283, L0.1297, L0.1311, L0.1325, L0.1339, L0.1353, L0.1367, L0.1381, L0.1395, L0.1409, L0.1423, L0.1437, L0.1451, L0.1465, L0.1479, L0.1493, L0.1507, L0.1521, L0.1535, L0.2995"
- " Creating 1 files"
- - "**** Simulation run 262, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "**** Simulation run 266, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- "L0, all files 0b "
- - "L0.1027[962,1121] 60ns |----------------------------------------L0.1027-----------------------------------------|"
- - "L0.1041[962,1121] 61ns |----------------------------------------L0.1041-----------------------------------------|"
- - "L0.1055[962,1121] 62ns |----------------------------------------L0.1055-----------------------------------------|"
- - "L0.1069[962,1121] 63ns |----------------------------------------L0.1069-----------------------------------------|"
- - "L0.1083[962,1121] 64ns |----------------------------------------L0.1083-----------------------------------------|"
- - "L0.1097[962,1121] 65ns |----------------------------------------L0.1097-----------------------------------------|"
- - "L0.1111[962,1121] 66ns |----------------------------------------L0.1111-----------------------------------------|"
- - "L0.1125[962,1121] 67ns |----------------------------------------L0.1125-----------------------------------------|"
- - "L0.1139[962,1121] 68ns |----------------------------------------L0.1139-----------------------------------------|"
- - "L0.1153[962,1121] 69ns |----------------------------------------L0.1153-----------------------------------------|"
- - "L0.1167[962,1121] 70ns |----------------------------------------L0.1167-----------------------------------------|"
- - "L0.1181[962,1121] 71ns |----------------------------------------L0.1181-----------------------------------------|"
- - "L0.1195[962,1121] 72ns |----------------------------------------L0.1195-----------------------------------------|"
- - "L0.1209[962,1121] 73ns |----------------------------------------L0.1209-----------------------------------------|"
- - "L0.1223[962,1121] 74ns |----------------------------------------L0.1223-----------------------------------------|"
- - "L0.1237[962,1121] 75ns |----------------------------------------L0.1237-----------------------------------------|"
- - "L0.1251[962,1121] 76ns |----------------------------------------L0.1251-----------------------------------------|"
- - "L0.1265[962,1121] 77ns |----------------------------------------L0.1265-----------------------------------------|"
- - "L0.1279[962,1121] 78ns |----------------------------------------L0.1279-----------------------------------------|"
- - "L0.1293[962,1121] 79ns |----------------------------------------L0.1293-----------------------------------------|"
+ - "L0.2996[1762,1921] 77ns |----------------------------------------L0.2996-----------------------------------------|"
+ - "L0.1284[1762,1921] 78ns |----------------------------------------L0.1284-----------------------------------------|"
+ - "L0.1298[1762,1921] 79ns |----------------------------------------L0.1298-----------------------------------------|"
+ - "L0.1312[1762,1921] 80ns |----------------------------------------L0.1312-----------------------------------------|"
+ - "L0.1326[1762,1921] 81ns |----------------------------------------L0.1326-----------------------------------------|"
+ - "L0.1340[1762,1921] 82ns |----------------------------------------L0.1340-----------------------------------------|"
+ - "L0.1354[1762,1921] 83ns |----------------------------------------L0.1354-----------------------------------------|"
+ - "L0.1368[1762,1921] 84ns |----------------------------------------L0.1368-----------------------------------------|"
+ - "L0.1382[1762,1921] 85ns |----------------------------------------L0.1382-----------------------------------------|"
+ - "L0.1396[1762,1921] 86ns |----------------------------------------L0.1396-----------------------------------------|"
+ - "L0.1410[1762,1921] 87ns |----------------------------------------L0.1410-----------------------------------------|"
+ - "L0.1424[1762,1921] 88ns |----------------------------------------L0.1424-----------------------------------------|"
+ - "L0.1438[1762,1921] 89ns |----------------------------------------L0.1438-----------------------------------------|"
+ - "L0.1452[1762,1921] 90ns |----------------------------------------L0.1452-----------------------------------------|"
+ - "L0.1466[1762,1921] 91ns |----------------------------------------L0.1466-----------------------------------------|"
+ - "L0.1480[1762,1921] 92ns |----------------------------------------L0.1480-----------------------------------------|"
+ - "L0.1494[1762,1921] 93ns |----------------------------------------L0.1494-----------------------------------------|"
+ - "L0.1508[1762,1921] 94ns |----------------------------------------L0.1508-----------------------------------------|"
+ - "L0.1522[1762,1921] 95ns |----------------------------------------L0.1522-----------------------------------------|"
+ - "L0.1536[1762,1921] 96ns |----------------------------------------L0.1536-----------------------------------------|"
- "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- "L0, all files 0b "
- - "L0.?[962,1121] 79ns |------------------------------------------L0.?------------------------------------------|"
- - "**** Simulation run 263, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "L0.?[1762,1921] 96ns |------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.1284, L0.1298, L0.1312, L0.1326, L0.1340, L0.1354, L0.1368, L0.1382, L0.1396, L0.1410, L0.1424, L0.1438, L0.1452, L0.1466, L0.1480, L0.1494, L0.1508, L0.1522, L0.1536, L0.2996"
+ - " Creating 1 files"
+ - "**** Simulation run 267, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- "L0, all files 0b "
- - "L0.1587[962,1121] 100ns |----------------------------------------L0.1587-----------------------------------------|"
- - "L0.1601[962,1121] 101ns |----------------------------------------L0.1601-----------------------------------------|"
- - "L0.1615[962,1121] 102ns |----------------------------------------L0.1615-----------------------------------------|"
- - "L0.1629[962,1121] 103ns |----------------------------------------L0.1629-----------------------------------------|"
- - "L0.1643[962,1121] 104ns |----------------------------------------L0.1643-----------------------------------------|"
- - "L0.1657[962,1121] 105ns |----------------------------------------L0.1657-----------------------------------------|"
- - "L0.1671[962,1121] 106ns |----------------------------------------L0.1671-----------------------------------------|"
- - "L0.1685[962,1121] 107ns |----------------------------------------L0.1685-----------------------------------------|"
- - "L0.1699[962,1121] 108ns |----------------------------------------L0.1699-----------------------------------------|"
- - "L0.1713[962,1121] 109ns |----------------------------------------L0.1713-----------------------------------------|"
- - "L0.1727[962,1121] 110ns |----------------------------------------L0.1727-----------------------------------------|"
- - "L0.1741[962,1121] 111ns |----------------------------------------L0.1741-----------------------------------------|"
- - "L0.1755[962,1121] 112ns |----------------------------------------L0.1755-----------------------------------------|"
- - "L0.1769[962,1121] 113ns |----------------------------------------L0.1769-----------------------------------------|"
- - "L0.1783[962,1121] 114ns |----------------------------------------L0.1783-----------------------------------------|"
- - "L0.1797[962,1121] 115ns |----------------------------------------L0.1797-----------------------------------------|"
- - "L0.1811[962,1121] 116ns |----------------------------------------L0.1811-----------------------------------------|"
- - "L0.1825[962,1121] 117ns |----------------------------------------L0.1825-----------------------------------------|"
- - "L0.1839[962,1121] 118ns |----------------------------------------L0.1839-----------------------------------------|"
- - "L0.1853[962,1121] 119ns |----------------------------------------L0.1853-----------------------------------------|"
+ - "L0.2997[1922,2086] 77ns |----------------------------------------L0.2997-----------------------------------------|"
+ - "L0.1285[1922,2086] 78ns |----------------------------------------L0.1285-----------------------------------------|"
+ - "L0.1299[1922,2086] 79ns |----------------------------------------L0.1299-----------------------------------------|"
+ - "L0.1313[1922,2086] 80ns |----------------------------------------L0.1313-----------------------------------------|"
+ - "L0.1327[1922,2086] 81ns |----------------------------------------L0.1327-----------------------------------------|"
+ - "L0.1341[1922,2086] 82ns |----------------------------------------L0.1341-----------------------------------------|"
+ - "L0.1355[1922,2086] 83ns |----------------------------------------L0.1355-----------------------------------------|"
+ - "L0.1369[1922,2086] 84ns |----------------------------------------L0.1369-----------------------------------------|"
+ - "L0.1383[1922,2086] 85ns |----------------------------------------L0.1383-----------------------------------------|"
+ - "L0.1397[1922,2086] 86ns |----------------------------------------L0.1397-----------------------------------------|"
+ - "L0.1411[1922,2086] 87ns |----------------------------------------L0.1411-----------------------------------------|"
+ - "L0.1425[1922,2086] 88ns |----------------------------------------L0.1425-----------------------------------------|"
+ - "L0.1439[1922,2086] 89ns |----------------------------------------L0.1439-----------------------------------------|"
+ - "L0.1453[1922,2086] 90ns |----------------------------------------L0.1453-----------------------------------------|"
+ - "L0.1467[1922,2086] 91ns |----------------------------------------L0.1467-----------------------------------------|"
+ - "L0.1481[1922,2086] 92ns |----------------------------------------L0.1481-----------------------------------------|"
+ - "L0.1495[1922,2086] 93ns |----------------------------------------L0.1495-----------------------------------------|"
+ - "L0.1509[1922,2086] 94ns |----------------------------------------L0.1509-----------------------------------------|"
+ - "L0.1523[1922,2086] 95ns |----------------------------------------L0.1523-----------------------------------------|"
+ - "L0.1537[1922,2086] 96ns |----------------------------------------L0.1537-----------------------------------------|"
- "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- "L0, all files 0b "
- - "L0.?[962,1121] 119ns |------------------------------------------L0.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 20 files: L0.1587, L0.1601, L0.1615, L0.1629, L0.1643, L0.1657, L0.1671, L0.1685, L0.1699, L0.1713, L0.1727, L0.1741, L0.1755, L0.1769, L0.1783, L0.1797, L0.1811, L0.1825, L0.1839, L0.1853"
+ - "L0.?[1922,2086] 96ns |------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.1285, L0.1299, L0.1313, L0.1327, L0.1341, L0.1355, L0.1369, L0.1383, L0.1397, L0.1411, L0.1425, L0.1439, L0.1453, L0.1467, L0.1481, L0.1495, L0.1509, L0.1523, L0.1537, L0.2997"
+ - " Creating 1 files"
+ - "**** Simulation run 268, type=compact(ManySmallFiles). 20 Input Files, 960b total:"
+ - "L0 "
+ - "L0.2998[2087,960000] 96ns 770b|---------------------------------L0.2998---------------------------------| "
+ - "L0.1552[2087,970000] 97ns 10b|---------------------------------L0.1552---------------------------------| "
+ - "L0.1566[2087,980000] 98ns 10b|---------------------------------L0.1566----------------------------------| "
+ - "L0.1580[2087,990000] 99ns 10b|----------------------------------L0.1580----------------------------------| "
+ - "L0.1594[2087,1000000] 100ns 10b|----------------------------------L0.1594-----------------------------------| "
+ - "L0.1608[2087,1010000] 101ns 10b|-----------------------------------L0.1608-----------------------------------| "
+ - "L0.1622[2087,1020000] 102ns 10b|-----------------------------------L0.1622-----------------------------------| "
+ - "L0.1636[2087,1030000] 103ns 10b|-----------------------------------L0.1636------------------------------------| "
+ - "L0.1650[2087,1040000] 104ns 10b|------------------------------------L0.1650------------------------------------| "
+ - "L0.1664[2087,1050000] 105ns 10b|------------------------------------L0.1664-------------------------------------| "
+ - "L0.1678[2087,1060000] 106ns 10b|------------------------------------L0.1678-------------------------------------| "
+ - "L0.1692[2087,1070000] 107ns 10b|-------------------------------------L0.1692-------------------------------------| "
+ - "L0.1706[2087,1080000] 108ns 10b|-------------------------------------L0.1706--------------------------------------| "
+ - "L0.1720[2087,1090000] 109ns 10b|--------------------------------------L0.1720--------------------------------------| "
+ - "L0.1734[2087,1100000] 110ns 10b|--------------------------------------L0.1734---------------------------------------| "
+ - "L0.1748[2087,1110000] 111ns 10b|--------------------------------------L0.1748---------------------------------------| "
+ - "L0.1762[2087,1120000] 112ns 10b|---------------------------------------L0.1762---------------------------------------| "
+ - "L0.1776[2087,1130000] 113ns 10b|---------------------------------------L0.1776----------------------------------------| "
+ - "L0.1790[2087,1140000] 114ns 10b|----------------------------------------L0.1790----------------------------------------| "
+ - "L0.1804[2087,1150000] 115ns 10b|----------------------------------------L0.1804-----------------------------------------|"
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 960b total:"
+ - "L0, all files 960b "
+ - "L0.?[2087,1150000] 115ns |------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.1552, L0.1566, L0.1580, L0.1594, L0.1608, L0.1622, L0.1636, L0.1650, L0.1664, L0.1678, L0.1692, L0.1706, L0.1720, L0.1734, L0.1748, L0.1762, L0.1776, L0.1790, L0.1804, L0.2998"
+ - " Creating 1 files"
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.1279, L0.1293, L0.1307, L0.1321, L0.1335, L0.1349, L0.1363, L0.1377, L0.1391, L0.1405, L0.1419, L0.1433, L0.1447, L0.1461, L0.1475, L0.1489, L0.1503, L0.1517, L0.1531, L0.2991"
- " Creating 1 files"
- - "**** Simulation run 264, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "**** Simulation run 269, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- "L0, all files 0b "
- - "L0.1867[962,1121] 120ns |----------------------------------------L0.1867-----------------------------------------|"
- - "L0.1881[962,1121] 121ns |----------------------------------------L0.1881-----------------------------------------|"
- - "L0.1895[962,1121] 122ns |----------------------------------------L0.1895-----------------------------------------|"
- - "L0.1909[962,1121] 123ns |----------------------------------------L0.1909-----------------------------------------|"
- - "L0.1923[962,1121] 124ns |----------------------------------------L0.1923-----------------------------------------|"
- - "L0.1937[962,1121] 125ns |----------------------------------------L0.1937-----------------------------------------|"
- - "L0.1951[962,1121] 126ns |----------------------------------------L0.1951-----------------------------------------|"
- - "L0.1965[962,1121] 127ns |----------------------------------------L0.1965-----------------------------------------|"
- - "L0.1979[962,1121] 128ns |----------------------------------------L0.1979-----------------------------------------|"
- - "L0.1993[962,1121] 129ns |----------------------------------------L0.1993-----------------------------------------|"
- - "L0.2007[962,1121] 130ns |----------------------------------------L0.2007-----------------------------------------|"
- - "L0.2021[962,1121] 131ns |----------------------------------------L0.2021-----------------------------------------|"
- - "L0.2035[962,1121] 132ns |----------------------------------------L0.2035-----------------------------------------|"
- - "L0.2049[962,1121] 133ns |----------------------------------------L0.2049-----------------------------------------|"
- - "L0.2063[962,1121] 134ns |----------------------------------------L0.2063-----------------------------------------|"
- - "L0.2189[962,1121] 135ns |----------------------------------------L0.2189-----------------------------------------|"
- - "L0.2203[962,1121] 136ns |----------------------------------------L0.2203-----------------------------------------|"
- - "L0.2077[962,1121] 137ns |----------------------------------------L0.2077-----------------------------------------|"
- - "L0.2091[962,1121] 138ns |----------------------------------------L0.2091-----------------------------------------|"
- - "L0.2105[962,1121] 139ns |----------------------------------------L0.2105-----------------------------------------|"
+ - "L0.2992[1122,1281] 77ns |----------------------------------------L0.2992-----------------------------------------|"
+ - "L0.1280[1122,1281] 78ns |----------------------------------------L0.1280-----------------------------------------|"
+ - "L0.1294[1122,1281] 79ns |----------------------------------------L0.1294-----------------------------------------|"
+ - "L0.1308[1122,1281] 80ns |----------------------------------------L0.1308-----------------------------------------|"
+ - "L0.1322[1122,1281] 81ns |----------------------------------------L0.1322-----------------------------------------|"
+ - "L0.1336[1122,1281] 82ns |----------------------------------------L0.1336-----------------------------------------|"
+ - "L0.1350[1122,1281] 83ns |----------------------------------------L0.1350-----------------------------------------|"
+ - "L0.1364[1122,1281] 84ns |----------------------------------------L0.1364-----------------------------------------|"
+ - "L0.1378[1122,1281] 85ns |----------------------------------------L0.1378-----------------------------------------|"
+ - "L0.1392[1122,1281] 86ns |----------------------------------------L0.1392-----------------------------------------|"
+ - "L0.1406[1122,1281] 87ns |----------------------------------------L0.1406-----------------------------------------|"
+ - "L0.1420[1122,1281] 88ns |----------------------------------------L0.1420-----------------------------------------|"
+ - "L0.1434[1122,1281] 89ns |----------------------------------------L0.1434-----------------------------------------|"
+ - "L0.1448[1122,1281] 90ns |----------------------------------------L0.1448-----------------------------------------|"
+ - "L0.1462[1122,1281] 91ns |----------------------------------------L0.1462-----------------------------------------|"
+ - "L0.1476[1122,1281] 92ns |----------------------------------------L0.1476-----------------------------------------|"
+ - "L0.1490[1122,1281] 93ns |----------------------------------------L0.1490-----------------------------------------|"
+ - "L0.1504[1122,1281] 94ns |----------------------------------------L0.1504-----------------------------------------|"
+ - "L0.1518[1122,1281] 95ns |----------------------------------------L0.1518-----------------------------------------|"
+ - "L0.1532[1122,1281] 96ns |----------------------------------------L0.1532-----------------------------------------|"
- "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- "L0, all files 0b "
- - "L0.?[962,1121] 139ns |------------------------------------------L0.?------------------------------------------|"
+ - "L0.?[1122,1281] 96ns |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 20 files: L0.1867, L0.1881, L0.1895, L0.1909, L0.1923, L0.1937, L0.1951, L0.1965, L0.1979, L0.1993, L0.2007, L0.2021, L0.2035, L0.2049, L0.2063, L0.2077, L0.2091, L0.2105, L0.2189, L0.2203"
+ - " Soft Deleting 20 files: L0.1280, L0.1294, L0.1308, L0.1322, L0.1336, L0.1350, L0.1364, L0.1378, L0.1392, L0.1406, L0.1420, L0.1434, L0.1448, L0.1462, L0.1476, L0.1490, L0.1504, L0.1518, L0.1532, L0.2992"
- " Creating 1 files"
- - "**** Simulation run 265, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "**** Simulation run 270, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- "L0, all files 0b "
- - "L0.2119[962,1121] 140ns |----------------------------------------L0.2119-----------------------------------------|"
- - "L0.2133[962,1121] 141ns |----------------------------------------L0.2133-----------------------------------------|"
- - "L0.2147[962,1121] 142ns |----------------------------------------L0.2147-----------------------------------------|"
- - "L0.2161[962,1121] 143ns |----------------------------------------L0.2161-----------------------------------------|"
- - "L0.2175[962,1121] 144ns |----------------------------------------L0.2175-----------------------------------------|"
- - "L0.2217[962,1121] 145ns |----------------------------------------L0.2217-----------------------------------------|"
- - "L0.2231[962,1121] 146ns |----------------------------------------L0.2231-----------------------------------------|"
- - "L0.2245[962,1121] 147ns |----------------------------------------L0.2245-----------------------------------------|"
- - "L0.2259[962,1121] 148ns |----------------------------------------L0.2259-----------------------------------------|"
- - "L0.2273[962,1121] 149ns |----------------------------------------L0.2273-----------------------------------------|"
- - "L0.2287[962,1121] 150ns |----------------------------------------L0.2287-----------------------------------------|"
- - "L0.2301[962,1121] 151ns |----------------------------------------L0.2301-----------------------------------------|"
- - "L0.2315[962,1121] 152ns |----------------------------------------L0.2315-----------------------------------------|"
- - "L0.2329[962,1121] 153ns |----------------------------------------L0.2329-----------------------------------------|"
- - "L0.2343[962,1121] 154ns |----------------------------------------L0.2343-----------------------------------------|"
- - "L0.2357[962,1121] 155ns |----------------------------------------L0.2357-----------------------------------------|"
- - "L0.2371[962,1121] 156ns |----------------------------------------L0.2371-----------------------------------------|"
- - "L0.2385[962,1121] 157ns |----------------------------------------L0.2385-----------------------------------------|"
- - "L0.2399[962,1121] 158ns |----------------------------------------L0.2399-----------------------------------------|"
- - "L0.2413[962,1121] 159ns |----------------------------------------L0.2413-----------------------------------------|"
+ - "L0.2999[20,161] 96ns |----------------------------------------L0.2999-----------------------------------------|"
+ - "L0.1539[97,161] 97ns |---------------L0.1539----------------| "
+ - "L0.1553[98,161] 98ns |---------------L0.1553----------------| "
+ - "L0.1567[99,161] 99ns |---------------L0.1567---------------| "
+ - "L0.1581[100,161] 100ns |--------------L0.1581---------------| "
+ - "L0.1595[101,161] 101ns |--------------L0.1595---------------| "
+ - "L0.1609[102,161] 102ns |--------------L0.1609--------------| "
+ - "L0.1623[103,161] 103ns |--------------L0.1623--------------| "
+ - "L0.1637[104,161] 104ns |-------------L0.1637--------------| "
+ - "L0.1651[105,161] 105ns |-------------L0.1651-------------| "
+ - "L0.1665[106,161] 106ns |-------------L0.1665-------------| "
+ - "L0.1679[107,161] 107ns |------------L0.1679-------------| "
+ - "L0.1693[108,161] 108ns |------------L0.1693------------| "
+ - "L0.1707[109,161] 109ns |------------L0.1707------------| "
+ - "L0.1721[110,161] 110ns |-----------L0.1721------------| "
+ - "L0.1735[111,161] 111ns |-----------L0.1735-----------| "
+ - "L0.1749[112,161] 112ns |-----------L0.1749-----------| "
+ - "L0.1763[113,161] 113ns |----------L0.1763-----------| "
+ - "L0.1777[114,161] 114ns |----------L0.1777-----------|"
+ - "L0.1791[115,161] 115ns |----------L0.1791----------| "
- "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- "L0, all files 0b "
- - "L0.?[962,1121] 159ns |------------------------------------------L0.?------------------------------------------|"
+ - "L0.?[20,161] 115ns |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 20 files: L0.2119, L0.2133, L0.2147, L0.2161, L0.2175, L0.2217, L0.2231, L0.2245, L0.2259, L0.2273, L0.2287, L0.2301, L0.2315, L0.2329, L0.2343, L0.2357, L0.2371, L0.2385, L0.2399, L0.2413"
+ - " Soft Deleting 20 files: L0.1539, L0.1553, L0.1567, L0.1581, L0.1595, L0.1609, L0.1623, L0.1637, L0.1651, L0.1665, L0.1679, L0.1693, L0.1707, L0.1721, L0.1735, L0.1749, L0.1763, L0.1777, L0.1791, L0.2999"
- " Creating 1 files"
- - "**** Simulation run 266, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "**** Simulation run 271, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- "L0, all files 0b "
- - "L0.2427[962,1121] 160ns |----------------------------------------L0.2427-----------------------------------------|"
- - "L0.2441[962,1121] 161ns |----------------------------------------L0.2441-----------------------------------------|"
- - "L0.2454[962,1121] 162ns |----------------------------------------L0.2454-----------------------------------------|"
- - "L0.2467[962,1121] 163ns |----------------------------------------L0.2467-----------------------------------------|"
- - "L0.2480[962,1121] 164ns |----------------------------------------L0.2480-----------------------------------------|"
- - "L0.2493[962,1121] 165ns |----------------------------------------L0.2493-----------------------------------------|"
- - "L0.2506[962,1121] 166ns |----------------------------------------L0.2506-----------------------------------------|"
- - "L0.2519[962,1121] 167ns |----------------------------------------L0.2519-----------------------------------------|"
- - "L0.2532[962,1121] 168ns |----------------------------------------L0.2532-----------------------------------------|"
- - "L0.2545[962,1121] 169ns |----------------------------------------L0.2545-----------------------------------------|"
- - "L0.2558[962,1121] 170ns |----------------------------------------L0.2558-----------------------------------------|"
- - "L0.2571[962,1121] 171ns |----------------------------------------L0.2571-----------------------------------------|"
- - "L0.2584[962,1121] 172ns |----------------------------------------L0.2584-----------------------------------------|"
- - "L0.2597[962,1121] 173ns |----------------------------------------L0.2597-----------------------------------------|"
- - "L0.2610[962,1121] 174ns |----------------------------------------L0.2610-----------------------------------------|"
- - "L0.2623[962,1121] 175ns |----------------------------------------L0.2623-----------------------------------------|"
- - "L0.2636[962,1121] 176ns |----------------------------------------L0.2636-----------------------------------------|"
- - "L0.2649[962,1121] 177ns |----------------------------------------L0.2649-----------------------------------------|"
- - "L0.2662[962,1121] 178ns |----------------------------------------L0.2662-----------------------------------------|"
- - "L0.2675[962,1121] 179ns |----------------------------------------L0.2675-----------------------------------------|"
+ - "L0.3000[162,321] 96ns |----------------------------------------L0.3000-----------------------------------------|"
+ - "L0.1540[162,321] 97ns |----------------------------------------L0.1540-----------------------------------------|"
+ - "L0.1554[162,321] 98ns |----------------------------------------L0.1554-----------------------------------------|"
+ - "L0.1568[162,321] 99ns |----------------------------------------L0.1568-----------------------------------------|"
+ - "L0.1582[162,321] 100ns |----------------------------------------L0.1582-----------------------------------------|"
+ - "L0.1596[162,321] 101ns |----------------------------------------L0.1596-----------------------------------------|"
+ - "L0.1610[162,321] 102ns |----------------------------------------L0.1610-----------------------------------------|"
+ - "L0.1624[162,321] 103ns |----------------------------------------L0.1624-----------------------------------------|"
+ - "L0.1638[162,321] 104ns |----------------------------------------L0.1638-----------------------------------------|"
+ - "L0.1652[162,321] 105ns |----------------------------------------L0.1652-----------------------------------------|"
+ - "L0.1666[162,321] 106ns |----------------------------------------L0.1666-----------------------------------------|"
+ - "L0.1680[162,321] 107ns |----------------------------------------L0.1680-----------------------------------------|"
+ - "L0.1694[162,321] 108ns |----------------------------------------L0.1694-----------------------------------------|"
+ - "L0.1708[162,321] 109ns |----------------------------------------L0.1708-----------------------------------------|"
+ - "L0.1722[162,321] 110ns |----------------------------------------L0.1722-----------------------------------------|"
+ - "L0.1736[162,321] 111ns |----------------------------------------L0.1736-----------------------------------------|"
+ - "L0.1750[162,321] 112ns |----------------------------------------L0.1750-----------------------------------------|"
+ - "L0.1764[162,321] 113ns |----------------------------------------L0.1764-----------------------------------------|"
+ - "L0.1778[162,321] 114ns |----------------------------------------L0.1778-----------------------------------------|"
+ - "L0.1792[162,321] 115ns |----------------------------------------L0.1792-----------------------------------------|"
- "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- "L0, all files 0b "
- - "L0.?[962,1121] 179ns |------------------------------------------L0.?------------------------------------------|"
+ - "L0.?[162,321] 115ns |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 20 files: L0.2427, L0.2441, L0.2454, L0.2467, L0.2480, L0.2493, L0.2506, L0.2519, L0.2532, L0.2545, L0.2558, L0.2571, L0.2584, L0.2597, L0.2610, L0.2623, L0.2636, L0.2649, L0.2662, L0.2675"
+ - " Soft Deleting 20 files: L0.1540, L0.1554, L0.1568, L0.1582, L0.1596, L0.1610, L0.1624, L0.1638, L0.1652, L0.1666, L0.1680, L0.1694, L0.1708, L0.1722, L0.1736, L0.1750, L0.1764, L0.1778, L0.1792, L0.3000"
- " Creating 1 files"
- - "**** Simulation run 267, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "**** Simulation run 272, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- "L0, all files 0b "
- - "L0.2688[962,1121] 180ns |----------------------------------------L0.2688-----------------------------------------|"
- - "L0.2701[962,1121] 181ns |----------------------------------------L0.2701-----------------------------------------|"
- - "L0.2714[962,1121] 182ns |----------------------------------------L0.2714-----------------------------------------|"
- - "L0.2727[962,1121] 183ns |----------------------------------------L0.2727-----------------------------------------|"
- - "L0.2740[962,1121] 184ns |----------------------------------------L0.2740-----------------------------------------|"
- - "L0.2753[962,1121] 185ns |----------------------------------------L0.2753-----------------------------------------|"
- - "L0.2766[962,1121] 186ns |----------------------------------------L0.2766-----------------------------------------|"
- - "L0.2779[962,1121] 187ns |----------------------------------------L0.2779-----------------------------------------|"
- - "L0.2792[962,1121] 188ns |----------------------------------------L0.2792-----------------------------------------|"
- - "L0.2805[962,1121] 189ns |----------------------------------------L0.2805-----------------------------------------|"
- - "L0.2818[962,1121] 190ns |----------------------------------------L0.2818-----------------------------------------|"
- - "L0.2831[962,1121] 191ns |----------------------------------------L0.2831-----------------------------------------|"
- - "L0.2844[962,1121] 192ns |----------------------------------------L0.2844-----------------------------------------|"
- - "L0.2857[962,1121] 193ns |----------------------------------------L0.2857-----------------------------------------|"
- - "L0.2870[962,1121] 194ns |----------------------------------------L0.2870-----------------------------------------|"
- - "L0.2883[962,1121] 195ns |----------------------------------------L0.2883-----------------------------------------|"
- - "L0.2896[962,1121] 196ns |----------------------------------------L0.2896-----------------------------------------|"
- - "L0.2909[962,1121] 197ns |----------------------------------------L0.2909-----------------------------------------|"
- - "L0.2922[962,1121] 198ns |----------------------------------------L0.2922-----------------------------------------|"
- - "L0.2935[962,1121] 199ns |----------------------------------------L0.2935-----------------------------------------|"
+ - "L0.3001[322,481] 96ns |----------------------------------------L0.3001-----------------------------------------|"
+ - "L0.1541[322,481] 97ns |----------------------------------------L0.1541-----------------------------------------|"
+ - "L0.1555[322,481] 98ns |----------------------------------------L0.1555-----------------------------------------|"
+ - "L0.1569[322,481] 99ns |----------------------------------------L0.1569-----------------------------------------|"
+ - "L0.1583[322,481] 100ns |----------------------------------------L0.1583-----------------------------------------|"
+ - "L0.1597[322,481] 101ns |----------------------------------------L0.1597-----------------------------------------|"
+ - "L0.1611[322,481] 102ns |----------------------------------------L0.1611-----------------------------------------|"
+ - "L0.1625[322,481] 103ns |----------------------------------------L0.1625-----------------------------------------|"
+ - "L0.1639[322,481] 104ns |----------------------------------------L0.1639-----------------------------------------|"
+ - "L0.1653[322,481] 105ns |----------------------------------------L0.1653-----------------------------------------|"
+ - "L0.1667[322,481] 106ns |----------------------------------------L0.1667-----------------------------------------|"
+ - "L0.1681[322,481] 107ns |----------------------------------------L0.1681-----------------------------------------|"
+ - "L0.1695[322,481] 108ns |----------------------------------------L0.1695-----------------------------------------|"
+ - "L0.1709[322,481] 109ns |----------------------------------------L0.1709-----------------------------------------|"
+ - "L0.1723[322,481] 110ns |----------------------------------------L0.1723-----------------------------------------|"
+ - "L0.1737[322,481] 111ns |----------------------------------------L0.1737-----------------------------------------|"
+ - "L0.1751[322,481] 112ns |----------------------------------------L0.1751-----------------------------------------|"
+ - "L0.1765[322,481] 113ns |----------------------------------------L0.1765-----------------------------------------|"
+ - "L0.1779[322,481] 114ns |----------------------------------------L0.1779-----------------------------------------|"
+ - "L0.1793[322,481] 115ns |----------------------------------------L0.1793-----------------------------------------|"
- "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- "L0, all files 0b "
- - "L0.?[962,1121] 199ns |------------------------------------------L0.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 20 files: L0.2688, L0.2701, L0.2714, L0.2727, L0.2740, L0.2753, L0.2766, L0.2779, L0.2792, L0.2805, L0.2818, L0.2831, L0.2844, L0.2857, L0.2870, L0.2883, L0.2896, L0.2909, L0.2922, L0.2935"
- - " Creating 1 files"
- - "**** Simulation run 268, type=compact(ManySmallFiles). 20 Input Files, 160mb total:"
- - "L0, all files 8mb "
- - "L0.208[1122,1281] 0ns |-----------------------------------------L0.208-----------------------------------------|"
- - "L0.221[1122,1281] 1ns |-----------------------------------------L0.221-----------------------------------------|"
- - "L0.234[1122,1281] 2ns |-----------------------------------------L0.234-----------------------------------------|"
- - "L0.247[1122,1281] 3ns |-----------------------------------------L0.247-----------------------------------------|"
- - "L0.260[1122,1281] 4ns |-----------------------------------------L0.260-----------------------------------------|"
- - "L0.273[1122,1281] 5ns |-----------------------------------------L0.273-----------------------------------------|"
- - "L0.286[1122,1281] 6ns |-----------------------------------------L0.286-----------------------------------------|"
- - "L0.299[1122,1281] 7ns |-----------------------------------------L0.299-----------------------------------------|"
- - "L0.312[1122,1281] 8ns |-----------------------------------------L0.312-----------------------------------------|"
- - "L0.325[1122,1281] 9ns |-----------------------------------------L0.325-----------------------------------------|"
- - "L0.338[1122,1281] 10ns |-----------------------------------------L0.338-----------------------------------------|"
- - "L0.351[1122,1281] 11ns |-----------------------------------------L0.351-----------------------------------------|"
- - "L0.364[1122,1281] 12ns |-----------------------------------------L0.364-----------------------------------------|"
- - "L0.377[1122,1281] 13ns |-----------------------------------------L0.377-----------------------------------------|"
- - "L0.390[1122,1281] 14ns |-----------------------------------------L0.390-----------------------------------------|"
- - "L0.403[1122,1281] 15ns |-----------------------------------------L0.403-----------------------------------------|"
- - "L0.416[1122,1281] 16ns |-----------------------------------------L0.416-----------------------------------------|"
- - "L0.429[1122,1281] 17ns |-----------------------------------------L0.429-----------------------------------------|"
- - "L0.442[1122,1281] 18ns |-----------------------------------------L0.442-----------------------------------------|"
- - "L0.567[1122,1281] 19ns |-----------------------------------------L0.567-----------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 160mb total:"
- - "L0, all files 160mb "
- - "L0.?[1122,1281] 19ns |------------------------------------------L0.?------------------------------------------|"
+ - "L0.?[322,481] 115ns |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 20 files: L0.208, L0.221, L0.234, L0.247, L0.260, L0.273, L0.286, L0.299, L0.312, L0.325, L0.338, L0.351, L0.364, L0.377, L0.390, L0.403, L0.416, L0.429, L0.442, L0.567"
+ - " Soft Deleting 20 files: L0.1541, L0.1555, L0.1569, L0.1583, L0.1597, L0.1611, L0.1625, L0.1639, L0.1653, L0.1667, L0.1681, L0.1695, L0.1709, L0.1723, L0.1737, L0.1751, L0.1765, L0.1779, L0.1793, L0.3001"
- " Creating 1 files"
- - "**** Simulation run 269, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "**** Simulation run 273, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- "L0, all files 0b "
- - "L0.580[1122,1281] 20ns |-----------------------------------------L0.580-----------------------------------------|"
- - "L0.455[1122,1281] 21ns |-----------------------------------------L0.455-----------------------------------------|"
- - "L0.469[1122,1281] 22ns |-----------------------------------------L0.469-----------------------------------------|"
- - "L0.483[1122,1281] 23ns |-----------------------------------------L0.483-----------------------------------------|"
- - "L0.497[1122,1281] 24ns |-----------------------------------------L0.497-----------------------------------------|"
- - "L0.511[1122,1281] 25ns |-----------------------------------------L0.511-----------------------------------------|"
- - "L0.525[1122,1281] 26ns |-----------------------------------------L0.525-----------------------------------------|"
- - "L0.539[1122,1281] 27ns |-----------------------------------------L0.539-----------------------------------------|"
- - "L0.553[1122,1281] 28ns |-----------------------------------------L0.553-----------------------------------------|"
- - "L0.594[1122,1281] 29ns |-----------------------------------------L0.594-----------------------------------------|"
- - "L0.608[1122,1281] 30ns |-----------------------------------------L0.608-----------------------------------------|"
- - "L0.622[1122,1281] 31ns |-----------------------------------------L0.622-----------------------------------------|"
- - "L0.636[1122,1281] 32ns |-----------------------------------------L0.636-----------------------------------------|"
- - "L0.650[1122,1281] 33ns |-----------------------------------------L0.650-----------------------------------------|"
- - "L0.664[1122,1281] 34ns |-----------------------------------------L0.664-----------------------------------------|"
- - "L0.678[1122,1281] 35ns |-----------------------------------------L0.678-----------------------------------------|"
- - "L0.692[1122,1281] 36ns |-----------------------------------------L0.692-----------------------------------------|"
- - "L0.706[1122,1281] 37ns |-----------------------------------------L0.706-----------------------------------------|"
- - "L0.720[1122,1281] 38ns |-----------------------------------------L0.720-----------------------------------------|"
- - "L0.734[1122,1281] 39ns |-----------------------------------------L0.734-----------------------------------------|"
+ - "L0.3002[482,641] 96ns |----------------------------------------L0.3002-----------------------------------------|"
+ - "L0.1542[482,641] 97ns |----------------------------------------L0.1542-----------------------------------------|"
+ - "L0.1556[482,641] 98ns |----------------------------------------L0.1556-----------------------------------------|"
+ - "L0.1570[482,641] 99ns |----------------------------------------L0.1570-----------------------------------------|"
+ - "L0.1584[482,641] 100ns |----------------------------------------L0.1584-----------------------------------------|"
+ - "L0.1598[482,641] 101ns |----------------------------------------L0.1598-----------------------------------------|"
+ - "L0.1612[482,641] 102ns |----------------------------------------L0.1612-----------------------------------------|"
+ - "L0.1626[482,641] 103ns |----------------------------------------L0.1626-----------------------------------------|"
+ - "L0.1640[482,641] 104ns |----------------------------------------L0.1640-----------------------------------------|"
+ - "L0.1654[482,641] 105ns |----------------------------------------L0.1654-----------------------------------------|"
+ - "L0.1668[482,641] 106ns |----------------------------------------L0.1668-----------------------------------------|"
+ - "L0.1682[482,641] 107ns |----------------------------------------L0.1682-----------------------------------------|"
+ - "L0.1696[482,641] 108ns |----------------------------------------L0.1696-----------------------------------------|"
+ - "L0.1710[482,641] 109ns |----------------------------------------L0.1710-----------------------------------------|"
+ - "L0.1724[482,641] 110ns |----------------------------------------L0.1724-----------------------------------------|"
+ - "L0.1738[482,641] 111ns |----------------------------------------L0.1738-----------------------------------------|"
+ - "L0.1752[482,641] 112ns |----------------------------------------L0.1752-----------------------------------------|"
+ - "L0.1766[482,641] 113ns |----------------------------------------L0.1766-----------------------------------------|"
+ - "L0.1780[482,641] 114ns |----------------------------------------L0.1780-----------------------------------------|"
+ - "L0.1794[482,641] 115ns |----------------------------------------L0.1794-----------------------------------------|"
- "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- "L0, all files 0b "
- - "L0.?[1122,1281] 39ns |------------------------------------------L0.?------------------------------------------|"
+ - "L0.?[482,641] 115ns |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 20 files: L0.455, L0.469, L0.483, L0.497, L0.511, L0.525, L0.539, L0.553, L0.580, L0.594, L0.608, L0.622, L0.636, L0.650, L0.664, L0.678, L0.692, L0.706, L0.720, L0.734"
+ - " Soft Deleting 20 files: L0.1542, L0.1556, L0.1570, L0.1584, L0.1598, L0.1612, L0.1626, L0.1640, L0.1654, L0.1668, L0.1682, L0.1696, L0.1710, L0.1724, L0.1738, L0.1752, L0.1766, L0.1780, L0.1794, L0.3002"
- " Creating 1 files"
- - "**** Simulation run 270, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "**** Simulation run 274, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- "L0, all files 0b "
- - "L0.748[1122,1281] 40ns |-----------------------------------------L0.748-----------------------------------------|"
- - "L0.762[1122,1281] 41ns |-----------------------------------------L0.762-----------------------------------------|"
- - "L0.776[1122,1281] 42ns |-----------------------------------------L0.776-----------------------------------------|"
- - "L0.790[1122,1281] 43ns |-----------------------------------------L0.790-----------------------------------------|"
- - "L0.804[1122,1281] 44ns |-----------------------------------------L0.804-----------------------------------------|"
- - "L0.818[1122,1281] 45ns |-----------------------------------------L0.818-----------------------------------------|"
- - "L0.832[1122,1281] 46ns |-----------------------------------------L0.832-----------------------------------------|"
- - "L0.846[1122,1281] 47ns |-----------------------------------------L0.846-----------------------------------------|"
- - "L0.860[1122,1281] 48ns |-----------------------------------------L0.860-----------------------------------------|"
- - "L0.874[1122,1281] 49ns |-----------------------------------------L0.874-----------------------------------------|"
- - "L0.888[1122,1281] 50ns |-----------------------------------------L0.888-----------------------------------------|"
- - "L0.902[1122,1281] 51ns |-----------------------------------------L0.902-----------------------------------------|"
- - "L0.916[1122,1281] 52ns |-----------------------------------------L0.916-----------------------------------------|"
- - "L0.930[1122,1281] 53ns |-----------------------------------------L0.930-----------------------------------------|"
- - "L0.944[1122,1281] 54ns |-----------------------------------------L0.944-----------------------------------------|"
- - "L0.958[1122,1281] 55ns |-----------------------------------------L0.958-----------------------------------------|"
- - "L0.972[1122,1281] 56ns |-----------------------------------------L0.972-----------------------------------------|"
- - "L0.986[1122,1281] 57ns |-----------------------------------------L0.986-----------------------------------------|"
- - "L0.1000[1122,1281] 58ns |----------------------------------------L0.1000-----------------------------------------|"
- - "L0.1014[1122,1281] 59ns |----------------------------------------L0.1014-----------------------------------------|"
+ - "L0.3003[642,801] 96ns |----------------------------------------L0.3003-----------------------------------------|"
+ - "L0.1543[642,801] 97ns |----------------------------------------L0.1543-----------------------------------------|"
+ - "L0.1557[642,801] 98ns |----------------------------------------L0.1557-----------------------------------------|"
+ - "L0.1571[642,801] 99ns |----------------------------------------L0.1571-----------------------------------------|"
+ - "L0.1585[642,801] 100ns |----------------------------------------L0.1585-----------------------------------------|"
+ - "L0.1599[642,801] 101ns |----------------------------------------L0.1599-----------------------------------------|"
+ - "L0.1613[642,801] 102ns |----------------------------------------L0.1613-----------------------------------------|"
+ - "L0.1627[642,801] 103ns |----------------------------------------L0.1627-----------------------------------------|"
+ - "L0.1641[642,801] 104ns |----------------------------------------L0.1641-----------------------------------------|"
+ - "L0.1655[642,801] 105ns |----------------------------------------L0.1655-----------------------------------------|"
+ - "L0.1669[642,801] 106ns |----------------------------------------L0.1669-----------------------------------------|"
+ - "L0.1683[642,801] 107ns |----------------------------------------L0.1683-----------------------------------------|"
+ - "L0.1697[642,801] 108ns |----------------------------------------L0.1697-----------------------------------------|"
+ - "L0.1711[642,801] 109ns |----------------------------------------L0.1711-----------------------------------------|"
+ - "L0.1725[642,801] 110ns |----------------------------------------L0.1725-----------------------------------------|"
+ - "L0.1739[642,801] 111ns |----------------------------------------L0.1739-----------------------------------------|"
+ - "L0.1753[642,801] 112ns |----------------------------------------L0.1753-----------------------------------------|"
+ - "L0.1767[642,801] 113ns |----------------------------------------L0.1767-----------------------------------------|"
+ - "L0.1781[642,801] 114ns |----------------------------------------L0.1781-----------------------------------------|"
+ - "L0.1795[642,801] 115ns |----------------------------------------L0.1795-----------------------------------------|"
- "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- "L0, all files 0b "
- - "L0.?[1122,1281] 59ns |------------------------------------------L0.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 20 files: L0.748, L0.762, L0.776, L0.790, L0.804, L0.818, L0.832, L0.846, L0.860, L0.874, L0.888, L0.902, L0.916, L0.930, L0.944, L0.958, L0.972, L0.986, L0.1000, L0.1014"
- - " Creating 1 files"
+ - "L0.?[642,801] 115ns |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 20 files: L0.1027, L0.1041, L0.1055, L0.1069, L0.1083, L0.1097, L0.1111, L0.1125, L0.1139, L0.1153, L0.1167, L0.1181, L0.1195, L0.1209, L0.1223, L0.1237, L0.1251, L0.1265, L0.1279, L0.1293"
+ - " Soft Deleting 20 files: L0.1543, L0.1557, L0.1571, L0.1585, L0.1599, L0.1613, L0.1627, L0.1641, L0.1655, L0.1669, L0.1683, L0.1697, L0.1711, L0.1725, L0.1739, L0.1753, L0.1767, L0.1781, L0.1795, L0.3003"
- " Creating 1 files"
- - "**** Simulation run 271, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "**** Simulation run 275, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- "L0, all files 0b "
- - "L0.1307[962,1121] 80ns |----------------------------------------L0.1307-----------------------------------------|"
- - "L0.1321[962,1121] 81ns |----------------------------------------L0.1321-----------------------------------------|"
- - "L0.1335[962,1121] 82ns |----------------------------------------L0.1335-----------------------------------------|"
- - "L0.1349[962,1121] 83ns |----------------------------------------L0.1349-----------------------------------------|"
- - "L0.1363[962,1121] 84ns |----------------------------------------L0.1363-----------------------------------------|"
- - "L0.1377[962,1121] 85ns |----------------------------------------L0.1377-----------------------------------------|"
- - "L0.1391[962,1121] 86ns |----------------------------------------L0.1391-----------------------------------------|"
- - "L0.1405[962,1121] 87ns |----------------------------------------L0.1405-----------------------------------------|"
- - "L0.1419[962,1121] 88ns |----------------------------------------L0.1419-----------------------------------------|"
- - "L0.1433[962,1121] 89ns |----------------------------------------L0.1433-----------------------------------------|"
- - "L0.1447[962,1121] 90ns |----------------------------------------L0.1447-----------------------------------------|"
- - "L0.1461[962,1121] 91ns |----------------------------------------L0.1461-----------------------------------------|"
- - "L0.1475[962,1121] 92ns |----------------------------------------L0.1475-----------------------------------------|"
- - "L0.1489[962,1121] 93ns |----------------------------------------L0.1489-----------------------------------------|"
- - "L0.1503[962,1121] 94ns |----------------------------------------L0.1503-----------------------------------------|"
- - "L0.1517[962,1121] 95ns |----------------------------------------L0.1517-----------------------------------------|"
- - "L0.1531[962,1121] 96ns |----------------------------------------L0.1531-----------------------------------------|"
- - "L0.1545[962,1121] 97ns |----------------------------------------L0.1545-----------------------------------------|"
- - "L0.1559[962,1121] 98ns |----------------------------------------L0.1559-----------------------------------------|"
- - "L0.1573[962,1121] 99ns |----------------------------------------L0.1573-----------------------------------------|"
+ - "L0.3004[802,961] 96ns |----------------------------------------L0.3004-----------------------------------------|"
+ - "L0.1544[802,961] 97ns |----------------------------------------L0.1544-----------------------------------------|"
+ - "L0.1558[802,961] 98ns |----------------------------------------L0.1558-----------------------------------------|"
+ - "L0.1572[802,961] 99ns |----------------------------------------L0.1572-----------------------------------------|"
+ - "L0.1586[802,961] 100ns |----------------------------------------L0.1586-----------------------------------------|"
+ - "L0.1600[802,961] 101ns |----------------------------------------L0.1600-----------------------------------------|"
+ - "L0.1614[802,961] 102ns |----------------------------------------L0.1614-----------------------------------------|"
+ - "L0.1628[802,961] 103ns |----------------------------------------L0.1628-----------------------------------------|"
+ - "L0.1642[802,961] 104ns |----------------------------------------L0.1642-----------------------------------------|"
+ - "L0.1656[802,961] 105ns |----------------------------------------L0.1656-----------------------------------------|"
+ - "L0.1670[802,961] 106ns |----------------------------------------L0.1670-----------------------------------------|"
+ - "L0.1684[802,961] 107ns |----------------------------------------L0.1684-----------------------------------------|"
+ - "L0.1698[802,961] 108ns |----------------------------------------L0.1698-----------------------------------------|"
+ - "L0.1712[802,961] 109ns |----------------------------------------L0.1712-----------------------------------------|"
+ - "L0.1726[802,961] 110ns |----------------------------------------L0.1726-----------------------------------------|"
+ - "L0.1740[802,961] 111ns |----------------------------------------L0.1740-----------------------------------------|"
+ - "L0.1754[802,961] 112ns |----------------------------------------L0.1754-----------------------------------------|"
+ - "L0.1768[802,961] 113ns |----------------------------------------L0.1768-----------------------------------------|"
+ - "L0.1782[802,961] 114ns |----------------------------------------L0.1782-----------------------------------------|"
+ - "L0.1796[802,961] 115ns |----------------------------------------L0.1796-----------------------------------------|"
- "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- "L0, all files 0b "
- - "L0.?[962,1121] 99ns |------------------------------------------L0.?------------------------------------------|"
+ - "L0.?[802,961] 115ns |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 20 files: L0.1307, L0.1321, L0.1335, L0.1349, L0.1363, L0.1377, L0.1391, L0.1405, L0.1419, L0.1433, L0.1447, L0.1461, L0.1475, L0.1489, L0.1503, L0.1517, L0.1531, L0.1545, L0.1559, L0.1573"
+ - " Soft Deleting 20 files: L0.1544, L0.1558, L0.1572, L0.1586, L0.1600, L0.1614, L0.1628, L0.1642, L0.1656, L0.1670, L0.1684, L0.1698, L0.1712, L0.1726, L0.1740, L0.1754, L0.1768, L0.1782, L0.1796, L0.3004"
- " Creating 1 files"
- - "**** Simulation run 272, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "**** Simulation run 276, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- "L0, all files 0b "
- - "L0.1028[1122,1281] 60ns |----------------------------------------L0.1028-----------------------------------------|"
- - "L0.1042[1122,1281] 61ns |----------------------------------------L0.1042-----------------------------------------|"
- - "L0.1056[1122,1281] 62ns |----------------------------------------L0.1056-----------------------------------------|"
- - "L0.1070[1122,1281] 63ns |----------------------------------------L0.1070-----------------------------------------|"
- - "L0.1084[1122,1281] 64ns |----------------------------------------L0.1084-----------------------------------------|"
- - "L0.1098[1122,1281] 65ns |----------------------------------------L0.1098-----------------------------------------|"
- - "L0.1112[1122,1281] 66ns |----------------------------------------L0.1112-----------------------------------------|"
- - "L0.1126[1122,1281] 67ns |----------------------------------------L0.1126-----------------------------------------|"
- - "L0.1140[1122,1281] 68ns |----------------------------------------L0.1140-----------------------------------------|"
- - "L0.1154[1122,1281] 69ns |----------------------------------------L0.1154-----------------------------------------|"
- - "L0.1168[1122,1281] 70ns |----------------------------------------L0.1168-----------------------------------------|"
- - "L0.1182[1122,1281] 71ns |----------------------------------------L0.1182-----------------------------------------|"
- - "L0.1196[1122,1281] 72ns |----------------------------------------L0.1196-----------------------------------------|"
- - "L0.1210[1122,1281] 73ns |----------------------------------------L0.1210-----------------------------------------|"
- - "L0.1224[1122,1281] 74ns |----------------------------------------L0.1224-----------------------------------------|"
- - "L0.1238[1122,1281] 75ns |----------------------------------------L0.1238-----------------------------------------|"
- - "L0.1252[1122,1281] 76ns |----------------------------------------L0.1252-----------------------------------------|"
- - "L0.1266[1122,1281] 77ns |----------------------------------------L0.1266-----------------------------------------|"
- - "L0.1280[1122,1281] 78ns |----------------------------------------L0.1280-----------------------------------------|"
- - "L0.1294[1122,1281] 79ns |----------------------------------------L0.1294-----------------------------------------|"
+ - "L0.3011[962,1121] 96ns |----------------------------------------L0.3011-----------------------------------------|"
+ - "L0.1545[962,1121] 97ns |----------------------------------------L0.1545-----------------------------------------|"
+ - "L0.1559[962,1121] 98ns |----------------------------------------L0.1559-----------------------------------------|"
+ - "L0.1573[962,1121] 99ns |----------------------------------------L0.1573-----------------------------------------|"
+ - "L0.1587[962,1121] 100ns |----------------------------------------L0.1587-----------------------------------------|"
+ - "L0.1601[962,1121] 101ns |----------------------------------------L0.1601-----------------------------------------|"
+ - "L0.1615[962,1121] 102ns |----------------------------------------L0.1615-----------------------------------------|"
+ - "L0.1629[962,1121] 103ns |----------------------------------------L0.1629-----------------------------------------|"
+ - "L0.1643[962,1121] 104ns |----------------------------------------L0.1643-----------------------------------------|"
+ - "L0.1657[962,1121] 105ns |----------------------------------------L0.1657-----------------------------------------|"
+ - "L0.1671[962,1121] 106ns |----------------------------------------L0.1671-----------------------------------------|"
+ - "L0.1685[962,1121] 107ns |----------------------------------------L0.1685-----------------------------------------|"
+ - "L0.1699[962,1121] 108ns |----------------------------------------L0.1699-----------------------------------------|"
+ - "L0.1713[962,1121] 109ns |----------------------------------------L0.1713-----------------------------------------|"
+ - "L0.1727[962,1121] 110ns |----------------------------------------L0.1727-----------------------------------------|"
+ - "L0.1741[962,1121] 111ns |----------------------------------------L0.1741-----------------------------------------|"
+ - "L0.1755[962,1121] 112ns |----------------------------------------L0.1755-----------------------------------------|"
+ - "L0.1769[962,1121] 113ns |----------------------------------------L0.1769-----------------------------------------|"
+ - "L0.1783[962,1121] 114ns |----------------------------------------L0.1783-----------------------------------------|"
+ - "L0.1797[962,1121] 115ns |----------------------------------------L0.1797-----------------------------------------|"
- "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- "L0, all files 0b "
- - "L0.?[1122,1281] 79ns |------------------------------------------L0.?------------------------------------------|"
+ - "L0.?[962,1121] 115ns |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 20 files: L0.1028, L0.1042, L0.1056, L0.1070, L0.1084, L0.1098, L0.1112, L0.1126, L0.1140, L0.1154, L0.1168, L0.1182, L0.1196, L0.1210, L0.1224, L0.1238, L0.1252, L0.1266, L0.1280, L0.1294"
+ - " Soft Deleting 20 files: L0.1545, L0.1559, L0.1573, L0.1587, L0.1601, L0.1615, L0.1629, L0.1643, L0.1657, L0.1671, L0.1685, L0.1699, L0.1713, L0.1727, L0.1741, L0.1755, L0.1769, L0.1783, L0.1797, L0.3011"
- " Creating 1 files"
- - "**** Simulation run 273, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "**** Simulation run 277, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- "L0, all files 0b "
- - "L0.1308[1122,1281] 80ns |----------------------------------------L0.1308-----------------------------------------|"
- - "L0.1322[1122,1281] 81ns |----------------------------------------L0.1322-----------------------------------------|"
- - "L0.1336[1122,1281] 82ns |----------------------------------------L0.1336-----------------------------------------|"
- - "L0.1350[1122,1281] 83ns |----------------------------------------L0.1350-----------------------------------------|"
- - "L0.1364[1122,1281] 84ns |----------------------------------------L0.1364-----------------------------------------|"
- - "L0.1378[1122,1281] 85ns |----------------------------------------L0.1378-----------------------------------------|"
- - "L0.1392[1122,1281] 86ns |----------------------------------------L0.1392-----------------------------------------|"
- - "L0.1406[1122,1281] 87ns |----------------------------------------L0.1406-----------------------------------------|"
- - "L0.1420[1122,1281] 88ns |----------------------------------------L0.1420-----------------------------------------|"
- - "L0.1434[1122,1281] 89ns |----------------------------------------L0.1434-----------------------------------------|"
- - "L0.1448[1122,1281] 90ns |----------------------------------------L0.1448-----------------------------------------|"
- - "L0.1462[1122,1281] 91ns |----------------------------------------L0.1462-----------------------------------------|"
- - "L0.1476[1122,1281] 92ns |----------------------------------------L0.1476-----------------------------------------|"
- - "L0.1490[1122,1281] 93ns |----------------------------------------L0.1490-----------------------------------------|"
- - "L0.1504[1122,1281] 94ns |----------------------------------------L0.1504-----------------------------------------|"
- - "L0.1518[1122,1281] 95ns |----------------------------------------L0.1518-----------------------------------------|"
- - "L0.1532[1122,1281] 96ns |----------------------------------------L0.1532-----------------------------------------|"
+ - "L0.3012[1122,1281] 96ns |----------------------------------------L0.3012-----------------------------------------|"
- "L0.1546[1122,1281] 97ns |----------------------------------------L0.1546-----------------------------------------|"
- "L0.1560[1122,1281] 98ns |----------------------------------------L0.1560-----------------------------------------|"
- "L0.1574[1122,1281] 99ns |----------------------------------------L0.1574-----------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- - "L0, all files 0b "
- - "L0.?[1122,1281] 99ns |------------------------------------------L0.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 20 files: L0.1308, L0.1322, L0.1336, L0.1350, L0.1364, L0.1378, L0.1392, L0.1406, L0.1420, L0.1434, L0.1448, L0.1462, L0.1476, L0.1490, L0.1504, L0.1518, L0.1532, L0.1546, L0.1560, L0.1574"
- - " Creating 1 files"
- - "**** Simulation run 274, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- - "L0, all files 0b "
- "L0.1588[1122,1281] 100ns |----------------------------------------L0.1588-----------------------------------------|"
- "L0.1602[1122,1281] 101ns |----------------------------------------L0.1602-----------------------------------------|"
- "L0.1616[1122,1281] 102ns |----------------------------------------L0.1616-----------------------------------------|"
@@ -7549,298 +7654,383 @@ async fn stuck_l0_large_l0s() {
- "L0.1770[1122,1281] 113ns |----------------------------------------L0.1770-----------------------------------------|"
- "L0.1784[1122,1281] 114ns |----------------------------------------L0.1784-----------------------------------------|"
- "L0.1798[1122,1281] 115ns |----------------------------------------L0.1798-----------------------------------------|"
- - "L0.1812[1122,1281] 116ns |----------------------------------------L0.1812-----------------------------------------|"
- - "L0.1826[1122,1281] 117ns |----------------------------------------L0.1826-----------------------------------------|"
- - "L0.1840[1122,1281] 118ns |----------------------------------------L0.1840-----------------------------------------|"
- - "L0.1854[1122,1281] 119ns |----------------------------------------L0.1854-----------------------------------------|"
- "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- "L0, all files 0b "
- - "L0.?[1122,1281] 119ns |------------------------------------------L0.?------------------------------------------|"
+ - "L0.?[1122,1281] 115ns |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 20 files: L0.1588, L0.1602, L0.1616, L0.1630, L0.1644, L0.1658, L0.1672, L0.1686, L0.1700, L0.1714, L0.1728, L0.1742, L0.1756, L0.1770, L0.1784, L0.1798, L0.1812, L0.1826, L0.1840, L0.1854"
+ - " Soft Deleting 20 files: L0.1546, L0.1560, L0.1574, L0.1588, L0.1602, L0.1616, L0.1630, L0.1644, L0.1658, L0.1672, L0.1686, L0.1700, L0.1714, L0.1728, L0.1742, L0.1756, L0.1770, L0.1784, L0.1798, L0.3012"
- " Creating 1 files"
- - "**** Simulation run 275, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "**** Simulation run 278, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- "L0, all files 0b "
- - "L0.1868[1122,1281] 120ns |----------------------------------------L0.1868-----------------------------------------|"
- - "L0.1882[1122,1281] 121ns |----------------------------------------L0.1882-----------------------------------------|"
- - "L0.1896[1122,1281] 122ns |----------------------------------------L0.1896-----------------------------------------|"
- - "L0.1910[1122,1281] 123ns |----------------------------------------L0.1910-----------------------------------------|"
- - "L0.1924[1122,1281] 124ns |----------------------------------------L0.1924-----------------------------------------|"
- - "L0.1938[1122,1281] 125ns |----------------------------------------L0.1938-----------------------------------------|"
- - "L0.1952[1122,1281] 126ns |----------------------------------------L0.1952-----------------------------------------|"
- - "L0.1966[1122,1281] 127ns |----------------------------------------L0.1966-----------------------------------------|"
- - "L0.1980[1122,1281] 128ns |----------------------------------------L0.1980-----------------------------------------|"
- - "L0.1994[1122,1281] 129ns |----------------------------------------L0.1994-----------------------------------------|"
- - "L0.2008[1122,1281] 130ns |----------------------------------------L0.2008-----------------------------------------|"
- - "L0.2022[1122,1281] 131ns |----------------------------------------L0.2022-----------------------------------------|"
- - "L0.2036[1122,1281] 132ns |----------------------------------------L0.2036-----------------------------------------|"
- - "L0.2050[1122,1281] 133ns |----------------------------------------L0.2050-----------------------------------------|"
- - "L0.2064[1122,1281] 134ns |----------------------------------------L0.2064-----------------------------------------|"
- - "L0.2190[1122,1281] 135ns |----------------------------------------L0.2190-----------------------------------------|"
- - "L0.2204[1122,1281] 136ns |----------------------------------------L0.2204-----------------------------------------|"
- - "L0.2078[1122,1281] 137ns |----------------------------------------L0.2078-----------------------------------------|"
- - "L0.2092[1122,1281] 138ns |----------------------------------------L0.2092-----------------------------------------|"
- - "L0.2106[1122,1281] 139ns |----------------------------------------L0.2106-----------------------------------------|"
+ - "L0.3005[1282,1441] 96ns |----------------------------------------L0.3005-----------------------------------------|"
+ - "L0.1547[1282,1441] 97ns |----------------------------------------L0.1547-----------------------------------------|"
+ - "L0.1561[1282,1441] 98ns |----------------------------------------L0.1561-----------------------------------------|"
+ - "L0.1575[1282,1441] 99ns |----------------------------------------L0.1575-----------------------------------------|"
+ - "L0.1589[1282,1441] 100ns |----------------------------------------L0.1589-----------------------------------------|"
+ - "L0.1603[1282,1441] 101ns |----------------------------------------L0.1603-----------------------------------------|"
+ - "L0.1617[1282,1441] 102ns |----------------------------------------L0.1617-----------------------------------------|"
+ - "L0.1631[1282,1441] 103ns |----------------------------------------L0.1631-----------------------------------------|"
+ - "L0.1645[1282,1441] 104ns |----------------------------------------L0.1645-----------------------------------------|"
+ - "L0.1659[1282,1441] 105ns |----------------------------------------L0.1659-----------------------------------------|"
+ - "L0.1673[1282,1441] 106ns |----------------------------------------L0.1673-----------------------------------------|"
+ - "L0.1687[1282,1441] 107ns |----------------------------------------L0.1687-----------------------------------------|"
+ - "L0.1701[1282,1441] 108ns |----------------------------------------L0.1701-----------------------------------------|"
+ - "L0.1715[1282,1441] 109ns |----------------------------------------L0.1715-----------------------------------------|"
+ - "L0.1729[1282,1441] 110ns |----------------------------------------L0.1729-----------------------------------------|"
+ - "L0.1743[1282,1441] 111ns |----------------------------------------L0.1743-----------------------------------------|"
+ - "L0.1757[1282,1441] 112ns |----------------------------------------L0.1757-----------------------------------------|"
+ - "L0.1771[1282,1441] 113ns |----------------------------------------L0.1771-----------------------------------------|"
+ - "L0.1785[1282,1441] 114ns |----------------------------------------L0.1785-----------------------------------------|"
+ - "L0.1799[1282,1441] 115ns |----------------------------------------L0.1799-----------------------------------------|"
- "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- "L0, all files 0b "
- - "L0.?[1122,1281] 139ns |------------------------------------------L0.?------------------------------------------|"
+ - "L0.?[1282,1441] 115ns |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 20 files: L0.1868, L0.1882, L0.1896, L0.1910, L0.1924, L0.1938, L0.1952, L0.1966, L0.1980, L0.1994, L0.2008, L0.2022, L0.2036, L0.2050, L0.2064, L0.2078, L0.2092, L0.2106, L0.2190, L0.2204"
+ - " Soft Deleting 20 files: L0.1547, L0.1561, L0.1575, L0.1589, L0.1603, L0.1617, L0.1631, L0.1645, L0.1659, L0.1673, L0.1687, L0.1701, L0.1715, L0.1729, L0.1743, L0.1757, L0.1771, L0.1785, L0.1799, L0.3005"
- " Creating 1 files"
- - "**** Simulation run 276, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "**** Simulation run 279, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- "L0, all files 0b "
- - "L0.2120[1122,1281] 140ns |----------------------------------------L0.2120-----------------------------------------|"
- - "L0.2134[1122,1281] 141ns |----------------------------------------L0.2134-----------------------------------------|"
- - "L0.2148[1122,1281] 142ns |----------------------------------------L0.2148-----------------------------------------|"
- - "L0.2162[1122,1281] 143ns |----------------------------------------L0.2162-----------------------------------------|"
- - "L0.2176[1122,1281] 144ns |----------------------------------------L0.2176-----------------------------------------|"
- - "L0.2218[1122,1281] 145ns |----------------------------------------L0.2218-----------------------------------------|"
- - "L0.2232[1122,1281] 146ns |----------------------------------------L0.2232-----------------------------------------|"
- - "L0.2246[1122,1281] 147ns |----------------------------------------L0.2246-----------------------------------------|"
- - "L0.2260[1122,1281] 148ns |----------------------------------------L0.2260-----------------------------------------|"
- - "L0.2274[1122,1281] 149ns |----------------------------------------L0.2274-----------------------------------------|"
- - "L0.2288[1122,1281] 150ns |----------------------------------------L0.2288-----------------------------------------|"
- - "L0.2302[1122,1281] 151ns |----------------------------------------L0.2302-----------------------------------------|"
- - "L0.2316[1122,1281] 152ns |----------------------------------------L0.2316-----------------------------------------|"
- - "L0.2330[1122,1281] 153ns |----------------------------------------L0.2330-----------------------------------------|"
- - "L0.2344[1122,1281] 154ns |----------------------------------------L0.2344-----------------------------------------|"
- - "L0.2358[1122,1281] 155ns |----------------------------------------L0.2358-----------------------------------------|"
- - "L0.2372[1122,1281] 156ns |----------------------------------------L0.2372-----------------------------------------|"
- - "L0.2386[1122,1281] 157ns |----------------------------------------L0.2386-----------------------------------------|"
- - "L0.2400[1122,1281] 158ns |----------------------------------------L0.2400-----------------------------------------|"
- - "L0.2414[1122,1281] 159ns |----------------------------------------L0.2414-----------------------------------------|"
+ - "L0.3006[1442,1601] 96ns |----------------------------------------L0.3006-----------------------------------------|"
+ - "L0.1548[1442,1601] 97ns |----------------------------------------L0.1548-----------------------------------------|"
+ - "L0.1562[1442,1601] 98ns |----------------------------------------L0.1562-----------------------------------------|"
+ - "L0.1576[1442,1601] 99ns |----------------------------------------L0.1576-----------------------------------------|"
+ - "L0.1590[1442,1601] 100ns |----------------------------------------L0.1590-----------------------------------------|"
+ - "L0.1604[1442,1601] 101ns |----------------------------------------L0.1604-----------------------------------------|"
+ - "L0.1618[1442,1601] 102ns |----------------------------------------L0.1618-----------------------------------------|"
+ - "L0.1632[1442,1601] 103ns |----------------------------------------L0.1632-----------------------------------------|"
+ - "L0.1646[1442,1601] 104ns |----------------------------------------L0.1646-----------------------------------------|"
+ - "L0.1660[1442,1601] 105ns |----------------------------------------L0.1660-----------------------------------------|"
+ - "L0.1674[1442,1601] 106ns |----------------------------------------L0.1674-----------------------------------------|"
+ - "L0.1688[1442,1601] 107ns |----------------------------------------L0.1688-----------------------------------------|"
+ - "L0.1702[1442,1601] 108ns |----------------------------------------L0.1702-----------------------------------------|"
+ - "L0.1716[1442,1601] 109ns |----------------------------------------L0.1716-----------------------------------------|"
+ - "L0.1730[1442,1601] 110ns |----------------------------------------L0.1730-----------------------------------------|"
+ - "L0.1744[1442,1601] 111ns |----------------------------------------L0.1744-----------------------------------------|"
+ - "L0.1758[1442,1601] 112ns |----------------------------------------L0.1758-----------------------------------------|"
+ - "L0.1772[1442,1601] 113ns |----------------------------------------L0.1772-----------------------------------------|"
+ - "L0.1786[1442,1601] 114ns |----------------------------------------L0.1786-----------------------------------------|"
+ - "L0.1800[1442,1601] 115ns |----------------------------------------L0.1800-----------------------------------------|"
- "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- "L0, all files 0b "
- - "L0.?[1122,1281] 159ns |------------------------------------------L0.?------------------------------------------|"
+ - "L0.?[1442,1601] 115ns |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 20 files: L0.2120, L0.2134, L0.2148, L0.2162, L0.2176, L0.2218, L0.2232, L0.2246, L0.2260, L0.2274, L0.2288, L0.2302, L0.2316, L0.2330, L0.2344, L0.2358, L0.2372, L0.2386, L0.2400, L0.2414"
+ - " Soft Deleting 20 files: L0.1548, L0.1562, L0.1576, L0.1590, L0.1604, L0.1618, L0.1632, L0.1646, L0.1660, L0.1674, L0.1688, L0.1702, L0.1716, L0.1730, L0.1744, L0.1758, L0.1772, L0.1786, L0.1800, L0.3006"
- " Creating 1 files"
- - "**** Simulation run 277, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "**** Simulation run 280, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- "L0, all files 0b "
- - "L0.2428[1122,1281] 160ns |----------------------------------------L0.2428-----------------------------------------|"
- - "L0.2442[1122,1281] 161ns |----------------------------------------L0.2442-----------------------------------------|"
- - "L0.2455[1122,1281] 162ns |----------------------------------------L0.2455-----------------------------------------|"
- - "L0.2468[1122,1281] 163ns |----------------------------------------L0.2468-----------------------------------------|"
- - "L0.2481[1122,1281] 164ns |----------------------------------------L0.2481-----------------------------------------|"
- - "L0.2494[1122,1281] 165ns |----------------------------------------L0.2494-----------------------------------------|"
- - "L0.2507[1122,1281] 166ns |----------------------------------------L0.2507-----------------------------------------|"
- - "L0.2520[1122,1281] 167ns |----------------------------------------L0.2520-----------------------------------------|"
- - "L0.2533[1122,1281] 168ns |----------------------------------------L0.2533-----------------------------------------|"
- - "L0.2546[1122,1281] 169ns |----------------------------------------L0.2546-----------------------------------------|"
- - "L0.2559[1122,1281] 170ns |----------------------------------------L0.2559-----------------------------------------|"
- - "L0.2572[1122,1281] 171ns |----------------------------------------L0.2572-----------------------------------------|"
- - "L0.2585[1122,1281] 172ns |----------------------------------------L0.2585-----------------------------------------|"
- - "L0.2598[1122,1281] 173ns |----------------------------------------L0.2598-----------------------------------------|"
- - "L0.2611[1122,1281] 174ns |----------------------------------------L0.2611-----------------------------------------|"
- - "L0.2624[1122,1281] 175ns |----------------------------------------L0.2624-----------------------------------------|"
- - "L0.2637[1122,1281] 176ns |----------------------------------------L0.2637-----------------------------------------|"
- - "L0.2650[1122,1281] 177ns |----------------------------------------L0.2650-----------------------------------------|"
- - "L0.2663[1122,1281] 178ns |----------------------------------------L0.2663-----------------------------------------|"
- - "L0.2676[1122,1281] 179ns |----------------------------------------L0.2676-----------------------------------------|"
+ - "L0.3007[1602,1761] 96ns |----------------------------------------L0.3007-----------------------------------------|"
+ - "L0.1549[1602,1761] 97ns |----------------------------------------L0.1549-----------------------------------------|"
+ - "L0.1563[1602,1761] 98ns |----------------------------------------L0.1563-----------------------------------------|"
+ - "L0.1577[1602,1761] 99ns |----------------------------------------L0.1577-----------------------------------------|"
+ - "L0.1591[1602,1761] 100ns |----------------------------------------L0.1591-----------------------------------------|"
+ - "L0.1605[1602,1761] 101ns |----------------------------------------L0.1605-----------------------------------------|"
+ - "L0.1619[1602,1761] 102ns |----------------------------------------L0.1619-----------------------------------------|"
+ - "L0.1633[1602,1761] 103ns |----------------------------------------L0.1633-----------------------------------------|"
+ - "L0.1647[1602,1761] 104ns |----------------------------------------L0.1647-----------------------------------------|"
+ - "L0.1661[1602,1761] 105ns |----------------------------------------L0.1661-----------------------------------------|"
+ - "L0.1675[1602,1761] 106ns |----------------------------------------L0.1675-----------------------------------------|"
+ - "L0.1689[1602,1761] 107ns |----------------------------------------L0.1689-----------------------------------------|"
+ - "L0.1703[1602,1761] 108ns |----------------------------------------L0.1703-----------------------------------------|"
+ - "L0.1717[1602,1761] 109ns |----------------------------------------L0.1717-----------------------------------------|"
+ - "L0.1731[1602,1761] 110ns |----------------------------------------L0.1731-----------------------------------------|"
+ - "L0.1745[1602,1761] 111ns |----------------------------------------L0.1745-----------------------------------------|"
+ - "L0.1759[1602,1761] 112ns |----------------------------------------L0.1759-----------------------------------------|"
+ - "L0.1773[1602,1761] 113ns |----------------------------------------L0.1773-----------------------------------------|"
+ - "L0.1787[1602,1761] 114ns |----------------------------------------L0.1787-----------------------------------------|"
+ - "L0.1801[1602,1761] 115ns |----------------------------------------L0.1801-----------------------------------------|"
- "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- "L0, all files 0b "
- - "L0.?[1122,1281] 179ns |------------------------------------------L0.?------------------------------------------|"
+ - "L0.?[1602,1761] 115ns |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 20 files: L0.2428, L0.2442, L0.2455, L0.2468, L0.2481, L0.2494, L0.2507, L0.2520, L0.2533, L0.2546, L0.2559, L0.2572, L0.2585, L0.2598, L0.2611, L0.2624, L0.2637, L0.2650, L0.2663, L0.2676"
+ - " Soft Deleting 20 files: L0.1549, L0.1563, L0.1577, L0.1591, L0.1605, L0.1619, L0.1633, L0.1647, L0.1661, L0.1675, L0.1689, L0.1703, L0.1717, L0.1731, L0.1745, L0.1759, L0.1773, L0.1787, L0.1801, L0.3007"
- " Creating 1 files"
- - "**** Simulation run 278, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "**** Simulation run 281, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- "L0, all files 0b "
- - "L0.2689[1122,1281] 180ns |----------------------------------------L0.2689-----------------------------------------|"
- - "L0.2702[1122,1281] 181ns |----------------------------------------L0.2702-----------------------------------------|"
- - "L0.2715[1122,1281] 182ns |----------------------------------------L0.2715-----------------------------------------|"
- - "L0.2728[1122,1281] 183ns |----------------------------------------L0.2728-----------------------------------------|"
- - "L0.2741[1122,1281] 184ns |----------------------------------------L0.2741-----------------------------------------|"
- - "L0.2754[1122,1281] 185ns |----------------------------------------L0.2754-----------------------------------------|"
- - "L0.2767[1122,1281] 186ns |----------------------------------------L0.2767-----------------------------------------|"
- - "L0.2780[1122,1281] 187ns |----------------------------------------L0.2780-----------------------------------------|"
- - "L0.2793[1122,1281] 188ns |----------------------------------------L0.2793-----------------------------------------|"
- - "L0.2806[1122,1281] 189ns |----------------------------------------L0.2806-----------------------------------------|"
- - "L0.2819[1122,1281] 190ns |----------------------------------------L0.2819-----------------------------------------|"
- - "L0.2832[1122,1281] 191ns |----------------------------------------L0.2832-----------------------------------------|"
- - "L0.2845[1122,1281] 192ns |----------------------------------------L0.2845-----------------------------------------|"
- - "L0.2858[1122,1281] 193ns |----------------------------------------L0.2858-----------------------------------------|"
- - "L0.2871[1122,1281] 194ns |----------------------------------------L0.2871-----------------------------------------|"
- - "L0.2884[1122,1281] 195ns |----------------------------------------L0.2884-----------------------------------------|"
- - "L0.2897[1122,1281] 196ns |----------------------------------------L0.2897-----------------------------------------|"
- - "L0.2910[1122,1281] 197ns |----------------------------------------L0.2910-----------------------------------------|"
- - "L0.2923[1122,1281] 198ns |----------------------------------------L0.2923-----------------------------------------|"
- - "L0.2936[1122,1281] 199ns |----------------------------------------L0.2936-----------------------------------------|"
+ - "L0.3008[1762,1921] 96ns |----------------------------------------L0.3008-----------------------------------------|"
+ - "L0.1550[1762,1921] 97ns |----------------------------------------L0.1550-----------------------------------------|"
+ - "L0.1564[1762,1921] 98ns |----------------------------------------L0.1564-----------------------------------------|"
+ - "L0.1578[1762,1921] 99ns |----------------------------------------L0.1578-----------------------------------------|"
+ - "L0.1592[1762,1921] 100ns |----------------------------------------L0.1592-----------------------------------------|"
+ - "L0.1606[1762,1921] 101ns |----------------------------------------L0.1606-----------------------------------------|"
+ - "L0.1620[1762,1921] 102ns |----------------------------------------L0.1620-----------------------------------------|"
+ - "L0.1634[1762,1921] 103ns |----------------------------------------L0.1634-----------------------------------------|"
+ - "L0.1648[1762,1921] 104ns |----------------------------------------L0.1648-----------------------------------------|"
+ - "L0.1662[1762,1921] 105ns |----------------------------------------L0.1662-----------------------------------------|"
+ - "L0.1676[1762,1921] 106ns |----------------------------------------L0.1676-----------------------------------------|"
+ - "L0.1690[1762,1921] 107ns |----------------------------------------L0.1690-----------------------------------------|"
+ - "L0.1704[1762,1921] 108ns |----------------------------------------L0.1704-----------------------------------------|"
+ - "L0.1718[1762,1921] 109ns |----------------------------------------L0.1718-----------------------------------------|"
+ - "L0.1732[1762,1921] 110ns |----------------------------------------L0.1732-----------------------------------------|"
+ - "L0.1746[1762,1921] 111ns |----------------------------------------L0.1746-----------------------------------------|"
+ - "L0.1760[1762,1921] 112ns |----------------------------------------L0.1760-----------------------------------------|"
+ - "L0.1774[1762,1921] 113ns |----------------------------------------L0.1774-----------------------------------------|"
+ - "L0.1788[1762,1921] 114ns |----------------------------------------L0.1788-----------------------------------------|"
+ - "L0.1802[1762,1921] 115ns |----------------------------------------L0.1802-----------------------------------------|"
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
+ - "L0, all files 0b "
+ - "L0.?[1762,1921] 115ns |------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.1550, L0.1564, L0.1578, L0.1592, L0.1606, L0.1620, L0.1634, L0.1648, L0.1662, L0.1676, L0.1690, L0.1704, L0.1718, L0.1732, L0.1746, L0.1760, L0.1774, L0.1788, L0.1802, L0.3008"
+ - " Creating 1 files"
+ - "**** Simulation run 282, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "L0, all files 0b "
+ - "L0.3009[1922,2086] 96ns |----------------------------------------L0.3009-----------------------------------------|"
+ - "L0.1551[1922,2086] 97ns |----------------------------------------L0.1551-----------------------------------------|"
+ - "L0.1565[1922,2086] 98ns |----------------------------------------L0.1565-----------------------------------------|"
+ - "L0.1579[1922,2086] 99ns |----------------------------------------L0.1579-----------------------------------------|"
+ - "L0.1593[1922,2086] 100ns |----------------------------------------L0.1593-----------------------------------------|"
+ - "L0.1607[1922,2086] 101ns |----------------------------------------L0.1607-----------------------------------------|"
+ - "L0.1621[1922,2086] 102ns |----------------------------------------L0.1621-----------------------------------------|"
+ - "L0.1635[1922,2086] 103ns |----------------------------------------L0.1635-----------------------------------------|"
+ - "L0.1649[1922,2086] 104ns |----------------------------------------L0.1649-----------------------------------------|"
+ - "L0.1663[1922,2086] 105ns |----------------------------------------L0.1663-----------------------------------------|"
+ - "L0.1677[1922,2086] 106ns |----------------------------------------L0.1677-----------------------------------------|"
+ - "L0.1691[1922,2086] 107ns |----------------------------------------L0.1691-----------------------------------------|"
+ - "L0.1705[1922,2086] 108ns |----------------------------------------L0.1705-----------------------------------------|"
+ - "L0.1719[1922,2086] 109ns |----------------------------------------L0.1719-----------------------------------------|"
+ - "L0.1733[1922,2086] 110ns |----------------------------------------L0.1733-----------------------------------------|"
+ - "L0.1747[1922,2086] 111ns |----------------------------------------L0.1747-----------------------------------------|"
+ - "L0.1761[1922,2086] 112ns |----------------------------------------L0.1761-----------------------------------------|"
+ - "L0.1775[1922,2086] 113ns |----------------------------------------L0.1775-----------------------------------------|"
+ - "L0.1789[1922,2086] 114ns |----------------------------------------L0.1789-----------------------------------------|"
+ - "L0.1803[1922,2086] 115ns |----------------------------------------L0.1803-----------------------------------------|"
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
+ - "L0, all files 0b "
+ - "L0.?[1922,2086] 115ns |------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.1551, L0.1565, L0.1579, L0.1593, L0.1607, L0.1621, L0.1635, L0.1649, L0.1663, L0.1677, L0.1691, L0.1705, L0.1719, L0.1733, L0.1747, L0.1761, L0.1775, L0.1789, L0.1803, L0.3009"
+ - " Creating 1 files"
+ - "**** Simulation run 283, type=compact(ManySmallFiles). 20 Input Files, 1kb total:"
+ - "L0 "
+ - "L0.3010[2087,1150000] 115ns 960b|----------------------------------L0.3010----------------------------------| "
+ - "L0.1818[2087,1160000] 116ns 10b|----------------------------------L0.1818----------------------------------| "
+ - "L0.1832[2087,1170000] 117ns 10b|----------------------------------L0.1832-----------------------------------| "
+ - "L0.1846[2087,1180000] 118ns 10b|-----------------------------------L0.1846-----------------------------------| "
+ - "L0.1860[2087,1190000] 119ns 10b|-----------------------------------L0.1860-----------------------------------| "
+ - "L0.1874[2087,1200000] 120ns 10b|-----------------------------------L0.1874------------------------------------| "
+ - "L0.1888[2087,1210000] 121ns 10b|------------------------------------L0.1888------------------------------------| "
+ - "L0.1902[2087,1220000] 122ns 10b|------------------------------------L0.1902------------------------------------| "
+ - "L0.1916[2087,1230000] 123ns 10b|------------------------------------L0.1916-------------------------------------| "
+ - "L0.1930[2087,1240000] 124ns 10b|-------------------------------------L0.1930-------------------------------------| "
+ - "L0.1944[2087,1250000] 125ns 10b|-------------------------------------L0.1944-------------------------------------| "
+ - "L0.1958[2087,1260000] 126ns 10b|-------------------------------------L0.1958--------------------------------------| "
+ - "L0.1972[2087,1270000] 127ns 10b|--------------------------------------L0.1972--------------------------------------| "
+ - "L0.1986[2087,1280000] 128ns 10b|--------------------------------------L0.1986--------------------------------------| "
+ - "L0.2000[2087,1290000] 129ns 10b|--------------------------------------L0.2000---------------------------------------| "
+ - "L0.2014[2087,1300000] 130ns 10b|---------------------------------------L0.2014---------------------------------------| "
+ - "L0.2028[2087,1310000] 131ns 10b|---------------------------------------L0.2028---------------------------------------| "
+ - "L0.2042[2087,1320000] 132ns 10b|---------------------------------------L0.2042----------------------------------------| "
+ - "L0.2056[2087,1330000] 133ns 10b|----------------------------------------L0.2056----------------------------------------| "
+ - "L0.2070[2087,1340000] 134ns 10b|----------------------------------------L0.2070-----------------------------------------|"
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 1kb total:"
+ - "L0, all files 1kb "
+ - "L0.?[2087,1340000] 134ns |------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.1818, L0.1832, L0.1846, L0.1860, L0.1874, L0.1888, L0.1902, L0.1916, L0.1930, L0.1944, L0.1958, L0.1972, L0.1986, L0.2000, L0.2014, L0.2028, L0.2042, L0.2056, L0.2070, L0.3010"
+ - " Creating 1 files"
+ - "**** Simulation run 284, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "L0, all files 0b "
+ - "L0.3013[20,161] 115ns |----------------------------------------L0.3013-----------------------------------------|"
+ - "L0.1805[116,161] 116ns |---------L0.1805----------| "
+ - "L0.1819[117,161] 117ns |---------L0.1819----------| "
+ - "L0.1833[118,161] 118ns |---------L0.1833---------| "
+ - "L0.1847[119,161] 119ns |--------L0.1847---------| "
+ - "L0.1861[120,161] 120ns |--------L0.1861---------| "
+ - "L0.1875[121,161] 121ns |--------L0.1875--------| "
+ - "L0.1889[122,161] 122ns |-------L0.1889--------| "
+ - "L0.1903[123,161] 123ns |-------L0.1903--------| "
+ - "L0.1917[124,161] 124ns |-------L0.1917-------| "
+ - "L0.1931[125,161] 125ns |------L0.1931-------| "
+ - "L0.1945[126,161] 126ns |------L0.1945-------| "
+ - "L0.1959[127,161] 127ns |------L0.1959------| "
+ - "L0.1973[128,161] 128ns |------L0.1973------| "
+ - "L0.1987[129,161] 129ns |-----L0.1987------| "
+ - "L0.2001[130,161] 130ns |-----L0.2001-----| "
+ - "L0.2015[131,161] 131ns |-----L0.2015-----| "
+ - "L0.2029[132,161] 132ns |----L0.2029-----| "
+ - "L0.2043[133,161] 133ns |----L0.2043----| "
+ - "L0.2057[134,161] 134ns |----L0.2057----| "
- "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- "L0, all files 0b "
- - "L0.?[1122,1281] 199ns |------------------------------------------L0.?------------------------------------------|"
+ - "L0.?[20,161] 134ns |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 20 files: L0.2689, L0.2702, L0.2715, L0.2728, L0.2741, L0.2754, L0.2767, L0.2780, L0.2793, L0.2806, L0.2819, L0.2832, L0.2845, L0.2858, L0.2871, L0.2884, L0.2897, L0.2910, L0.2923, L0.2936"
+ - " Soft Deleting 20 files: L0.1805, L0.1819, L0.1833, L0.1847, L0.1861, L0.1875, L0.1889, L0.1903, L0.1917, L0.1931, L0.1945, L0.1959, L0.1973, L0.1987, L0.2001, L0.2015, L0.2029, L0.2043, L0.2057, L0.3013"
- " Creating 1 files"
- - "**** Simulation run 279, type=compact(ManySmallFiles). 20 Input Files, 160mb total:"
- - "L0, all files 8mb "
- - "L0.209[1282,1441] 0ns |-----------------------------------------L0.209-----------------------------------------|"
- - "L0.222[1282,1441] 1ns |-----------------------------------------L0.222-----------------------------------------|"
- - "L0.235[1282,1441] 2ns |-----------------------------------------L0.235-----------------------------------------|"
- - "L0.248[1282,1441] 3ns |-----------------------------------------L0.248-----------------------------------------|"
- - "L0.261[1282,1441] 4ns |-----------------------------------------L0.261-----------------------------------------|"
- - "L0.274[1282,1441] 5ns |-----------------------------------------L0.274-----------------------------------------|"
- - "L0.287[1282,1441] 6ns |-----------------------------------------L0.287-----------------------------------------|"
- - "L0.300[1282,1441] 7ns |-----------------------------------------L0.300-----------------------------------------|"
- - "L0.313[1282,1441] 8ns |-----------------------------------------L0.313-----------------------------------------|"
- - "L0.326[1282,1441] 9ns |-----------------------------------------L0.326-----------------------------------------|"
- - "L0.339[1282,1441] 10ns |-----------------------------------------L0.339-----------------------------------------|"
- - "L0.352[1282,1441] 11ns |-----------------------------------------L0.352-----------------------------------------|"
- - "L0.365[1282,1441] 12ns |-----------------------------------------L0.365-----------------------------------------|"
- - "L0.378[1282,1441] 13ns |-----------------------------------------L0.378-----------------------------------------|"
- - "L0.391[1282,1441] 14ns |-----------------------------------------L0.391-----------------------------------------|"
- - "L0.404[1282,1441] 15ns |-----------------------------------------L0.404-----------------------------------------|"
- - "L0.417[1282,1441] 16ns |-----------------------------------------L0.417-----------------------------------------|"
- - "L0.430[1282,1441] 17ns |-----------------------------------------L0.430-----------------------------------------|"
- - "L0.443[1282,1441] 18ns |-----------------------------------------L0.443-----------------------------------------|"
- - "L0.568[1282,1441] 19ns |-----------------------------------------L0.568-----------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 160mb total:"
- - "L0, all files 160mb "
- - "L0.?[1282,1441] 19ns |------------------------------------------L0.?------------------------------------------|"
+ - "**** Simulation run 285, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "L0, all files 0b "
+ - "L0.3014[162,321] 115ns |----------------------------------------L0.3014-----------------------------------------|"
+ - "L0.1806[162,321] 116ns |----------------------------------------L0.1806-----------------------------------------|"
+ - "L0.1820[162,321] 117ns |----------------------------------------L0.1820-----------------------------------------|"
+ - "L0.1834[162,321] 118ns |----------------------------------------L0.1834-----------------------------------------|"
+ - "L0.1848[162,321] 119ns |----------------------------------------L0.1848-----------------------------------------|"
+ - "L0.1862[162,321] 120ns |----------------------------------------L0.1862-----------------------------------------|"
+ - "L0.1876[162,321] 121ns |----------------------------------------L0.1876-----------------------------------------|"
+ - "L0.1890[162,321] 122ns |----------------------------------------L0.1890-----------------------------------------|"
+ - "L0.1904[162,321] 123ns |----------------------------------------L0.1904-----------------------------------------|"
+ - "L0.1918[162,321] 124ns |----------------------------------------L0.1918-----------------------------------------|"
+ - "L0.1932[162,321] 125ns |----------------------------------------L0.1932-----------------------------------------|"
+ - "L0.1946[162,321] 126ns |----------------------------------------L0.1946-----------------------------------------|"
+ - "L0.1960[162,321] 127ns |----------------------------------------L0.1960-----------------------------------------|"
+ - "L0.1974[162,321] 128ns |----------------------------------------L0.1974-----------------------------------------|"
+ - "L0.1988[162,321] 129ns |----------------------------------------L0.1988-----------------------------------------|"
+ - "L0.2002[162,321] 130ns |----------------------------------------L0.2002-----------------------------------------|"
+ - "L0.2016[162,321] 131ns |----------------------------------------L0.2016-----------------------------------------|"
+ - "L0.2030[162,321] 132ns |----------------------------------------L0.2030-----------------------------------------|"
+ - "L0.2044[162,321] 133ns |----------------------------------------L0.2044-----------------------------------------|"
+ - "L0.2058[162,321] 134ns |----------------------------------------L0.2058-----------------------------------------|"
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
+ - "L0, all files 0b "
+ - "L0.?[162,321] 134ns |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 20 files: L0.209, L0.222, L0.235, L0.248, L0.261, L0.274, L0.287, L0.300, L0.313, L0.326, L0.339, L0.352, L0.365, L0.378, L0.391, L0.404, L0.417, L0.430, L0.443, L0.568"
+ - " Soft Deleting 20 files: L0.1806, L0.1820, L0.1834, L0.1848, L0.1862, L0.1876, L0.1890, L0.1904, L0.1918, L0.1932, L0.1946, L0.1960, L0.1974, L0.1988, L0.2002, L0.2016, L0.2030, L0.2044, L0.2058, L0.3014"
- " Creating 1 files"
- - "**** Simulation run 280, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "**** Simulation run 286, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- "L0, all files 0b "
- - "L0.581[1282,1441] 20ns |-----------------------------------------L0.581-----------------------------------------|"
- - "L0.456[1282,1441] 21ns |-----------------------------------------L0.456-----------------------------------------|"
- - "L0.470[1282,1441] 22ns |-----------------------------------------L0.470-----------------------------------------|"
- - "L0.484[1282,1441] 23ns |-----------------------------------------L0.484-----------------------------------------|"
- - "L0.498[1282,1441] 24ns |-----------------------------------------L0.498-----------------------------------------|"
- - "L0.512[1282,1441] 25ns |-----------------------------------------L0.512-----------------------------------------|"
- - "L0.526[1282,1441] 26ns |-----------------------------------------L0.526-----------------------------------------|"
- - "L0.540[1282,1441] 27ns |-----------------------------------------L0.540-----------------------------------------|"
- - "L0.554[1282,1441] 28ns |-----------------------------------------L0.554-----------------------------------------|"
- - "L0.595[1282,1441] 29ns |-----------------------------------------L0.595-----------------------------------------|"
- - "L0.609[1282,1441] 30ns |-----------------------------------------L0.609-----------------------------------------|"
- - "L0.623[1282,1441] 31ns |-----------------------------------------L0.623-----------------------------------------|"
- - "L0.637[1282,1441] 32ns |-----------------------------------------L0.637-----------------------------------------|"
- - "L0.651[1282,1441] 33ns |-----------------------------------------L0.651-----------------------------------------|"
- - "L0.665[1282,1441] 34ns |-----------------------------------------L0.665-----------------------------------------|"
- - "L0.679[1282,1441] 35ns |-----------------------------------------L0.679-----------------------------------------|"
- - "L0.693[1282,1441] 36ns |-----------------------------------------L0.693-----------------------------------------|"
- - "L0.707[1282,1441] 37ns |-----------------------------------------L0.707-----------------------------------------|"
- - "L0.721[1282,1441] 38ns |-----------------------------------------L0.721-----------------------------------------|"
- - "L0.735[1282,1441] 39ns |-----------------------------------------L0.735-----------------------------------------|"
+ - "L0.3015[322,481] 115ns |----------------------------------------L0.3015-----------------------------------------|"
+ - "L0.1807[322,481] 116ns |----------------------------------------L0.1807-----------------------------------------|"
+ - "L0.1821[322,481] 117ns |----------------------------------------L0.1821-----------------------------------------|"
+ - "L0.1835[322,481] 118ns |----------------------------------------L0.1835-----------------------------------------|"
+ - "L0.1849[322,481] 119ns |----------------------------------------L0.1849-----------------------------------------|"
+ - "L0.1863[322,481] 120ns |----------------------------------------L0.1863-----------------------------------------|"
+ - "L0.1877[322,481] 121ns |----------------------------------------L0.1877-----------------------------------------|"
+ - "L0.1891[322,481] 122ns |----------------------------------------L0.1891-----------------------------------------|"
+ - "L0.1905[322,481] 123ns |----------------------------------------L0.1905-----------------------------------------|"
+ - "L0.1919[322,481] 124ns |----------------------------------------L0.1919-----------------------------------------|"
+ - "L0.1933[322,481] 125ns |----------------------------------------L0.1933-----------------------------------------|"
+ - "L0.1947[322,481] 126ns |----------------------------------------L0.1947-----------------------------------------|"
+ - "L0.1961[322,481] 127ns |----------------------------------------L0.1961-----------------------------------------|"
+ - "L0.1975[322,481] 128ns |----------------------------------------L0.1975-----------------------------------------|"
+ - "L0.1989[322,481] 129ns |----------------------------------------L0.1989-----------------------------------------|"
+ - "L0.2003[322,481] 130ns |----------------------------------------L0.2003-----------------------------------------|"
+ - "L0.2017[322,481] 131ns |----------------------------------------L0.2017-----------------------------------------|"
+ - "L0.2031[322,481] 132ns |----------------------------------------L0.2031-----------------------------------------|"
+ - "L0.2045[322,481] 133ns |----------------------------------------L0.2045-----------------------------------------|"
+ - "L0.2059[322,481] 134ns |----------------------------------------L0.2059-----------------------------------------|"
- "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- "L0, all files 0b "
- - "L0.?[1282,1441] 39ns |------------------------------------------L0.?------------------------------------------|"
+ - "L0.?[322,481] 134ns |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 20 files: L0.456, L0.470, L0.484, L0.498, L0.512, L0.526, L0.540, L0.554, L0.581, L0.595, L0.609, L0.623, L0.637, L0.651, L0.665, L0.679, L0.693, L0.707, L0.721, L0.735"
+ - " Soft Deleting 20 files: L0.1807, L0.1821, L0.1835, L0.1849, L0.1863, L0.1877, L0.1891, L0.1905, L0.1919, L0.1933, L0.1947, L0.1961, L0.1975, L0.1989, L0.2003, L0.2017, L0.2031, L0.2045, L0.2059, L0.3015"
- " Creating 1 files"
- - "**** Simulation run 281, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "**** Simulation run 287, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- "L0, all files 0b "
- - "L0.749[1282,1441] 40ns |-----------------------------------------L0.749-----------------------------------------|"
- - "L0.763[1282,1441] 41ns |-----------------------------------------L0.763-----------------------------------------|"
- - "L0.777[1282,1441] 42ns |-----------------------------------------L0.777-----------------------------------------|"
- - "L0.791[1282,1441] 43ns |-----------------------------------------L0.791-----------------------------------------|"
- - "L0.805[1282,1441] 44ns |-----------------------------------------L0.805-----------------------------------------|"
- - "L0.819[1282,1441] 45ns |-----------------------------------------L0.819-----------------------------------------|"
- - "L0.833[1282,1441] 46ns |-----------------------------------------L0.833-----------------------------------------|"
- - "L0.847[1282,1441] 47ns |-----------------------------------------L0.847-----------------------------------------|"
- - "L0.861[1282,1441] 48ns |-----------------------------------------L0.861-----------------------------------------|"
- - "L0.875[1282,1441] 49ns |-----------------------------------------L0.875-----------------------------------------|"
- - "L0.889[1282,1441] 50ns |-----------------------------------------L0.889-----------------------------------------|"
- - "L0.903[1282,1441] 51ns |-----------------------------------------L0.903-----------------------------------------|"
- - "L0.917[1282,1441] 52ns |-----------------------------------------L0.917-----------------------------------------|"
- - "L0.931[1282,1441] 53ns |-----------------------------------------L0.931-----------------------------------------|"
- - "L0.945[1282,1441] 54ns |-----------------------------------------L0.945-----------------------------------------|"
- - "L0.959[1282,1441] 55ns |-----------------------------------------L0.959-----------------------------------------|"
- - "L0.973[1282,1441] 56ns |-----------------------------------------L0.973-----------------------------------------|"
- - "L0.987[1282,1441] 57ns |-----------------------------------------L0.987-----------------------------------------|"
- - "L0.1001[1282,1441] 58ns |----------------------------------------L0.1001-----------------------------------------|"
- - "L0.1015[1282,1441] 59ns |----------------------------------------L0.1015-----------------------------------------|"
+ - "L0.3016[482,641] 115ns |----------------------------------------L0.3016-----------------------------------------|"
+ - "L0.1808[482,641] 116ns |----------------------------------------L0.1808-----------------------------------------|"
+ - "L0.1822[482,641] 117ns |----------------------------------------L0.1822-----------------------------------------|"
+ - "L0.1836[482,641] 118ns |----------------------------------------L0.1836-----------------------------------------|"
+ - "L0.1850[482,641] 119ns |----------------------------------------L0.1850-----------------------------------------|"
+ - "L0.1864[482,641] 120ns |----------------------------------------L0.1864-----------------------------------------|"
+ - "L0.1878[482,641] 121ns |----------------------------------------L0.1878-----------------------------------------|"
+ - "L0.1892[482,641] 122ns |----------------------------------------L0.1892-----------------------------------------|"
+ - "L0.1906[482,641] 123ns |----------------------------------------L0.1906-----------------------------------------|"
+ - "L0.1920[482,641] 124ns |----------------------------------------L0.1920-----------------------------------------|"
+ - "L0.1934[482,641] 125ns |----------------------------------------L0.1934-----------------------------------------|"
+ - "L0.1948[482,641] 126ns |----------------------------------------L0.1948-----------------------------------------|"
+ - "L0.1962[482,641] 127ns |----------------------------------------L0.1962-----------------------------------------|"
+ - "L0.1976[482,641] 128ns |----------------------------------------L0.1976-----------------------------------------|"
+ - "L0.1990[482,641] 129ns |----------------------------------------L0.1990-----------------------------------------|"
+ - "L0.2004[482,641] 130ns |----------------------------------------L0.2004-----------------------------------------|"
+ - "L0.2018[482,641] 131ns |----------------------------------------L0.2018-----------------------------------------|"
+ - "L0.2032[482,641] 132ns |----------------------------------------L0.2032-----------------------------------------|"
+ - "L0.2046[482,641] 133ns |----------------------------------------L0.2046-----------------------------------------|"
+ - "L0.2060[482,641] 134ns |----------------------------------------L0.2060-----------------------------------------|"
- "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- "L0, all files 0b "
- - "L0.?[1282,1441] 59ns |------------------------------------------L0.?------------------------------------------|"
+ - "L0.?[482,641] 134ns |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 20 files: L0.749, L0.763, L0.777, L0.791, L0.805, L0.819, L0.833, L0.847, L0.861, L0.875, L0.889, L0.903, L0.917, L0.931, L0.945, L0.959, L0.973, L0.987, L0.1001, L0.1015"
+ - " Soft Deleting 20 files: L0.1808, L0.1822, L0.1836, L0.1850, L0.1864, L0.1878, L0.1892, L0.1906, L0.1920, L0.1934, L0.1948, L0.1962, L0.1976, L0.1990, L0.2004, L0.2018, L0.2032, L0.2046, L0.2060, L0.3016"
- " Creating 1 files"
- - "**** Simulation run 282, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "**** Simulation run 288, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- "L0, all files 0b "
- - "L0.1029[1282,1441] 60ns |----------------------------------------L0.1029-----------------------------------------|"
- - "L0.1043[1282,1441] 61ns |----------------------------------------L0.1043-----------------------------------------|"
- - "L0.1057[1282,1441] 62ns |----------------------------------------L0.1057-----------------------------------------|"
- - "L0.1071[1282,1441] 63ns |----------------------------------------L0.1071-----------------------------------------|"
- - "L0.1085[1282,1441] 64ns |----------------------------------------L0.1085-----------------------------------------|"
- - "L0.1099[1282,1441] 65ns |----------------------------------------L0.1099-----------------------------------------|"
- - "L0.1113[1282,1441] 66ns |----------------------------------------L0.1113-----------------------------------------|"
- - "L0.1127[1282,1441] 67ns |----------------------------------------L0.1127-----------------------------------------|"
- - "L0.1141[1282,1441] 68ns |----------------------------------------L0.1141-----------------------------------------|"
- - "L0.1155[1282,1441] 69ns |----------------------------------------L0.1155-----------------------------------------|"
- - "L0.1169[1282,1441] 70ns |----------------------------------------L0.1169-----------------------------------------|"
- - "L0.1183[1282,1441] 71ns |----------------------------------------L0.1183-----------------------------------------|"
- - "L0.1197[1282,1441] 72ns |----------------------------------------L0.1197-----------------------------------------|"
- - "L0.1211[1282,1441] 73ns |----------------------------------------L0.1211-----------------------------------------|"
- - "L0.1225[1282,1441] 74ns |----------------------------------------L0.1225-----------------------------------------|"
- - "L0.1239[1282,1441] 75ns |----------------------------------------L0.1239-----------------------------------------|"
- - "L0.1253[1282,1441] 76ns |----------------------------------------L0.1253-----------------------------------------|"
- - "L0.1267[1282,1441] 77ns |----------------------------------------L0.1267-----------------------------------------|"
- - "L0.1281[1282,1441] 78ns |----------------------------------------L0.1281-----------------------------------------|"
- - "L0.1295[1282,1441] 79ns |----------------------------------------L0.1295-----------------------------------------|"
+ - "L0.3018[802,961] 115ns |----------------------------------------L0.3018-----------------------------------------|"
+ - "L0.1810[802,961] 116ns |----------------------------------------L0.1810-----------------------------------------|"
+ - "L0.1824[802,961] 117ns |----------------------------------------L0.1824-----------------------------------------|"
+ - "L0.1838[802,961] 118ns |----------------------------------------L0.1838-----------------------------------------|"
+ - "L0.1852[802,961] 119ns |----------------------------------------L0.1852-----------------------------------------|"
+ - "L0.1866[802,961] 120ns |----------------------------------------L0.1866-----------------------------------------|"
+ - "L0.1880[802,961] 121ns |----------------------------------------L0.1880-----------------------------------------|"
+ - "L0.1894[802,961] 122ns |----------------------------------------L0.1894-----------------------------------------|"
+ - "L0.1908[802,961] 123ns |----------------------------------------L0.1908-----------------------------------------|"
+ - "L0.1922[802,961] 124ns |----------------------------------------L0.1922-----------------------------------------|"
+ - "L0.1936[802,961] 125ns |----------------------------------------L0.1936-----------------------------------------|"
+ - "L0.1950[802,961] 126ns |----------------------------------------L0.1950-----------------------------------------|"
+ - "L0.1964[802,961] 127ns |----------------------------------------L0.1964-----------------------------------------|"
+ - "L0.1978[802,961] 128ns |----------------------------------------L0.1978-----------------------------------------|"
+ - "L0.1992[802,961] 129ns |----------------------------------------L0.1992-----------------------------------------|"
+ - "L0.2006[802,961] 130ns |----------------------------------------L0.2006-----------------------------------------|"
+ - "L0.2020[802,961] 131ns |----------------------------------------L0.2020-----------------------------------------|"
+ - "L0.2034[802,961] 132ns |----------------------------------------L0.2034-----------------------------------------|"
+ - "L0.2048[802,961] 133ns |----------------------------------------L0.2048-----------------------------------------|"
+ - "L0.2062[802,961] 134ns |----------------------------------------L0.2062-----------------------------------------|"
- "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- "L0, all files 0b "
- - "L0.?[1282,1441] 79ns |------------------------------------------L0.?------------------------------------------|"
+ - "L0.?[802,961] 134ns |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 20 files: L0.1029, L0.1043, L0.1057, L0.1071, L0.1085, L0.1099, L0.1113, L0.1127, L0.1141, L0.1155, L0.1169, L0.1183, L0.1197, L0.1211, L0.1225, L0.1239, L0.1253, L0.1267, L0.1281, L0.1295"
+ - " Soft Deleting 20 files: L0.1810, L0.1824, L0.1838, L0.1852, L0.1866, L0.1880, L0.1894, L0.1908, L0.1922, L0.1936, L0.1950, L0.1964, L0.1978, L0.1992, L0.2006, L0.2020, L0.2034, L0.2048, L0.2062, L0.3018"
- " Creating 1 files"
- - "**** Simulation run 283, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "**** Simulation run 289, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- "L0, all files 0b "
- - "L0.1309[1282,1441] 80ns |----------------------------------------L0.1309-----------------------------------------|"
- - "L0.1323[1282,1441] 81ns |----------------------------------------L0.1323-----------------------------------------|"
- - "L0.1337[1282,1441] 82ns |----------------------------------------L0.1337-----------------------------------------|"
- - "L0.1351[1282,1441] 83ns |----------------------------------------L0.1351-----------------------------------------|"
- - "L0.1365[1282,1441] 84ns |----------------------------------------L0.1365-----------------------------------------|"
- - "L0.1379[1282,1441] 85ns |----------------------------------------L0.1379-----------------------------------------|"
- - "L0.1393[1282,1441] 86ns |----------------------------------------L0.1393-----------------------------------------|"
- - "L0.1407[1282,1441] 87ns |----------------------------------------L0.1407-----------------------------------------|"
- - "L0.1421[1282,1441] 88ns |----------------------------------------L0.1421-----------------------------------------|"
- - "L0.1435[1282,1441] 89ns |----------------------------------------L0.1435-----------------------------------------|"
- - "L0.1449[1282,1441] 90ns |----------------------------------------L0.1449-----------------------------------------|"
- - "L0.1463[1282,1441] 91ns |----------------------------------------L0.1463-----------------------------------------|"
- - "L0.1477[1282,1441] 92ns |----------------------------------------L0.1477-----------------------------------------|"
- - "L0.1491[1282,1441] 93ns |----------------------------------------L0.1491-----------------------------------------|"
- - "L0.1505[1282,1441] 94ns |----------------------------------------L0.1505-----------------------------------------|"
- - "L0.1519[1282,1441] 95ns |----------------------------------------L0.1519-----------------------------------------|"
- - "L0.1533[1282,1441] 96ns |----------------------------------------L0.1533-----------------------------------------|"
- - "L0.1547[1282,1441] 97ns |----------------------------------------L0.1547-----------------------------------------|"
- - "L0.1561[1282,1441] 98ns |----------------------------------------L0.1561-----------------------------------------|"
- - "L0.1575[1282,1441] 99ns |----------------------------------------L0.1575-----------------------------------------|"
+ - "L0.3019[962,1121] 115ns |----------------------------------------L0.3019-----------------------------------------|"
+ - "L0.1811[962,1121] 116ns |----------------------------------------L0.1811-----------------------------------------|"
+ - "L0.1825[962,1121] 117ns |----------------------------------------L0.1825-----------------------------------------|"
+ - "L0.1839[962,1121] 118ns |----------------------------------------L0.1839-----------------------------------------|"
+ - "L0.1853[962,1121] 119ns |----------------------------------------L0.1853-----------------------------------------|"
+ - "L0.1867[962,1121] 120ns |----------------------------------------L0.1867-----------------------------------------|"
+ - "L0.1881[962,1121] 121ns |----------------------------------------L0.1881-----------------------------------------|"
+ - "L0.1895[962,1121] 122ns |----------------------------------------L0.1895-----------------------------------------|"
+ - "L0.1909[962,1121] 123ns |----------------------------------------L0.1909-----------------------------------------|"
+ - "L0.1923[962,1121] 124ns |----------------------------------------L0.1923-----------------------------------------|"
+ - "L0.1937[962,1121] 125ns |----------------------------------------L0.1937-----------------------------------------|"
+ - "L0.1951[962,1121] 126ns |----------------------------------------L0.1951-----------------------------------------|"
+ - "L0.1965[962,1121] 127ns |----------------------------------------L0.1965-----------------------------------------|"
+ - "L0.1979[962,1121] 128ns |----------------------------------------L0.1979-----------------------------------------|"
+ - "L0.1993[962,1121] 129ns |----------------------------------------L0.1993-----------------------------------------|"
+ - "L0.2007[962,1121] 130ns |----------------------------------------L0.2007-----------------------------------------|"
+ - "L0.2021[962,1121] 131ns |----------------------------------------L0.2021-----------------------------------------|"
+ - "L0.2035[962,1121] 132ns |----------------------------------------L0.2035-----------------------------------------|"
+ - "L0.2049[962,1121] 133ns |----------------------------------------L0.2049-----------------------------------------|"
+ - "L0.2063[962,1121] 134ns |----------------------------------------L0.2063-----------------------------------------|"
- "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- "L0, all files 0b "
- - "L0.?[1282,1441] 99ns |------------------------------------------L0.?------------------------------------------|"
+ - "L0.?[962,1121] 134ns |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 20 files: L0.1309, L0.1323, L0.1337, L0.1351, L0.1365, L0.1379, L0.1393, L0.1407, L0.1421, L0.1435, L0.1449, L0.1463, L0.1477, L0.1491, L0.1505, L0.1519, L0.1533, L0.1547, L0.1561, L0.1575"
+ - " Soft Deleting 20 files: L0.1811, L0.1825, L0.1839, L0.1853, L0.1867, L0.1881, L0.1895, L0.1909, L0.1923, L0.1937, L0.1951, L0.1965, L0.1979, L0.1993, L0.2007, L0.2021, L0.2035, L0.2049, L0.2063, L0.3019"
- " Creating 1 files"
- - "**** Simulation run 284, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "**** Simulation run 290, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- "L0, all files 0b "
- - "L0.1589[1282,1441] 100ns |----------------------------------------L0.1589-----------------------------------------|"
- - "L0.1603[1282,1441] 101ns |----------------------------------------L0.1603-----------------------------------------|"
- - "L0.1617[1282,1441] 102ns |----------------------------------------L0.1617-----------------------------------------|"
- - "L0.1631[1282,1441] 103ns |----------------------------------------L0.1631-----------------------------------------|"
- - "L0.1645[1282,1441] 104ns |----------------------------------------L0.1645-----------------------------------------|"
- - "L0.1659[1282,1441] 105ns |----------------------------------------L0.1659-----------------------------------------|"
- - "L0.1673[1282,1441] 106ns |----------------------------------------L0.1673-----------------------------------------|"
- - "L0.1687[1282,1441] 107ns |----------------------------------------L0.1687-----------------------------------------|"
- - "L0.1701[1282,1441] 108ns |----------------------------------------L0.1701-----------------------------------------|"
- - "L0.1715[1282,1441] 109ns |----------------------------------------L0.1715-----------------------------------------|"
- - "L0.1729[1282,1441] 110ns |----------------------------------------L0.1729-----------------------------------------|"
- - "L0.1743[1282,1441] 111ns |----------------------------------------L0.1743-----------------------------------------|"
- - "L0.1757[1282,1441] 112ns |----------------------------------------L0.1757-----------------------------------------|"
- - "L0.1771[1282,1441] 113ns |----------------------------------------L0.1771-----------------------------------------|"
- - "L0.1785[1282,1441] 114ns |----------------------------------------L0.1785-----------------------------------------|"
- - "L0.1799[1282,1441] 115ns |----------------------------------------L0.1799-----------------------------------------|"
- - "L0.1813[1282,1441] 116ns |----------------------------------------L0.1813-----------------------------------------|"
- - "L0.1827[1282,1441] 117ns |----------------------------------------L0.1827-----------------------------------------|"
- - "L0.1841[1282,1441] 118ns |----------------------------------------L0.1841-----------------------------------------|"
- - "L0.1855[1282,1441] 119ns |----------------------------------------L0.1855-----------------------------------------|"
+ - "L0.3020[1122,1281] 115ns |----------------------------------------L0.3020-----------------------------------------|"
+ - "L0.1812[1122,1281] 116ns |----------------------------------------L0.1812-----------------------------------------|"
+ - "L0.1826[1122,1281] 117ns |----------------------------------------L0.1826-----------------------------------------|"
+ - "L0.1840[1122,1281] 118ns |----------------------------------------L0.1840-----------------------------------------|"
+ - "L0.1854[1122,1281] 119ns |----------------------------------------L0.1854-----------------------------------------|"
+ - "L0.1868[1122,1281] 120ns |----------------------------------------L0.1868-----------------------------------------|"
+ - "L0.1882[1122,1281] 121ns |----------------------------------------L0.1882-----------------------------------------|"
+ - "L0.1896[1122,1281] 122ns |----------------------------------------L0.1896-----------------------------------------|"
+ - "L0.1910[1122,1281] 123ns |----------------------------------------L0.1910-----------------------------------------|"
+ - "L0.1924[1122,1281] 124ns |----------------------------------------L0.1924-----------------------------------------|"
+ - "L0.1938[1122,1281] 125ns |----------------------------------------L0.1938-----------------------------------------|"
+ - "L0.1952[1122,1281] 126ns |----------------------------------------L0.1952-----------------------------------------|"
+ - "L0.1966[1122,1281] 127ns |----------------------------------------L0.1966-----------------------------------------|"
+ - "L0.1980[1122,1281] 128ns |----------------------------------------L0.1980-----------------------------------------|"
+ - "L0.1994[1122,1281] 129ns |----------------------------------------L0.1994-----------------------------------------|"
+ - "L0.2008[1122,1281] 130ns |----------------------------------------L0.2008-----------------------------------------|"
+ - "L0.2022[1122,1281] 131ns |----------------------------------------L0.2022-----------------------------------------|"
+ - "L0.2036[1122,1281] 132ns |----------------------------------------L0.2036-----------------------------------------|"
+ - "L0.2050[1122,1281] 133ns |----------------------------------------L0.2050-----------------------------------------|"
+ - "L0.2064[1122,1281] 134ns |----------------------------------------L0.2064-----------------------------------------|"
- "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- "L0, all files 0b "
- - "L0.?[1282,1441] 119ns |------------------------------------------L0.?------------------------------------------|"
+ - "L0.?[1122,1281] 134ns |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 20 files: L0.1589, L0.1603, L0.1617, L0.1631, L0.1645, L0.1659, L0.1673, L0.1687, L0.1701, L0.1715, L0.1729, L0.1743, L0.1757, L0.1771, L0.1785, L0.1799, L0.1813, L0.1827, L0.1841, L0.1855"
+ - " Soft Deleting 20 files: L0.1812, L0.1826, L0.1840, L0.1854, L0.1868, L0.1882, L0.1896, L0.1910, L0.1924, L0.1938, L0.1952, L0.1966, L0.1980, L0.1994, L0.2008, L0.2022, L0.2036, L0.2050, L0.2064, L0.3020"
- " Creating 1 files"
- - "**** Simulation run 285, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "**** Simulation run 291, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- "L0, all files 0b "
+ - "L0.3021[1282,1441] 115ns |----------------------------------------L0.3021-----------------------------------------|"
+ - "L0.1813[1282,1441] 116ns |----------------------------------------L0.1813-----------------------------------------|"
+ - "L0.1827[1282,1441] 117ns |----------------------------------------L0.1827-----------------------------------------|"
+ - "L0.1841[1282,1441] 118ns |----------------------------------------L0.1841-----------------------------------------|"
+ - "L0.1855[1282,1441] 119ns |----------------------------------------L0.1855-----------------------------------------|"
- "L0.1869[1282,1441] 120ns |----------------------------------------L0.1869-----------------------------------------|"
- "L0.1883[1282,1441] 121ns |----------------------------------------L0.1883-----------------------------------------|"
- "L0.1897[1282,1441] 122ns |----------------------------------------L0.1897-----------------------------------------|"
@@ -7856,856 +8046,880 @@ async fn stuck_l0_large_l0s() {
- "L0.2037[1282,1441] 132ns |----------------------------------------L0.2037-----------------------------------------|"
- "L0.2051[1282,1441] 133ns |----------------------------------------L0.2051-----------------------------------------|"
- "L0.2065[1282,1441] 134ns |----------------------------------------L0.2065-----------------------------------------|"
- - "L0.2191[1282,1441] 135ns |----------------------------------------L0.2191-----------------------------------------|"
- - "L0.2205[1282,1441] 136ns |----------------------------------------L0.2205-----------------------------------------|"
- - "L0.2079[1282,1441] 137ns |----------------------------------------L0.2079-----------------------------------------|"
- - "L0.2093[1282,1441] 138ns |----------------------------------------L0.2093-----------------------------------------|"
- - "L0.2107[1282,1441] 139ns |----------------------------------------L0.2107-----------------------------------------|"
- "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- "L0, all files 0b "
- - "L0.?[1282,1441] 139ns |------------------------------------------L0.?------------------------------------------|"
+ - "L0.?[1282,1441] 134ns |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 20 files: L0.1869, L0.1883, L0.1897, L0.1911, L0.1925, L0.1939, L0.1953, L0.1967, L0.1981, L0.1995, L0.2009, L0.2023, L0.2037, L0.2051, L0.2065, L0.2079, L0.2093, L0.2107, L0.2191, L0.2205"
+ - " Soft Deleting 20 files: L0.1813, L0.1827, L0.1841, L0.1855, L0.1869, L0.1883, L0.1897, L0.1911, L0.1925, L0.1939, L0.1953, L0.1967, L0.1981, L0.1995, L0.2009, L0.2023, L0.2037, L0.2051, L0.2065, L0.3021"
- " Creating 1 files"
- - "**** Simulation run 286, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "**** Simulation run 292, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- "L0, all files 0b "
- - "L0.2121[1282,1441] 140ns |----------------------------------------L0.2121-----------------------------------------|"
- - "L0.2135[1282,1441] 141ns |----------------------------------------L0.2135-----------------------------------------|"
- - "L0.2149[1282,1441] 142ns |----------------------------------------L0.2149-----------------------------------------|"
- - "L0.2163[1282,1441] 143ns |----------------------------------------L0.2163-----------------------------------------|"
- - "L0.2177[1282,1441] 144ns |----------------------------------------L0.2177-----------------------------------------|"
- - "L0.2219[1282,1441] 145ns |----------------------------------------L0.2219-----------------------------------------|"
- - "L0.2233[1282,1441] 146ns |----------------------------------------L0.2233-----------------------------------------|"
- - "L0.2247[1282,1441] 147ns |----------------------------------------L0.2247-----------------------------------------|"
- - "L0.2261[1282,1441] 148ns |----------------------------------------L0.2261-----------------------------------------|"
- - "L0.2275[1282,1441] 149ns |----------------------------------------L0.2275-----------------------------------------|"
- - "L0.2289[1282,1441] 150ns |----------------------------------------L0.2289-----------------------------------------|"
- - "L0.2303[1282,1441] 151ns |----------------------------------------L0.2303-----------------------------------------|"
- - "L0.2317[1282,1441] 152ns |----------------------------------------L0.2317-----------------------------------------|"
- - "L0.2331[1282,1441] 153ns |----------------------------------------L0.2331-----------------------------------------|"
- - "L0.2345[1282,1441] 154ns |----------------------------------------L0.2345-----------------------------------------|"
- - "L0.2359[1282,1441] 155ns |----------------------------------------L0.2359-----------------------------------------|"
- - "L0.2373[1282,1441] 156ns |----------------------------------------L0.2373-----------------------------------------|"
- - "L0.2387[1282,1441] 157ns |----------------------------------------L0.2387-----------------------------------------|"
- - "L0.2401[1282,1441] 158ns |----------------------------------------L0.2401-----------------------------------------|"
- - "L0.2415[1282,1441] 159ns |----------------------------------------L0.2415-----------------------------------------|"
+ - "L0.3022[1442,1601] 115ns |----------------------------------------L0.3022-----------------------------------------|"
+ - "L0.1814[1442,1601] 116ns |----------------------------------------L0.1814-----------------------------------------|"
+ - "L0.1828[1442,1601] 117ns |----------------------------------------L0.1828-----------------------------------------|"
+ - "L0.1842[1442,1601] 118ns |----------------------------------------L0.1842-----------------------------------------|"
+ - "L0.1856[1442,1601] 119ns |----------------------------------------L0.1856-----------------------------------------|"
+ - "L0.1870[1442,1601] 120ns |----------------------------------------L0.1870-----------------------------------------|"
+ - "L0.1884[1442,1601] 121ns |----------------------------------------L0.1884-----------------------------------------|"
+ - "L0.1898[1442,1601] 122ns |----------------------------------------L0.1898-----------------------------------------|"
+ - "L0.1912[1442,1601] 123ns |----------------------------------------L0.1912-----------------------------------------|"
+ - "L0.1926[1442,1601] 124ns |----------------------------------------L0.1926-----------------------------------------|"
+ - "L0.1940[1442,1601] 125ns |----------------------------------------L0.1940-----------------------------------------|"
+ - "L0.1954[1442,1601] 126ns |----------------------------------------L0.1954-----------------------------------------|"
+ - "L0.1968[1442,1601] 127ns |----------------------------------------L0.1968-----------------------------------------|"
+ - "L0.1982[1442,1601] 128ns |----------------------------------------L0.1982-----------------------------------------|"
+ - "L0.1996[1442,1601] 129ns |----------------------------------------L0.1996-----------------------------------------|"
+ - "L0.2010[1442,1601] 130ns |----------------------------------------L0.2010-----------------------------------------|"
+ - "L0.2024[1442,1601] 131ns |----------------------------------------L0.2024-----------------------------------------|"
+ - "L0.2038[1442,1601] 132ns |----------------------------------------L0.2038-----------------------------------------|"
+ - "L0.2052[1442,1601] 133ns |----------------------------------------L0.2052-----------------------------------------|"
+ - "L0.2066[1442,1601] 134ns |----------------------------------------L0.2066-----------------------------------------|"
- "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- "L0, all files 0b "
- - "L0.?[1282,1441] 159ns |------------------------------------------L0.?------------------------------------------|"
+ - "L0.?[1442,1601] 134ns |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 20 files: L0.2121, L0.2135, L0.2149, L0.2163, L0.2177, L0.2219, L0.2233, L0.2247, L0.2261, L0.2275, L0.2289, L0.2303, L0.2317, L0.2331, L0.2345, L0.2359, L0.2373, L0.2387, L0.2401, L0.2415"
+ - " Soft Deleting 20 files: L0.1814, L0.1828, L0.1842, L0.1856, L0.1870, L0.1884, L0.1898, L0.1912, L0.1926, L0.1940, L0.1954, L0.1968, L0.1982, L0.1996, L0.2010, L0.2024, L0.2038, L0.2052, L0.2066, L0.3022"
- " Creating 1 files"
- - "**** Simulation run 287, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "**** Simulation run 293, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- "L0, all files 0b "
- - "L0.2429[1282,1441] 160ns |----------------------------------------L0.2429-----------------------------------------|"
- - "L0.2443[1282,1441] 161ns |----------------------------------------L0.2443-----------------------------------------|"
- - "L0.2456[1282,1441] 162ns |----------------------------------------L0.2456-----------------------------------------|"
- - "L0.2469[1282,1441] 163ns |----------------------------------------L0.2469-----------------------------------------|"
- - "L0.2482[1282,1441] 164ns |----------------------------------------L0.2482-----------------------------------------|"
- - "L0.2495[1282,1441] 165ns |----------------------------------------L0.2495-----------------------------------------|"
- - "L0.2508[1282,1441] 166ns |----------------------------------------L0.2508-----------------------------------------|"
- - "L0.2521[1282,1441] 167ns |----------------------------------------L0.2521-----------------------------------------|"
- - "L0.2534[1282,1441] 168ns |----------------------------------------L0.2534-----------------------------------------|"
- - "L0.2547[1282,1441] 169ns |----------------------------------------L0.2547-----------------------------------------|"
- - "L0.2560[1282,1441] 170ns |----------------------------------------L0.2560-----------------------------------------|"
- - "L0.2573[1282,1441] 171ns |----------------------------------------L0.2573-----------------------------------------|"
- - "L0.2586[1282,1441] 172ns |----------------------------------------L0.2586-----------------------------------------|"
- - "L0.2599[1282,1441] 173ns |----------------------------------------L0.2599-----------------------------------------|"
- - "L0.2612[1282,1441] 174ns |----------------------------------------L0.2612-----------------------------------------|"
- - "L0.2625[1282,1441] 175ns |----------------------------------------L0.2625-----------------------------------------|"
- - "L0.2638[1282,1441] 176ns |----------------------------------------L0.2638-----------------------------------------|"
- - "L0.2651[1282,1441] 177ns |----------------------------------------L0.2651-----------------------------------------|"
- - "L0.2664[1282,1441] 178ns |----------------------------------------L0.2664-----------------------------------------|"
- - "L0.2677[1282,1441] 179ns |----------------------------------------L0.2677-----------------------------------------|"
+ - "L0.3023[1602,1761] 115ns |----------------------------------------L0.3023-----------------------------------------|"
+ - "L0.1815[1602,1761] 116ns |----------------------------------------L0.1815-----------------------------------------|"
+ - "L0.1829[1602,1761] 117ns |----------------------------------------L0.1829-----------------------------------------|"
+ - "L0.1843[1602,1761] 118ns |----------------------------------------L0.1843-----------------------------------------|"
+ - "L0.1857[1602,1761] 119ns |----------------------------------------L0.1857-----------------------------------------|"
+ - "L0.1871[1602,1761] 120ns |----------------------------------------L0.1871-----------------------------------------|"
+ - "L0.1885[1602,1761] 121ns |----------------------------------------L0.1885-----------------------------------------|"
+ - "L0.1899[1602,1761] 122ns |----------------------------------------L0.1899-----------------------------------------|"
+ - "L0.1913[1602,1761] 123ns |----------------------------------------L0.1913-----------------------------------------|"
+ - "L0.1927[1602,1761] 124ns |----------------------------------------L0.1927-----------------------------------------|"
+ - "L0.1941[1602,1761] 125ns |----------------------------------------L0.1941-----------------------------------------|"
+ - "L0.1955[1602,1761] 126ns |----------------------------------------L0.1955-----------------------------------------|"
+ - "L0.1969[1602,1761] 127ns |----------------------------------------L0.1969-----------------------------------------|"
+ - "L0.1983[1602,1761] 128ns |----------------------------------------L0.1983-----------------------------------------|"
+ - "L0.1997[1602,1761] 129ns |----------------------------------------L0.1997-----------------------------------------|"
+ - "L0.2011[1602,1761] 130ns |----------------------------------------L0.2011-----------------------------------------|"
+ - "L0.2025[1602,1761] 131ns |----------------------------------------L0.2025-----------------------------------------|"
+ - "L0.2039[1602,1761] 132ns |----------------------------------------L0.2039-----------------------------------------|"
+ - "L0.2053[1602,1761] 133ns |----------------------------------------L0.2053-----------------------------------------|"
+ - "L0.2067[1602,1761] 134ns |----------------------------------------L0.2067-----------------------------------------|"
- "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- "L0, all files 0b "
- - "L0.?[1282,1441] 179ns |------------------------------------------L0.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 20 files: L0.2429, L0.2443, L0.2456, L0.2469, L0.2482, L0.2495, L0.2508, L0.2521, L0.2534, L0.2547, L0.2560, L0.2573, L0.2586, L0.2599, L0.2612, L0.2625, L0.2638, L0.2651, L0.2664, L0.2677"
- - " Creating 1 files"
- - "**** Simulation run 288, type=compact(ManySmallFiles). 20 Input Files, 160mb total:"
- - "L0, all files 8mb "
- - "L0.210[1442,1601] 0ns |-----------------------------------------L0.210-----------------------------------------|"
- - "L0.223[1442,1601] 1ns |-----------------------------------------L0.223-----------------------------------------|"
- - "L0.236[1442,1601] 2ns |-----------------------------------------L0.236-----------------------------------------|"
- - "L0.249[1442,1601] 3ns |-----------------------------------------L0.249-----------------------------------------|"
- - "L0.262[1442,1601] 4ns |-----------------------------------------L0.262-----------------------------------------|"
- - "L0.275[1442,1601] 5ns |-----------------------------------------L0.275-----------------------------------------|"
- - "L0.288[1442,1601] 6ns |-----------------------------------------L0.288-----------------------------------------|"
- - "L0.301[1442,1601] 7ns |-----------------------------------------L0.301-----------------------------------------|"
- - "L0.314[1442,1601] 8ns |-----------------------------------------L0.314-----------------------------------------|"
- - "L0.327[1442,1601] 9ns |-----------------------------------------L0.327-----------------------------------------|"
- - "L0.340[1442,1601] 10ns |-----------------------------------------L0.340-----------------------------------------|"
- - "L0.353[1442,1601] 11ns |-----------------------------------------L0.353-----------------------------------------|"
- - "L0.366[1442,1601] 12ns |-----------------------------------------L0.366-----------------------------------------|"
- - "L0.379[1442,1601] 13ns |-----------------------------------------L0.379-----------------------------------------|"
- - "L0.392[1442,1601] 14ns |-----------------------------------------L0.392-----------------------------------------|"
- - "L0.405[1442,1601] 15ns |-----------------------------------------L0.405-----------------------------------------|"
- - "L0.418[1442,1601] 16ns |-----------------------------------------L0.418-----------------------------------------|"
- - "L0.431[1442,1601] 17ns |-----------------------------------------L0.431-----------------------------------------|"
- - "L0.444[1442,1601] 18ns |-----------------------------------------L0.444-----------------------------------------|"
- - "L0.569[1442,1601] 19ns |-----------------------------------------L0.569-----------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 160mb total:"
- - "L0, all files 160mb "
- - "L0.?[1442,1601] 19ns |------------------------------------------L0.?------------------------------------------|"
+ - "L0.?[1602,1761] 134ns |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 20 files: L0.210, L0.223, L0.236, L0.249, L0.262, L0.275, L0.288, L0.301, L0.314, L0.327, L0.340, L0.353, L0.366, L0.379, L0.392, L0.405, L0.418, L0.431, L0.444, L0.569"
+ - " Soft Deleting 20 files: L0.1815, L0.1829, L0.1843, L0.1857, L0.1871, L0.1885, L0.1899, L0.1913, L0.1927, L0.1941, L0.1955, L0.1969, L0.1983, L0.1997, L0.2011, L0.2025, L0.2039, L0.2053, L0.2067, L0.3023"
- " Creating 1 files"
- - "**** Simulation run 289, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "**** Simulation run 294, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- "L0, all files 0b "
- - "L0.582[1442,1601] 20ns |-----------------------------------------L0.582-----------------------------------------|"
- - "L0.457[1442,1601] 21ns |-----------------------------------------L0.457-----------------------------------------|"
- - "L0.471[1442,1601] 22ns |-----------------------------------------L0.471-----------------------------------------|"
- - "L0.485[1442,1601] 23ns |-----------------------------------------L0.485-----------------------------------------|"
- - "L0.499[1442,1601] 24ns |-----------------------------------------L0.499-----------------------------------------|"
- - "L0.513[1442,1601] 25ns |-----------------------------------------L0.513-----------------------------------------|"
- - "L0.527[1442,1601] 26ns |-----------------------------------------L0.527-----------------------------------------|"
- - "L0.541[1442,1601] 27ns |-----------------------------------------L0.541-----------------------------------------|"
- - "L0.555[1442,1601] 28ns |-----------------------------------------L0.555-----------------------------------------|"
- - "L0.596[1442,1601] 29ns |-----------------------------------------L0.596-----------------------------------------|"
- - "L0.610[1442,1601] 30ns |-----------------------------------------L0.610-----------------------------------------|"
- - "L0.624[1442,1601] 31ns |-----------------------------------------L0.624-----------------------------------------|"
- - "L0.638[1442,1601] 32ns |-----------------------------------------L0.638-----------------------------------------|"
- - "L0.652[1442,1601] 33ns |-----------------------------------------L0.652-----------------------------------------|"
- - "L0.666[1442,1601] 34ns |-----------------------------------------L0.666-----------------------------------------|"
- - "L0.680[1442,1601] 35ns |-----------------------------------------L0.680-----------------------------------------|"
- - "L0.694[1442,1601] 36ns |-----------------------------------------L0.694-----------------------------------------|"
- - "L0.708[1442,1601] 37ns |-----------------------------------------L0.708-----------------------------------------|"
- - "L0.722[1442,1601] 38ns |-----------------------------------------L0.722-----------------------------------------|"
- - "L0.736[1442,1601] 39ns |-----------------------------------------L0.736-----------------------------------------|"
+ - "L0.3024[1762,1921] 115ns |----------------------------------------L0.3024-----------------------------------------|"
+ - "L0.1816[1762,1921] 116ns |----------------------------------------L0.1816-----------------------------------------|"
+ - "L0.1830[1762,1921] 117ns |----------------------------------------L0.1830-----------------------------------------|"
+ - "L0.1844[1762,1921] 118ns |----------------------------------------L0.1844-----------------------------------------|"
+ - "L0.1858[1762,1921] 119ns |----------------------------------------L0.1858-----------------------------------------|"
+ - "L0.1872[1762,1921] 120ns |----------------------------------------L0.1872-----------------------------------------|"
+ - "L0.1886[1762,1921] 121ns |----------------------------------------L0.1886-----------------------------------------|"
+ - "L0.1900[1762,1921] 122ns |----------------------------------------L0.1900-----------------------------------------|"
+ - "L0.1914[1762,1921] 123ns |----------------------------------------L0.1914-----------------------------------------|"
+ - "L0.1928[1762,1921] 124ns |----------------------------------------L0.1928-----------------------------------------|"
+ - "L0.1942[1762,1921] 125ns |----------------------------------------L0.1942-----------------------------------------|"
+ - "L0.1956[1762,1921] 126ns |----------------------------------------L0.1956-----------------------------------------|"
+ - "L0.1970[1762,1921] 127ns |----------------------------------------L0.1970-----------------------------------------|"
+ - "L0.1984[1762,1921] 128ns |----------------------------------------L0.1984-----------------------------------------|"
+ - "L0.1998[1762,1921] 129ns |----------------------------------------L0.1998-----------------------------------------|"
+ - "L0.2012[1762,1921] 130ns |----------------------------------------L0.2012-----------------------------------------|"
+ - "L0.2026[1762,1921] 131ns |----------------------------------------L0.2026-----------------------------------------|"
+ - "L0.2040[1762,1921] 132ns |----------------------------------------L0.2040-----------------------------------------|"
+ - "L0.2054[1762,1921] 133ns |----------------------------------------L0.2054-----------------------------------------|"
+ - "L0.2068[1762,1921] 134ns |----------------------------------------L0.2068-----------------------------------------|"
- "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- "L0, all files 0b "
- - "L0.?[1442,1601] 39ns |------------------------------------------L0.?------------------------------------------|"
+ - "L0.?[1762,1921] 134ns |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 20 files: L0.457, L0.471, L0.485, L0.499, L0.513, L0.527, L0.541, L0.555, L0.582, L0.596, L0.610, L0.624, L0.638, L0.652, L0.666, L0.680, L0.694, L0.708, L0.722, L0.736"
+ - " Soft Deleting 20 files: L0.1816, L0.1830, L0.1844, L0.1858, L0.1872, L0.1886, L0.1900, L0.1914, L0.1928, L0.1942, L0.1956, L0.1970, L0.1984, L0.1998, L0.2012, L0.2026, L0.2040, L0.2054, L0.2068, L0.3024"
- " Creating 1 files"
- - "**** Simulation run 290, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "**** Simulation run 295, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- "L0, all files 0b "
- - "L0.750[1442,1601] 40ns |-----------------------------------------L0.750-----------------------------------------|"
- - "L0.764[1442,1601] 41ns |-----------------------------------------L0.764-----------------------------------------|"
- - "L0.778[1442,1601] 42ns |-----------------------------------------L0.778-----------------------------------------|"
- - "L0.792[1442,1601] 43ns |-----------------------------------------L0.792-----------------------------------------|"
- - "L0.806[1442,1601] 44ns |-----------------------------------------L0.806-----------------------------------------|"
- - "L0.820[1442,1601] 45ns |-----------------------------------------L0.820-----------------------------------------|"
- - "L0.834[1442,1601] 46ns |-----------------------------------------L0.834-----------------------------------------|"
- - "L0.848[1442,1601] 47ns |-----------------------------------------L0.848-----------------------------------------|"
- - "L0.862[1442,1601] 48ns |-----------------------------------------L0.862-----------------------------------------|"
- - "L0.876[1442,1601] 49ns |-----------------------------------------L0.876-----------------------------------------|"
- - "L0.890[1442,1601] 50ns |-----------------------------------------L0.890-----------------------------------------|"
- - "L0.904[1442,1601] 51ns |-----------------------------------------L0.904-----------------------------------------|"
- - "L0.918[1442,1601] 52ns |-----------------------------------------L0.918-----------------------------------------|"
- - "L0.932[1442,1601] 53ns |-----------------------------------------L0.932-----------------------------------------|"
- - "L0.946[1442,1601] 54ns |-----------------------------------------L0.946-----------------------------------------|"
- - "L0.960[1442,1601] 55ns |-----------------------------------------L0.960-----------------------------------------|"
- - "L0.974[1442,1601] 56ns |-----------------------------------------L0.974-----------------------------------------|"
- - "L0.988[1442,1601] 57ns |-----------------------------------------L0.988-----------------------------------------|"
- - "L0.1002[1442,1601] 58ns |----------------------------------------L0.1002-----------------------------------------|"
- - "L0.1016[1442,1601] 59ns |----------------------------------------L0.1016-----------------------------------------|"
+ - "L0.3025[1922,2086] 115ns |----------------------------------------L0.3025-----------------------------------------|"
+ - "L0.1817[1922,2086] 116ns |----------------------------------------L0.1817-----------------------------------------|"
+ - "L0.1831[1922,2086] 117ns |----------------------------------------L0.1831-----------------------------------------|"
+ - "L0.1845[1922,2086] 118ns |----------------------------------------L0.1845-----------------------------------------|"
+ - "L0.1859[1922,2086] 119ns |----------------------------------------L0.1859-----------------------------------------|"
+ - "L0.1873[1922,2086] 120ns |----------------------------------------L0.1873-----------------------------------------|"
+ - "L0.1887[1922,2086] 121ns |----------------------------------------L0.1887-----------------------------------------|"
+ - "L0.1901[1922,2086] 122ns |----------------------------------------L0.1901-----------------------------------------|"
+ - "L0.1915[1922,2086] 123ns |----------------------------------------L0.1915-----------------------------------------|"
+ - "L0.1929[1922,2086] 124ns |----------------------------------------L0.1929-----------------------------------------|"
+ - "L0.1943[1922,2086] 125ns |----------------------------------------L0.1943-----------------------------------------|"
+ - "L0.1957[1922,2086] 126ns |----------------------------------------L0.1957-----------------------------------------|"
+ - "L0.1971[1922,2086] 127ns |----------------------------------------L0.1971-----------------------------------------|"
+ - "L0.1985[1922,2086] 128ns |----------------------------------------L0.1985-----------------------------------------|"
+ - "L0.1999[1922,2086] 129ns |----------------------------------------L0.1999-----------------------------------------|"
+ - "L0.2013[1922,2086] 130ns |----------------------------------------L0.2013-----------------------------------------|"
+ - "L0.2027[1922,2086] 131ns |----------------------------------------L0.2027-----------------------------------------|"
+ - "L0.2041[1922,2086] 132ns |----------------------------------------L0.2041-----------------------------------------|"
+ - "L0.2055[1922,2086] 133ns |----------------------------------------L0.2055-----------------------------------------|"
+ - "L0.2069[1922,2086] 134ns |----------------------------------------L0.2069-----------------------------------------|"
- "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- "L0, all files 0b "
- - "L0.?[1442,1601] 59ns |------------------------------------------L0.?------------------------------------------|"
+ - "L0.?[1922,2086] 134ns |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 20 files: L0.750, L0.764, L0.778, L0.792, L0.806, L0.820, L0.834, L0.848, L0.862, L0.876, L0.890, L0.904, L0.918, L0.932, L0.946, L0.960, L0.974, L0.988, L0.1002, L0.1016"
+ - " Soft Deleting 20 files: L0.1817, L0.1831, L0.1845, L0.1859, L0.1873, L0.1887, L0.1901, L0.1915, L0.1929, L0.1943, L0.1957, L0.1971, L0.1985, L0.1999, L0.2013, L0.2027, L0.2041, L0.2055, L0.2069, L0.3025"
- " Creating 1 files"
- - "**** Simulation run 291, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "**** Simulation run 296, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- "L0, all files 0b "
- - "L0.1030[1442,1601] 60ns |----------------------------------------L0.1030-----------------------------------------|"
- - "L0.1044[1442,1601] 61ns |----------------------------------------L0.1044-----------------------------------------|"
- - "L0.1058[1442,1601] 62ns |----------------------------------------L0.1058-----------------------------------------|"
- - "L0.1072[1442,1601] 63ns |----------------------------------------L0.1072-----------------------------------------|"
- - "L0.1086[1442,1601] 64ns |----------------------------------------L0.1086-----------------------------------------|"
- - "L0.1100[1442,1601] 65ns |----------------------------------------L0.1100-----------------------------------------|"
- - "L0.1114[1442,1601] 66ns |----------------------------------------L0.1114-----------------------------------------|"
- - "L0.1128[1442,1601] 67ns |----------------------------------------L0.1128-----------------------------------------|"
- - "L0.1142[1442,1601] 68ns |----------------------------------------L0.1142-----------------------------------------|"
- - "L0.1156[1442,1601] 69ns |----------------------------------------L0.1156-----------------------------------------|"
- - "L0.1170[1442,1601] 70ns |----------------------------------------L0.1170-----------------------------------------|"
- - "L0.1184[1442,1601] 71ns |----------------------------------------L0.1184-----------------------------------------|"
- - "L0.1198[1442,1601] 72ns |----------------------------------------L0.1198-----------------------------------------|"
- - "L0.1212[1442,1601] 73ns |----------------------------------------L0.1212-----------------------------------------|"
- - "L0.1226[1442,1601] 74ns |----------------------------------------L0.1226-----------------------------------------|"
- - "L0.1240[1442,1601] 75ns |----------------------------------------L0.1240-----------------------------------------|"
- - "L0.1254[1442,1601] 76ns |----------------------------------------L0.1254-----------------------------------------|"
- - "L0.1268[1442,1601] 77ns |----------------------------------------L0.1268-----------------------------------------|"
- - "L0.1282[1442,1601] 78ns |----------------------------------------L0.1282-----------------------------------------|"
- - "L0.1296[1442,1601] 79ns |----------------------------------------L0.1296-----------------------------------------|"
+ - "L0.3017[642,801] 115ns |----------------------------------------L0.3017-----------------------------------------|"
+ - "L0.1809[642,801] 116ns |----------------------------------------L0.1809-----------------------------------------|"
+ - "L0.1823[642,801] 117ns |----------------------------------------L0.1823-----------------------------------------|"
+ - "L0.1837[642,801] 118ns |----------------------------------------L0.1837-----------------------------------------|"
+ - "L0.1851[642,801] 119ns |----------------------------------------L0.1851-----------------------------------------|"
+ - "L0.1865[642,801] 120ns |----------------------------------------L0.1865-----------------------------------------|"
+ - "L0.1879[642,801] 121ns |----------------------------------------L0.1879-----------------------------------------|"
+ - "L0.1893[642,801] 122ns |----------------------------------------L0.1893-----------------------------------------|"
+ - "L0.1907[642,801] 123ns |----------------------------------------L0.1907-----------------------------------------|"
+ - "L0.1921[642,801] 124ns |----------------------------------------L0.1921-----------------------------------------|"
+ - "L0.1935[642,801] 125ns |----------------------------------------L0.1935-----------------------------------------|"
+ - "L0.1949[642,801] 126ns |----------------------------------------L0.1949-----------------------------------------|"
+ - "L0.1963[642,801] 127ns |----------------------------------------L0.1963-----------------------------------------|"
+ - "L0.1977[642,801] 128ns |----------------------------------------L0.1977-----------------------------------------|"
+ - "L0.1991[642,801] 129ns |----------------------------------------L0.1991-----------------------------------------|"
+ - "L0.2005[642,801] 130ns |----------------------------------------L0.2005-----------------------------------------|"
+ - "L0.2019[642,801] 131ns |----------------------------------------L0.2019-----------------------------------------|"
+ - "L0.2033[642,801] 132ns |----------------------------------------L0.2033-----------------------------------------|"
+ - "L0.2047[642,801] 133ns |----------------------------------------L0.2047-----------------------------------------|"
+ - "L0.2061[642,801] 134ns |----------------------------------------L0.2061-----------------------------------------|"
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
+ - "L0, all files 0b "
+ - "L0.?[642,801] 134ns |------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.1809, L0.1823, L0.1837, L0.1851, L0.1865, L0.1879, L0.1893, L0.1907, L0.1921, L0.1935, L0.1949, L0.1963, L0.1977, L0.1991, L0.2005, L0.2019, L0.2033, L0.2047, L0.2061, L0.3017"
+ - " Creating 1 files"
+ - "**** Simulation run 297, type=compact(ManySmallFiles). 20 Input Files, 1kb total:"
+ - "L0 "
+ - "L0.3026[2087,1340000] 134ns 1kb|----------------------------------L0.3026-----------------------------------| "
+ - "L0.2196[2087,1350000] 135ns 10b|-----------------------------------L0.2196-----------------------------------| "
+ - "L0.2210[2087,1360000] 136ns 10b|-----------------------------------L0.2210-----------------------------------| "
+ - "L0.2084[2087,1370000] 137ns 10b|-----------------------------------L0.2084------------------------------------| "
+ - "L0.2098[2087,1380000] 138ns 10b|------------------------------------L0.2098------------------------------------| "
+ - "L0.2112[2087,1390000] 139ns 10b|------------------------------------L0.2112------------------------------------| "
+ - "L0.2126[2087,1400000] 140ns 10b|------------------------------------L0.2126-------------------------------------| "
+ - "L0.2140[2087,1410000] 141ns 10b|------------------------------------L0.2140-------------------------------------| "
+ - "L0.2154[2087,1420000] 142ns 10b|-------------------------------------L0.2154-------------------------------------| "
+ - "L0.2168[2087,1430000] 143ns 10b|-------------------------------------L0.2168--------------------------------------| "
+ - "L0.2182[2087,1440000] 144ns 10b|-------------------------------------L0.2182--------------------------------------| "
+ - "L0.2224[2087,1450000] 145ns 10b|--------------------------------------L0.2224--------------------------------------| "
+ - "L0.2238[2087,1460000] 146ns 10b|--------------------------------------L0.2238--------------------------------------| "
+ - "L0.2252[2087,1470000] 147ns 10b|--------------------------------------L0.2252---------------------------------------| "
+ - "L0.2266[2087,1480000] 148ns 10b|---------------------------------------L0.2266---------------------------------------| "
+ - "L0.2280[2087,1490000] 149ns 10b|---------------------------------------L0.2280---------------------------------------| "
+ - "L0.2294[2087,1500000] 150ns 10b|---------------------------------------L0.2294----------------------------------------| "
+ - "L0.2308[2087,1510000] 151ns 10b|---------------------------------------L0.2308----------------------------------------| "
+ - "L0.2322[2087,1520000] 152ns 10b|----------------------------------------L0.2322----------------------------------------| "
+ - "L0.2336[2087,1530000] 153ns 10b|----------------------------------------L0.2336-----------------------------------------|"
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 1kb total:"
+ - "L0, all files 1kb "
+ - "L0.?[2087,1530000] 153ns |------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.2084, L0.2098, L0.2112, L0.2126, L0.2140, L0.2154, L0.2168, L0.2182, L0.2196, L0.2210, L0.2224, L0.2238, L0.2252, L0.2266, L0.2280, L0.2294, L0.2308, L0.2322, L0.2336, L0.3026"
+ - " Creating 1 files"
+ - "**** Simulation run 298, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "L0, all files 0b "
+ - "L0.3027[20,161] 134ns |----------------------------------------L0.3027-----------------------------------------|"
+ - "L0.2183[135,161] 135ns |---L0.2183----| "
+ - "L0.2197[136,161] 136ns |---L0.2197---| "
+ - "L0.2071[137,161] 137ns |---L0.2071---| "
+ - "L0.2085[138,161] 138ns |--L0.2085---| "
+ - "L0.2099[139,161] 139ns |--L0.2099---| "
+ - "L0.2113[140,161] 140ns |--L0.2113--| "
+ - "L0.2127[141,161] 141ns |-L0.2127--| "
+ - "L0.2141[142,161] 142ns |-L0.2141--| "
+ - "L0.2155[143,161] 143ns |-L0.2155-| "
+ - "L0.2169[144,161] 144ns |L0.2169-| "
+ - "L0.2211[145,161] 145ns |L0.2211-| "
+ - "L0.2225[146,161] 146ns |L0.2225| "
+ - "L0.2239[147,161] 147ns |L0.2239|"
+ - "L0.2253[148,161] 148ns |L0.2253|"
+ - "L0.2267[149,161] 149ns |L0.2267|"
+ - "L0.2281[150,161] 150ns |L0.2281|"
+ - "L0.2295[151,161] 151ns |L0.2295|"
+ - "L0.2309[152,161] 152ns |L0.2309|"
+ - "L0.2323[153,161] 153ns |L0.2323|"
- "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- "L0, all files 0b "
- - "L0.?[1442,1601] 79ns |------------------------------------------L0.?------------------------------------------|"
+ - "L0.?[20,161] 153ns |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 20 files: L0.1030, L0.1044, L0.1058, L0.1072, L0.1086, L0.1100, L0.1114, L0.1128, L0.1142, L0.1156, L0.1170, L0.1184, L0.1198, L0.1212, L0.1226, L0.1240, L0.1254, L0.1268, L0.1282, L0.1296"
+ - " Soft Deleting 20 files: L0.2071, L0.2085, L0.2099, L0.2113, L0.2127, L0.2141, L0.2155, L0.2169, L0.2183, L0.2197, L0.2211, L0.2225, L0.2239, L0.2253, L0.2267, L0.2281, L0.2295, L0.2309, L0.2323, L0.3027"
- " Creating 1 files"
- - "**** Simulation run 292, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "**** Simulation run 299, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- "L0, all files 0b "
- - "L0.1310[1442,1601] 80ns |----------------------------------------L0.1310-----------------------------------------|"
- - "L0.1324[1442,1601] 81ns |----------------------------------------L0.1324-----------------------------------------|"
- - "L0.1338[1442,1601] 82ns |----------------------------------------L0.1338-----------------------------------------|"
- - "L0.1352[1442,1601] 83ns |----------------------------------------L0.1352-----------------------------------------|"
- - "L0.1366[1442,1601] 84ns |----------------------------------------L0.1366-----------------------------------------|"
- - "L0.1380[1442,1601] 85ns |----------------------------------------L0.1380-----------------------------------------|"
- - "L0.1394[1442,1601] 86ns |----------------------------------------L0.1394-----------------------------------------|"
- - "L0.1408[1442,1601] 87ns |----------------------------------------L0.1408-----------------------------------------|"
- - "L0.1422[1442,1601] 88ns |----------------------------------------L0.1422-----------------------------------------|"
- - "L0.1436[1442,1601] 89ns |----------------------------------------L0.1436-----------------------------------------|"
- - "L0.1450[1442,1601] 90ns |----------------------------------------L0.1450-----------------------------------------|"
- - "L0.1464[1442,1601] 91ns |----------------------------------------L0.1464-----------------------------------------|"
- - "L0.1478[1442,1601] 92ns |----------------------------------------L0.1478-----------------------------------------|"
- - "L0.1492[1442,1601] 93ns |----------------------------------------L0.1492-----------------------------------------|"
- - "L0.1506[1442,1601] 94ns |----------------------------------------L0.1506-----------------------------------------|"
- - "L0.1520[1442,1601] 95ns |----------------------------------------L0.1520-----------------------------------------|"
- - "L0.1534[1442,1601] 96ns |----------------------------------------L0.1534-----------------------------------------|"
- - "L0.1548[1442,1601] 97ns |----------------------------------------L0.1548-----------------------------------------|"
- - "L0.1562[1442,1601] 98ns |----------------------------------------L0.1562-----------------------------------------|"
- - "L0.1576[1442,1601] 99ns |----------------------------------------L0.1576-----------------------------------------|"
+ - "L0.3028[162,321] 134ns |----------------------------------------L0.3028-----------------------------------------|"
+ - "L0.2184[162,321] 135ns |----------------------------------------L0.2184-----------------------------------------|"
+ - "L0.2198[162,321] 136ns |----------------------------------------L0.2198-----------------------------------------|"
+ - "L0.2072[162,321] 137ns |----------------------------------------L0.2072-----------------------------------------|"
+ - "L0.2086[162,321] 138ns |----------------------------------------L0.2086-----------------------------------------|"
+ - "L0.2100[162,321] 139ns |----------------------------------------L0.2100-----------------------------------------|"
+ - "L0.2114[162,321] 140ns |----------------------------------------L0.2114-----------------------------------------|"
+ - "L0.2128[162,321] 141ns |----------------------------------------L0.2128-----------------------------------------|"
+ - "L0.2142[162,321] 142ns |----------------------------------------L0.2142-----------------------------------------|"
+ - "L0.2156[162,321] 143ns |----------------------------------------L0.2156-----------------------------------------|"
+ - "L0.2170[162,321] 144ns |----------------------------------------L0.2170-----------------------------------------|"
+ - "L0.2212[162,321] 145ns |----------------------------------------L0.2212-----------------------------------------|"
+ - "L0.2226[162,321] 146ns |----------------------------------------L0.2226-----------------------------------------|"
+ - "L0.2240[162,321] 147ns |----------------------------------------L0.2240-----------------------------------------|"
+ - "L0.2254[162,321] 148ns |----------------------------------------L0.2254-----------------------------------------|"
+ - "L0.2268[162,321] 149ns |----------------------------------------L0.2268-----------------------------------------|"
+ - "L0.2282[162,321] 150ns |----------------------------------------L0.2282-----------------------------------------|"
+ - "L0.2296[162,321] 151ns |----------------------------------------L0.2296-----------------------------------------|"
+ - "L0.2310[162,321] 152ns |----------------------------------------L0.2310-----------------------------------------|"
+ - "L0.2324[162,321] 153ns |----------------------------------------L0.2324-----------------------------------------|"
- "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- "L0, all files 0b "
- - "L0.?[1442,1601] 99ns |------------------------------------------L0.?------------------------------------------|"
+ - "L0.?[162,321] 153ns |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 20 files: L0.1310, L0.1324, L0.1338, L0.1352, L0.1366, L0.1380, L0.1394, L0.1408, L0.1422, L0.1436, L0.1450, L0.1464, L0.1478, L0.1492, L0.1506, L0.1520, L0.1534, L0.1548, L0.1562, L0.1576"
+ - " Soft Deleting 20 files: L0.2072, L0.2086, L0.2100, L0.2114, L0.2128, L0.2142, L0.2156, L0.2170, L0.2184, L0.2198, L0.2212, L0.2226, L0.2240, L0.2254, L0.2268, L0.2282, L0.2296, L0.2310, L0.2324, L0.3028"
- " Creating 1 files"
- - "**** Simulation run 293, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "**** Simulation run 300, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- "L0, all files 0b "
- - "L0.1590[1442,1601] 100ns |----------------------------------------L0.1590-----------------------------------------|"
- - "L0.1604[1442,1601] 101ns |----------------------------------------L0.1604-----------------------------------------|"
- - "L0.1618[1442,1601] 102ns |----------------------------------------L0.1618-----------------------------------------|"
- - "L0.1632[1442,1601] 103ns |----------------------------------------L0.1632-----------------------------------------|"
- - "L0.1646[1442,1601] 104ns |----------------------------------------L0.1646-----------------------------------------|"
- - "L0.1660[1442,1601] 105ns |----------------------------------------L0.1660-----------------------------------------|"
- - "L0.1674[1442,1601] 106ns |----------------------------------------L0.1674-----------------------------------------|"
- - "L0.1688[1442,1601] 107ns |----------------------------------------L0.1688-----------------------------------------|"
- - "L0.1702[1442,1601] 108ns |----------------------------------------L0.1702-----------------------------------------|"
- - "L0.1716[1442,1601] 109ns |----------------------------------------L0.1716-----------------------------------------|"
- - "L0.1730[1442,1601] 110ns |----------------------------------------L0.1730-----------------------------------------|"
- - "L0.1744[1442,1601] 111ns |----------------------------------------L0.1744-----------------------------------------|"
- - "L0.1758[1442,1601] 112ns |----------------------------------------L0.1758-----------------------------------------|"
- - "L0.1772[1442,1601] 113ns |----------------------------------------L0.1772-----------------------------------------|"
- - "L0.1786[1442,1601] 114ns |----------------------------------------L0.1786-----------------------------------------|"
- - "L0.1800[1442,1601] 115ns |----------------------------------------L0.1800-----------------------------------------|"
- - "L0.1814[1442,1601] 116ns |----------------------------------------L0.1814-----------------------------------------|"
- - "L0.1828[1442,1601] 117ns |----------------------------------------L0.1828-----------------------------------------|"
- - "L0.1842[1442,1601] 118ns |----------------------------------------L0.1842-----------------------------------------|"
- - "L0.1856[1442,1601] 119ns |----------------------------------------L0.1856-----------------------------------------|"
+ - "L0.3029[322,481] 134ns |----------------------------------------L0.3029-----------------------------------------|"
+ - "L0.2185[322,481] 135ns |----------------------------------------L0.2185-----------------------------------------|"
+ - "L0.2199[322,481] 136ns |----------------------------------------L0.2199-----------------------------------------|"
+ - "L0.2073[322,481] 137ns |----------------------------------------L0.2073-----------------------------------------|"
+ - "L0.2087[322,481] 138ns |----------------------------------------L0.2087-----------------------------------------|"
+ - "L0.2101[322,481] 139ns |----------------------------------------L0.2101-----------------------------------------|"
+ - "L0.2115[322,481] 140ns |----------------------------------------L0.2115-----------------------------------------|"
+ - "L0.2129[322,481] 141ns |----------------------------------------L0.2129-----------------------------------------|"
+ - "L0.2143[322,481] 142ns |----------------------------------------L0.2143-----------------------------------------|"
+ - "L0.2157[322,481] 143ns |----------------------------------------L0.2157-----------------------------------------|"
+ - "L0.2171[322,481] 144ns |----------------------------------------L0.2171-----------------------------------------|"
+ - "L0.2213[322,481] 145ns |----------------------------------------L0.2213-----------------------------------------|"
+ - "L0.2227[322,481] 146ns |----------------------------------------L0.2227-----------------------------------------|"
+ - "L0.2241[322,481] 147ns |----------------------------------------L0.2241-----------------------------------------|"
+ - "L0.2255[322,481] 148ns |----------------------------------------L0.2255-----------------------------------------|"
+ - "L0.2269[322,481] 149ns |----------------------------------------L0.2269-----------------------------------------|"
+ - "L0.2283[322,481] 150ns |----------------------------------------L0.2283-----------------------------------------|"
+ - "L0.2297[322,481] 151ns |----------------------------------------L0.2297-----------------------------------------|"
+ - "L0.2311[322,481] 152ns |----------------------------------------L0.2311-----------------------------------------|"
+ - "L0.2325[322,481] 153ns |----------------------------------------L0.2325-----------------------------------------|"
- "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- "L0, all files 0b "
- - "L0.?[1442,1601] 119ns |------------------------------------------L0.?------------------------------------------|"
+ - "L0.?[322,481] 153ns |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 20 files: L0.1590, L0.1604, L0.1618, L0.1632, L0.1646, L0.1660, L0.1674, L0.1688, L0.1702, L0.1716, L0.1730, L0.1744, L0.1758, L0.1772, L0.1786, L0.1800, L0.1814, L0.1828, L0.1842, L0.1856"
+ - " Soft Deleting 20 files: L0.2073, L0.2087, L0.2101, L0.2115, L0.2129, L0.2143, L0.2157, L0.2171, L0.2185, L0.2199, L0.2213, L0.2227, L0.2241, L0.2255, L0.2269, L0.2283, L0.2297, L0.2311, L0.2325, L0.3029"
- " Creating 1 files"
- - "**** Simulation run 294, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "**** Simulation run 301, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- "L0, all files 0b "
- - "L0.1870[1442,1601] 120ns |----------------------------------------L0.1870-----------------------------------------|"
- - "L0.1884[1442,1601] 121ns |----------------------------------------L0.1884-----------------------------------------|"
- - "L0.1898[1442,1601] 122ns |----------------------------------------L0.1898-----------------------------------------|"
- - "L0.1912[1442,1601] 123ns |----------------------------------------L0.1912-----------------------------------------|"
- - "L0.1926[1442,1601] 124ns |----------------------------------------L0.1926-----------------------------------------|"
- - "L0.1940[1442,1601] 125ns |----------------------------------------L0.1940-----------------------------------------|"
- - "L0.1954[1442,1601] 126ns |----------------------------------------L0.1954-----------------------------------------|"
- - "L0.1968[1442,1601] 127ns |----------------------------------------L0.1968-----------------------------------------|"
- - "L0.1982[1442,1601] 128ns |----------------------------------------L0.1982-----------------------------------------|"
- - "L0.1996[1442,1601] 129ns |----------------------------------------L0.1996-----------------------------------------|"
- - "L0.2010[1442,1601] 130ns |----------------------------------------L0.2010-----------------------------------------|"
- - "L0.2024[1442,1601] 131ns |----------------------------------------L0.2024-----------------------------------------|"
- - "L0.2038[1442,1601] 132ns |----------------------------------------L0.2038-----------------------------------------|"
- - "L0.2052[1442,1601] 133ns |----------------------------------------L0.2052-----------------------------------------|"
- - "L0.2066[1442,1601] 134ns |----------------------------------------L0.2066-----------------------------------------|"
- - "L0.2192[1442,1601] 135ns |----------------------------------------L0.2192-----------------------------------------|"
- - "L0.2206[1442,1601] 136ns |----------------------------------------L0.2206-----------------------------------------|"
- - "L0.2080[1442,1601] 137ns |----------------------------------------L0.2080-----------------------------------------|"
- - "L0.2094[1442,1601] 138ns |----------------------------------------L0.2094-----------------------------------------|"
- - "L0.2108[1442,1601] 139ns |----------------------------------------L0.2108-----------------------------------------|"
+ - "L0.3030[482,641] 134ns |----------------------------------------L0.3030-----------------------------------------|"
+ - "L0.2186[482,641] 135ns |----------------------------------------L0.2186-----------------------------------------|"
+ - "L0.2200[482,641] 136ns |----------------------------------------L0.2200-----------------------------------------|"
+ - "L0.2074[482,641] 137ns |----------------------------------------L0.2074-----------------------------------------|"
+ - "L0.2088[482,641] 138ns |----------------------------------------L0.2088-----------------------------------------|"
+ - "L0.2102[482,641] 139ns |----------------------------------------L0.2102-----------------------------------------|"
+ - "L0.2116[482,641] 140ns |----------------------------------------L0.2116-----------------------------------------|"
+ - "L0.2130[482,641] 141ns |----------------------------------------L0.2130-----------------------------------------|"
+ - "L0.2144[482,641] 142ns |----------------------------------------L0.2144-----------------------------------------|"
+ - "L0.2158[482,641] 143ns |----------------------------------------L0.2158-----------------------------------------|"
+ - "L0.2172[482,641] 144ns |----------------------------------------L0.2172-----------------------------------------|"
+ - "L0.2214[482,641] 145ns |----------------------------------------L0.2214-----------------------------------------|"
+ - "L0.2228[482,641] 146ns |----------------------------------------L0.2228-----------------------------------------|"
+ - "L0.2242[482,641] 147ns |----------------------------------------L0.2242-----------------------------------------|"
+ - "L0.2256[482,641] 148ns |----------------------------------------L0.2256-----------------------------------------|"
+ - "L0.2270[482,641] 149ns |----------------------------------------L0.2270-----------------------------------------|"
+ - "L0.2284[482,641] 150ns |----------------------------------------L0.2284-----------------------------------------|"
+ - "L0.2298[482,641] 151ns |----------------------------------------L0.2298-----------------------------------------|"
+ - "L0.2312[482,641] 152ns |----------------------------------------L0.2312-----------------------------------------|"
+ - "L0.2326[482,641] 153ns |----------------------------------------L0.2326-----------------------------------------|"
- "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- "L0, all files 0b "
- - "L0.?[1442,1601] 139ns |------------------------------------------L0.?------------------------------------------|"
+ - "L0.?[482,641] 153ns |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 20 files: L0.1870, L0.1884, L0.1898, L0.1912, L0.1926, L0.1940, L0.1954, L0.1968, L0.1982, L0.1996, L0.2010, L0.2024, L0.2038, L0.2052, L0.2066, L0.2080, L0.2094, L0.2108, L0.2192, L0.2206"
+ - " Soft Deleting 20 files: L0.2074, L0.2088, L0.2102, L0.2116, L0.2130, L0.2144, L0.2158, L0.2172, L0.2186, L0.2200, L0.2214, L0.2228, L0.2242, L0.2256, L0.2270, L0.2284, L0.2298, L0.2312, L0.2326, L0.3030"
- " Creating 1 files"
- - "**** Simulation run 295, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "**** Simulation run 302, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- "L0, all files 0b "
- - "L0.2122[1442,1601] 140ns |----------------------------------------L0.2122-----------------------------------------|"
- - "L0.2136[1442,1601] 141ns |----------------------------------------L0.2136-----------------------------------------|"
- - "L0.2150[1442,1601] 142ns |----------------------------------------L0.2150-----------------------------------------|"
- - "L0.2164[1442,1601] 143ns |----------------------------------------L0.2164-----------------------------------------|"
- - "L0.2178[1442,1601] 144ns |----------------------------------------L0.2178-----------------------------------------|"
- - "L0.2220[1442,1601] 145ns |----------------------------------------L0.2220-----------------------------------------|"
- - "L0.2234[1442,1601] 146ns |----------------------------------------L0.2234-----------------------------------------|"
- - "L0.2248[1442,1601] 147ns |----------------------------------------L0.2248-----------------------------------------|"
- - "L0.2262[1442,1601] 148ns |----------------------------------------L0.2262-----------------------------------------|"
- - "L0.2276[1442,1601] 149ns |----------------------------------------L0.2276-----------------------------------------|"
- - "L0.2290[1442,1601] 150ns |----------------------------------------L0.2290-----------------------------------------|"
- - "L0.2304[1442,1601] 151ns |----------------------------------------L0.2304-----------------------------------------|"
- - "L0.2318[1442,1601] 152ns |----------------------------------------L0.2318-----------------------------------------|"
- - "L0.2332[1442,1601] 153ns |----------------------------------------L0.2332-----------------------------------------|"
- - "L0.2346[1442,1601] 154ns |----------------------------------------L0.2346-----------------------------------------|"
- - "L0.2360[1442,1601] 155ns |----------------------------------------L0.2360-----------------------------------------|"
- - "L0.2374[1442,1601] 156ns |----------------------------------------L0.2374-----------------------------------------|"
- - "L0.2388[1442,1601] 157ns |----------------------------------------L0.2388-----------------------------------------|"
- - "L0.2402[1442,1601] 158ns |----------------------------------------L0.2402-----------------------------------------|"
- - "L0.2416[1442,1601] 159ns |----------------------------------------L0.2416-----------------------------------------|"
+ - "L0.3039[642,801] 134ns |----------------------------------------L0.3039-----------------------------------------|"
+ - "L0.2187[642,801] 135ns |----------------------------------------L0.2187-----------------------------------------|"
+ - "L0.2201[642,801] 136ns |----------------------------------------L0.2201-----------------------------------------|"
+ - "L0.2075[642,801] 137ns |----------------------------------------L0.2075-----------------------------------------|"
+ - "L0.2089[642,801] 138ns |----------------------------------------L0.2089-----------------------------------------|"
+ - "L0.2103[642,801] 139ns |----------------------------------------L0.2103-----------------------------------------|"
+ - "L0.2117[642,801] 140ns |----------------------------------------L0.2117-----------------------------------------|"
+ - "L0.2131[642,801] 141ns |----------------------------------------L0.2131-----------------------------------------|"
+ - "L0.2145[642,801] 142ns |----------------------------------------L0.2145-----------------------------------------|"
+ - "L0.2159[642,801] 143ns |----------------------------------------L0.2159-----------------------------------------|"
+ - "L0.2173[642,801] 144ns |----------------------------------------L0.2173-----------------------------------------|"
+ - "L0.2215[642,801] 145ns |----------------------------------------L0.2215-----------------------------------------|"
+ - "L0.2229[642,801] 146ns |----------------------------------------L0.2229-----------------------------------------|"
+ - "L0.2243[642,801] 147ns |----------------------------------------L0.2243-----------------------------------------|"
+ - "L0.2257[642,801] 148ns |----------------------------------------L0.2257-----------------------------------------|"
+ - "L0.2271[642,801] 149ns |----------------------------------------L0.2271-----------------------------------------|"
+ - "L0.2285[642,801] 150ns |----------------------------------------L0.2285-----------------------------------------|"
+ - "L0.2299[642,801] 151ns |----------------------------------------L0.2299-----------------------------------------|"
+ - "L0.2313[642,801] 152ns |----------------------------------------L0.2313-----------------------------------------|"
+ - "L0.2327[642,801] 153ns |----------------------------------------L0.2327-----------------------------------------|"
- "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- "L0, all files 0b "
- - "L0.?[1442,1601] 159ns |------------------------------------------L0.?------------------------------------------|"
+ - "L0.?[642,801] 153ns |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 20 files: L0.2122, L0.2136, L0.2150, L0.2164, L0.2178, L0.2220, L0.2234, L0.2248, L0.2262, L0.2276, L0.2290, L0.2304, L0.2318, L0.2332, L0.2346, L0.2360, L0.2374, L0.2388, L0.2402, L0.2416"
+ - " Soft Deleting 20 files: L0.2075, L0.2089, L0.2103, L0.2117, L0.2131, L0.2145, L0.2159, L0.2173, L0.2187, L0.2201, L0.2215, L0.2229, L0.2243, L0.2257, L0.2271, L0.2285, L0.2299, L0.2313, L0.2327, L0.3039"
- " Creating 1 files"
- - "**** Simulation run 296, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "**** Simulation run 303, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- "L0, all files 0b "
- - "L0.2690[1282,1441] 180ns |----------------------------------------L0.2690-----------------------------------------|"
- - "L0.2703[1282,1441] 181ns |----------------------------------------L0.2703-----------------------------------------|"
- - "L0.2716[1282,1441] 182ns |----------------------------------------L0.2716-----------------------------------------|"
- - "L0.2729[1282,1441] 183ns |----------------------------------------L0.2729-----------------------------------------|"
- - "L0.2742[1282,1441] 184ns |----------------------------------------L0.2742-----------------------------------------|"
- - "L0.2755[1282,1441] 185ns |----------------------------------------L0.2755-----------------------------------------|"
- - "L0.2768[1282,1441] 186ns |----------------------------------------L0.2768-----------------------------------------|"
- - "L0.2781[1282,1441] 187ns |----------------------------------------L0.2781-----------------------------------------|"
- - "L0.2794[1282,1441] 188ns |----------------------------------------L0.2794-----------------------------------------|"
- - "L0.2807[1282,1441] 189ns |----------------------------------------L0.2807-----------------------------------------|"
- - "L0.2820[1282,1441] 190ns |----------------------------------------L0.2820-----------------------------------------|"
- - "L0.2833[1282,1441] 191ns |----------------------------------------L0.2833-----------------------------------------|"
- - "L0.2846[1282,1441] 192ns |----------------------------------------L0.2846-----------------------------------------|"
- - "L0.2859[1282,1441] 193ns |----------------------------------------L0.2859-----------------------------------------|"
- - "L0.2872[1282,1441] 194ns |----------------------------------------L0.2872-----------------------------------------|"
- - "L0.2885[1282,1441] 195ns |----------------------------------------L0.2885-----------------------------------------|"
- - "L0.2898[1282,1441] 196ns |----------------------------------------L0.2898-----------------------------------------|"
- - "L0.2911[1282,1441] 197ns |----------------------------------------L0.2911-----------------------------------------|"
- - "L0.2924[1282,1441] 198ns |----------------------------------------L0.2924-----------------------------------------|"
- - "L0.2937[1282,1441] 199ns |----------------------------------------L0.2937-----------------------------------------|"
+ - "L0.3031[802,961] 134ns |----------------------------------------L0.3031-----------------------------------------|"
+ - "L0.2188[802,961] 135ns |----------------------------------------L0.2188-----------------------------------------|"
+ - "L0.2202[802,961] 136ns |----------------------------------------L0.2202-----------------------------------------|"
+ - "L0.2076[802,961] 137ns |----------------------------------------L0.2076-----------------------------------------|"
+ - "L0.2090[802,961] 138ns |----------------------------------------L0.2090-----------------------------------------|"
+ - "L0.2104[802,961] 139ns |----------------------------------------L0.2104-----------------------------------------|"
+ - "L0.2118[802,961] 140ns |----------------------------------------L0.2118-----------------------------------------|"
+ - "L0.2132[802,961] 141ns |----------------------------------------L0.2132-----------------------------------------|"
+ - "L0.2146[802,961] 142ns |----------------------------------------L0.2146-----------------------------------------|"
+ - "L0.2160[802,961] 143ns |----------------------------------------L0.2160-----------------------------------------|"
+ - "L0.2174[802,961] 144ns |----------------------------------------L0.2174-----------------------------------------|"
+ - "L0.2216[802,961] 145ns |----------------------------------------L0.2216-----------------------------------------|"
+ - "L0.2230[802,961] 146ns |----------------------------------------L0.2230-----------------------------------------|"
+ - "L0.2244[802,961] 147ns |----------------------------------------L0.2244-----------------------------------------|"
+ - "L0.2258[802,961] 148ns |----------------------------------------L0.2258-----------------------------------------|"
+ - "L0.2272[802,961] 149ns |----------------------------------------L0.2272-----------------------------------------|"
+ - "L0.2286[802,961] 150ns |----------------------------------------L0.2286-----------------------------------------|"
+ - "L0.2300[802,961] 151ns |----------------------------------------L0.2300-----------------------------------------|"
+ - "L0.2314[802,961] 152ns |----------------------------------------L0.2314-----------------------------------------|"
+ - "L0.2328[802,961] 153ns |----------------------------------------L0.2328-----------------------------------------|"
- "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- "L0, all files 0b "
- - "L0.?[1282,1441] 199ns |------------------------------------------L0.?------------------------------------------|"
+ - "L0.?[802,961] 153ns |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 20 files: L0.2690, L0.2703, L0.2716, L0.2729, L0.2742, L0.2755, L0.2768, L0.2781, L0.2794, L0.2807, L0.2820, L0.2833, L0.2846, L0.2859, L0.2872, L0.2885, L0.2898, L0.2911, L0.2924, L0.2937"
+ - " Soft Deleting 20 files: L0.2076, L0.2090, L0.2104, L0.2118, L0.2132, L0.2146, L0.2160, L0.2174, L0.2188, L0.2202, L0.2216, L0.2230, L0.2244, L0.2258, L0.2272, L0.2286, L0.2300, L0.2314, L0.2328, L0.3031"
- " Creating 1 files"
- - "**** Simulation run 297, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "**** Simulation run 304, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- "L0, all files 0b "
- - "L0.2430[1442,1601] 160ns |----------------------------------------L0.2430-----------------------------------------|"
- - "L0.2444[1442,1601] 161ns |----------------------------------------L0.2444-----------------------------------------|"
- - "L0.2457[1442,1601] 162ns |----------------------------------------L0.2457-----------------------------------------|"
- - "L0.2470[1442,1601] 163ns |----------------------------------------L0.2470-----------------------------------------|"
- - "L0.2483[1442,1601] 164ns |----------------------------------------L0.2483-----------------------------------------|"
- - "L0.2496[1442,1601] 165ns |----------------------------------------L0.2496-----------------------------------------|"
- - "L0.2509[1442,1601] 166ns |----------------------------------------L0.2509-----------------------------------------|"
- - "L0.2522[1442,1601] 167ns |----------------------------------------L0.2522-----------------------------------------|"
- - "L0.2535[1442,1601] 168ns |----------------------------------------L0.2535-----------------------------------------|"
- - "L0.2548[1442,1601] 169ns |----------------------------------------L0.2548-----------------------------------------|"
- - "L0.2561[1442,1601] 170ns |----------------------------------------L0.2561-----------------------------------------|"
- - "L0.2574[1442,1601] 171ns |----------------------------------------L0.2574-----------------------------------------|"
- - "L0.2587[1442,1601] 172ns |----------------------------------------L0.2587-----------------------------------------|"
- - "L0.2600[1442,1601] 173ns |----------------------------------------L0.2600-----------------------------------------|"
- - "L0.2613[1442,1601] 174ns |----------------------------------------L0.2613-----------------------------------------|"
- - "L0.2626[1442,1601] 175ns |----------------------------------------L0.2626-----------------------------------------|"
- - "L0.2639[1442,1601] 176ns |----------------------------------------L0.2639-----------------------------------------|"
- - "L0.2652[1442,1601] 177ns |----------------------------------------L0.2652-----------------------------------------|"
- - "L0.2665[1442,1601] 178ns |----------------------------------------L0.2665-----------------------------------------|"
- - "L0.2678[1442,1601] 179ns |----------------------------------------L0.2678-----------------------------------------|"
+ - "L0.3032[962,1121] 134ns |----------------------------------------L0.3032-----------------------------------------|"
+ - "L0.2189[962,1121] 135ns |----------------------------------------L0.2189-----------------------------------------|"
+ - "L0.2203[962,1121] 136ns |----------------------------------------L0.2203-----------------------------------------|"
+ - "L0.2077[962,1121] 137ns |----------------------------------------L0.2077-----------------------------------------|"
+ - "L0.2091[962,1121] 138ns |----------------------------------------L0.2091-----------------------------------------|"
+ - "L0.2105[962,1121] 139ns |----------------------------------------L0.2105-----------------------------------------|"
+ - "L0.2119[962,1121] 140ns |----------------------------------------L0.2119-----------------------------------------|"
+ - "L0.2133[962,1121] 141ns |----------------------------------------L0.2133-----------------------------------------|"
+ - "L0.2147[962,1121] 142ns |----------------------------------------L0.2147-----------------------------------------|"
+ - "L0.2161[962,1121] 143ns |----------------------------------------L0.2161-----------------------------------------|"
+ - "L0.2175[962,1121] 144ns |----------------------------------------L0.2175-----------------------------------------|"
+ - "L0.2217[962,1121] 145ns |----------------------------------------L0.2217-----------------------------------------|"
+ - "L0.2231[962,1121] 146ns |----------------------------------------L0.2231-----------------------------------------|"
+ - "L0.2245[962,1121] 147ns |----------------------------------------L0.2245-----------------------------------------|"
+ - "L0.2259[962,1121] 148ns |----------------------------------------L0.2259-----------------------------------------|"
+ - "L0.2273[962,1121] 149ns |----------------------------------------L0.2273-----------------------------------------|"
+ - "L0.2287[962,1121] 150ns |----------------------------------------L0.2287-----------------------------------------|"
+ - "L0.2301[962,1121] 151ns |----------------------------------------L0.2301-----------------------------------------|"
+ - "L0.2315[962,1121] 152ns |----------------------------------------L0.2315-----------------------------------------|"
+ - "L0.2329[962,1121] 153ns |----------------------------------------L0.2329-----------------------------------------|"
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
+ - "L0, all files 0b "
+ - "L0.?[962,1121] 153ns |------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.2077, L0.2091, L0.2105, L0.2119, L0.2133, L0.2147, L0.2161, L0.2175, L0.2189, L0.2203, L0.2217, L0.2231, L0.2245, L0.2259, L0.2273, L0.2287, L0.2301, L0.2315, L0.2329, L0.3032"
+ - " Creating 1 files"
+ - "**** Simulation run 305, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "L0, all files 0b "
+ - "L0.3033[1122,1281] 134ns |----------------------------------------L0.3033-----------------------------------------|"
+ - "L0.2190[1122,1281] 135ns |----------------------------------------L0.2190-----------------------------------------|"
+ - "L0.2204[1122,1281] 136ns |----------------------------------------L0.2204-----------------------------------------|"
+ - "L0.2078[1122,1281] 137ns |----------------------------------------L0.2078-----------------------------------------|"
+ - "L0.2092[1122,1281] 138ns |----------------------------------------L0.2092-----------------------------------------|"
+ - "L0.2106[1122,1281] 139ns |----------------------------------------L0.2106-----------------------------------------|"
+ - "L0.2120[1122,1281] 140ns |----------------------------------------L0.2120-----------------------------------------|"
+ - "L0.2134[1122,1281] 141ns |----------------------------------------L0.2134-----------------------------------------|"
+ - "L0.2148[1122,1281] 142ns |----------------------------------------L0.2148-----------------------------------------|"
+ - "L0.2162[1122,1281] 143ns |----------------------------------------L0.2162-----------------------------------------|"
+ - "L0.2176[1122,1281] 144ns |----------------------------------------L0.2176-----------------------------------------|"
+ - "L0.2218[1122,1281] 145ns |----------------------------------------L0.2218-----------------------------------------|"
+ - "L0.2232[1122,1281] 146ns |----------------------------------------L0.2232-----------------------------------------|"
+ - "L0.2246[1122,1281] 147ns |----------------------------------------L0.2246-----------------------------------------|"
+ - "L0.2260[1122,1281] 148ns |----------------------------------------L0.2260-----------------------------------------|"
+ - "L0.2274[1122,1281] 149ns |----------------------------------------L0.2274-----------------------------------------|"
+ - "L0.2288[1122,1281] 150ns |----------------------------------------L0.2288-----------------------------------------|"
+ - "L0.2302[1122,1281] 151ns |----------------------------------------L0.2302-----------------------------------------|"
+ - "L0.2316[1122,1281] 152ns |----------------------------------------L0.2316-----------------------------------------|"
+ - "L0.2330[1122,1281] 153ns |----------------------------------------L0.2330-----------------------------------------|"
- "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- "L0, all files 0b "
- - "L0.?[1442,1601] 179ns |------------------------------------------L0.?------------------------------------------|"
+ - "L0.?[1122,1281] 153ns |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 20 files: L0.2430, L0.2444, L0.2457, L0.2470, L0.2483, L0.2496, L0.2509, L0.2522, L0.2535, L0.2548, L0.2561, L0.2574, L0.2587, L0.2600, L0.2613, L0.2626, L0.2639, L0.2652, L0.2665, L0.2678"
+ - " Soft Deleting 20 files: L0.2078, L0.2092, L0.2106, L0.2120, L0.2134, L0.2148, L0.2162, L0.2176, L0.2190, L0.2204, L0.2218, L0.2232, L0.2246, L0.2260, L0.2274, L0.2288, L0.2302, L0.2316, L0.2330, L0.3033"
- " Creating 1 files"
- - "**** Simulation run 298, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "**** Simulation run 306, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- "L0, all files 0b "
- - "L0.2691[1442,1601] 180ns |----------------------------------------L0.2691-----------------------------------------|"
- - "L0.2704[1442,1601] 181ns |----------------------------------------L0.2704-----------------------------------------|"
- - "L0.2717[1442,1601] 182ns |----------------------------------------L0.2717-----------------------------------------|"
- - "L0.2730[1442,1601] 183ns |----------------------------------------L0.2730-----------------------------------------|"
- - "L0.2743[1442,1601] 184ns |----------------------------------------L0.2743-----------------------------------------|"
- - "L0.2756[1442,1601] 185ns |----------------------------------------L0.2756-----------------------------------------|"
- - "L0.2769[1442,1601] 186ns |----------------------------------------L0.2769-----------------------------------------|"
- - "L0.2782[1442,1601] 187ns |----------------------------------------L0.2782-----------------------------------------|"
- - "L0.2795[1442,1601] 188ns |----------------------------------------L0.2795-----------------------------------------|"
- - "L0.2808[1442,1601] 189ns |----------------------------------------L0.2808-----------------------------------------|"
- - "L0.2821[1442,1601] 190ns |----------------------------------------L0.2821-----------------------------------------|"
- - "L0.2834[1442,1601] 191ns |----------------------------------------L0.2834-----------------------------------------|"
- - "L0.2847[1442,1601] 192ns |----------------------------------------L0.2847-----------------------------------------|"
- - "L0.2860[1442,1601] 193ns |----------------------------------------L0.2860-----------------------------------------|"
- - "L0.2873[1442,1601] 194ns |----------------------------------------L0.2873-----------------------------------------|"
- - "L0.2886[1442,1601] 195ns |----------------------------------------L0.2886-----------------------------------------|"
- - "L0.2899[1442,1601] 196ns |----------------------------------------L0.2899-----------------------------------------|"
- - "L0.2912[1442,1601] 197ns |----------------------------------------L0.2912-----------------------------------------|"
- - "L0.2925[1442,1601] 198ns |----------------------------------------L0.2925-----------------------------------------|"
- - "L0.2938[1442,1601] 199ns |----------------------------------------L0.2938-----------------------------------------|"
+ - "L0.3034[1282,1441] 134ns |----------------------------------------L0.3034-----------------------------------------|"
+ - "L0.2191[1282,1441] 135ns |----------------------------------------L0.2191-----------------------------------------|"
+ - "L0.2205[1282,1441] 136ns |----------------------------------------L0.2205-----------------------------------------|"
+ - "L0.2079[1282,1441] 137ns |----------------------------------------L0.2079-----------------------------------------|"
+ - "L0.2093[1282,1441] 138ns |----------------------------------------L0.2093-----------------------------------------|"
+ - "L0.2107[1282,1441] 139ns |----------------------------------------L0.2107-----------------------------------------|"
+ - "L0.2121[1282,1441] 140ns |----------------------------------------L0.2121-----------------------------------------|"
+ - "L0.2135[1282,1441] 141ns |----------------------------------------L0.2135-----------------------------------------|"
+ - "L0.2149[1282,1441] 142ns |----------------------------------------L0.2149-----------------------------------------|"
+ - "L0.2163[1282,1441] 143ns |----------------------------------------L0.2163-----------------------------------------|"
+ - "L0.2177[1282,1441] 144ns |----------------------------------------L0.2177-----------------------------------------|"
+ - "L0.2219[1282,1441] 145ns |----------------------------------------L0.2219-----------------------------------------|"
+ - "L0.2233[1282,1441] 146ns |----------------------------------------L0.2233-----------------------------------------|"
+ - "L0.2247[1282,1441] 147ns |----------------------------------------L0.2247-----------------------------------------|"
+ - "L0.2261[1282,1441] 148ns |----------------------------------------L0.2261-----------------------------------------|"
+ - "L0.2275[1282,1441] 149ns |----------------------------------------L0.2275-----------------------------------------|"
+ - "L0.2289[1282,1441] 150ns |----------------------------------------L0.2289-----------------------------------------|"
+ - "L0.2303[1282,1441] 151ns |----------------------------------------L0.2303-----------------------------------------|"
+ - "L0.2317[1282,1441] 152ns |----------------------------------------L0.2317-----------------------------------------|"
+ - "L0.2331[1282,1441] 153ns |----------------------------------------L0.2331-----------------------------------------|"
- "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- "L0, all files 0b "
- - "L0.?[1442,1601] 199ns |------------------------------------------L0.?------------------------------------------|"
+ - "L0.?[1282,1441] 153ns |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 20 files: L0.2691, L0.2704, L0.2717, L0.2730, L0.2743, L0.2756, L0.2769, L0.2782, L0.2795, L0.2808, L0.2821, L0.2834, L0.2847, L0.2860, L0.2873, L0.2886, L0.2899, L0.2912, L0.2925, L0.2938"
+ - " Soft Deleting 20 files: L0.2079, L0.2093, L0.2107, L0.2121, L0.2135, L0.2149, L0.2163, L0.2177, L0.2191, L0.2205, L0.2219, L0.2233, L0.2247, L0.2261, L0.2275, L0.2289, L0.2303, L0.2317, L0.2331, L0.3034"
- " Creating 1 files"
- - "**** Simulation run 299, type=compact(ManySmallFiles). 20 Input Files, 160mb total:"
- - "L0, all files 8mb "
- - "L0.211[1602,1761] 0ns |-----------------------------------------L0.211-----------------------------------------|"
- - "L0.224[1602,1761] 1ns |-----------------------------------------L0.224-----------------------------------------|"
- - "L0.237[1602,1761] 2ns |-----------------------------------------L0.237-----------------------------------------|"
- - "L0.250[1602,1761] 3ns |-----------------------------------------L0.250-----------------------------------------|"
- - "L0.263[1602,1761] 4ns |-----------------------------------------L0.263-----------------------------------------|"
- - "L0.276[1602,1761] 5ns |-----------------------------------------L0.276-----------------------------------------|"
- - "L0.289[1602,1761] 6ns |-----------------------------------------L0.289-----------------------------------------|"
- - "L0.302[1602,1761] 7ns |-----------------------------------------L0.302-----------------------------------------|"
- - "L0.315[1602,1761] 8ns |-----------------------------------------L0.315-----------------------------------------|"
- - "L0.328[1602,1761] 9ns |-----------------------------------------L0.328-----------------------------------------|"
- - "L0.341[1602,1761] 10ns |-----------------------------------------L0.341-----------------------------------------|"
- - "L0.354[1602,1761] 11ns |-----------------------------------------L0.354-----------------------------------------|"
- - "L0.367[1602,1761] 12ns |-----------------------------------------L0.367-----------------------------------------|"
- - "L0.380[1602,1761] 13ns |-----------------------------------------L0.380-----------------------------------------|"
- - "L0.393[1602,1761] 14ns |-----------------------------------------L0.393-----------------------------------------|"
- - "L0.406[1602,1761] 15ns |-----------------------------------------L0.406-----------------------------------------|"
- - "L0.419[1602,1761] 16ns |-----------------------------------------L0.419-----------------------------------------|"
- - "L0.432[1602,1761] 17ns |-----------------------------------------L0.432-----------------------------------------|"
- - "L0.445[1602,1761] 18ns |-----------------------------------------L0.445-----------------------------------------|"
- - "L0.570[1602,1761] 19ns |-----------------------------------------L0.570-----------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 160mb total:"
- - "L0, all files 160mb "
- - "L0.?[1602,1761] 19ns |------------------------------------------L0.?------------------------------------------|"
+ - "**** Simulation run 307, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "L0, all files 0b "
+ - "L0.3035[1442,1601] 134ns |----------------------------------------L0.3035-----------------------------------------|"
+ - "L0.2192[1442,1601] 135ns |----------------------------------------L0.2192-----------------------------------------|"
+ - "L0.2206[1442,1601] 136ns |----------------------------------------L0.2206-----------------------------------------|"
+ - "L0.2080[1442,1601] 137ns |----------------------------------------L0.2080-----------------------------------------|"
+ - "L0.2094[1442,1601] 138ns |----------------------------------------L0.2094-----------------------------------------|"
+ - "L0.2108[1442,1601] 139ns |----------------------------------------L0.2108-----------------------------------------|"
+ - "L0.2122[1442,1601] 140ns |----------------------------------------L0.2122-----------------------------------------|"
+ - "L0.2136[1442,1601] 141ns |----------------------------------------L0.2136-----------------------------------------|"
+ - "L0.2150[1442,1601] 142ns |----------------------------------------L0.2150-----------------------------------------|"
+ - "L0.2164[1442,1601] 143ns |----------------------------------------L0.2164-----------------------------------------|"
+ - "L0.2178[1442,1601] 144ns |----------------------------------------L0.2178-----------------------------------------|"
+ - "L0.2220[1442,1601] 145ns |----------------------------------------L0.2220-----------------------------------------|"
+ - "L0.2234[1442,1601] 146ns |----------------------------------------L0.2234-----------------------------------------|"
+ - "L0.2248[1442,1601] 147ns |----------------------------------------L0.2248-----------------------------------------|"
+ - "L0.2262[1442,1601] 148ns |----------------------------------------L0.2262-----------------------------------------|"
+ - "L0.2276[1442,1601] 149ns |----------------------------------------L0.2276-----------------------------------------|"
+ - "L0.2290[1442,1601] 150ns |----------------------------------------L0.2290-----------------------------------------|"
+ - "L0.2304[1442,1601] 151ns |----------------------------------------L0.2304-----------------------------------------|"
+ - "L0.2318[1442,1601] 152ns |----------------------------------------L0.2318-----------------------------------------|"
+ - "L0.2332[1442,1601] 153ns |----------------------------------------L0.2332-----------------------------------------|"
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
+ - "L0, all files 0b "
+ - "L0.?[1442,1601] 153ns |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 20 files: L0.211, L0.224, L0.237, L0.250, L0.263, L0.276, L0.289, L0.302, L0.315, L0.328, L0.341, L0.354, L0.367, L0.380, L0.393, L0.406, L0.419, L0.432, L0.445, L0.570"
+ - " Soft Deleting 20 files: L0.2080, L0.2094, L0.2108, L0.2122, L0.2136, L0.2150, L0.2164, L0.2178, L0.2192, L0.2206, L0.2220, L0.2234, L0.2248, L0.2262, L0.2276, L0.2290, L0.2304, L0.2318, L0.2332, L0.3035"
- " Creating 1 files"
- - "**** Simulation run 300, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "**** Simulation run 308, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- "L0, all files 0b "
- - "L0.583[1602,1761] 20ns |-----------------------------------------L0.583-----------------------------------------|"
- - "L0.458[1602,1761] 21ns |-----------------------------------------L0.458-----------------------------------------|"
- - "L0.472[1602,1761] 22ns |-----------------------------------------L0.472-----------------------------------------|"
- - "L0.486[1602,1761] 23ns |-----------------------------------------L0.486-----------------------------------------|"
- - "L0.500[1602,1761] 24ns |-----------------------------------------L0.500-----------------------------------------|"
- - "L0.514[1602,1761] 25ns |-----------------------------------------L0.514-----------------------------------------|"
- - "L0.528[1602,1761] 26ns |-----------------------------------------L0.528-----------------------------------------|"
- - "L0.542[1602,1761] 27ns |-----------------------------------------L0.542-----------------------------------------|"
- - "L0.556[1602,1761] 28ns |-----------------------------------------L0.556-----------------------------------------|"
- - "L0.597[1602,1761] 29ns |-----------------------------------------L0.597-----------------------------------------|"
- - "L0.611[1602,1761] 30ns |-----------------------------------------L0.611-----------------------------------------|"
- - "L0.625[1602,1761] 31ns |-----------------------------------------L0.625-----------------------------------------|"
- - "L0.639[1602,1761] 32ns |-----------------------------------------L0.639-----------------------------------------|"
- - "L0.653[1602,1761] 33ns |-----------------------------------------L0.653-----------------------------------------|"
- - "L0.667[1602,1761] 34ns |-----------------------------------------L0.667-----------------------------------------|"
- - "L0.681[1602,1761] 35ns |-----------------------------------------L0.681-----------------------------------------|"
- - "L0.695[1602,1761] 36ns |-----------------------------------------L0.695-----------------------------------------|"
- - "L0.709[1602,1761] 37ns |-----------------------------------------L0.709-----------------------------------------|"
- - "L0.723[1602,1761] 38ns |-----------------------------------------L0.723-----------------------------------------|"
- - "L0.737[1602,1761] 39ns |-----------------------------------------L0.737-----------------------------------------|"
+ - "L0.3036[1602,1761] 134ns |----------------------------------------L0.3036-----------------------------------------|"
+ - "L0.2193[1602,1761] 135ns |----------------------------------------L0.2193-----------------------------------------|"
+ - "L0.2207[1602,1761] 136ns |----------------------------------------L0.2207-----------------------------------------|"
+ - "L0.2081[1602,1761] 137ns |----------------------------------------L0.2081-----------------------------------------|"
+ - "L0.2095[1602,1761] 138ns |----------------------------------------L0.2095-----------------------------------------|"
+ - "L0.2109[1602,1761] 139ns |----------------------------------------L0.2109-----------------------------------------|"
+ - "L0.2123[1602,1761] 140ns |----------------------------------------L0.2123-----------------------------------------|"
+ - "L0.2137[1602,1761] 141ns |----------------------------------------L0.2137-----------------------------------------|"
+ - "L0.2151[1602,1761] 142ns |----------------------------------------L0.2151-----------------------------------------|"
+ - "L0.2165[1602,1761] 143ns |----------------------------------------L0.2165-----------------------------------------|"
+ - "L0.2179[1602,1761] 144ns |----------------------------------------L0.2179-----------------------------------------|"
+ - "L0.2221[1602,1761] 145ns |----------------------------------------L0.2221-----------------------------------------|"
+ - "L0.2235[1602,1761] 146ns |----------------------------------------L0.2235-----------------------------------------|"
+ - "L0.2249[1602,1761] 147ns |----------------------------------------L0.2249-----------------------------------------|"
+ - "L0.2263[1602,1761] 148ns |----------------------------------------L0.2263-----------------------------------------|"
+ - "L0.2277[1602,1761] 149ns |----------------------------------------L0.2277-----------------------------------------|"
+ - "L0.2291[1602,1761] 150ns |----------------------------------------L0.2291-----------------------------------------|"
+ - "L0.2305[1602,1761] 151ns |----------------------------------------L0.2305-----------------------------------------|"
+ - "L0.2319[1602,1761] 152ns |----------------------------------------L0.2319-----------------------------------------|"
+ - "L0.2333[1602,1761] 153ns |----------------------------------------L0.2333-----------------------------------------|"
- "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- "L0, all files 0b "
- - "L0.?[1602,1761] 39ns |------------------------------------------L0.?------------------------------------------|"
+ - "L0.?[1602,1761] 153ns |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 20 files: L0.458, L0.472, L0.486, L0.500, L0.514, L0.528, L0.542, L0.556, L0.583, L0.597, L0.611, L0.625, L0.639, L0.653, L0.667, L0.681, L0.695, L0.709, L0.723, L0.737"
+ - " Soft Deleting 20 files: L0.2081, L0.2095, L0.2109, L0.2123, L0.2137, L0.2151, L0.2165, L0.2179, L0.2193, L0.2207, L0.2221, L0.2235, L0.2249, L0.2263, L0.2277, L0.2291, L0.2305, L0.2319, L0.2333, L0.3036"
- " Creating 1 files"
- - "**** Simulation run 301, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "**** Simulation run 309, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- "L0, all files 0b "
- - "L0.751[1602,1761] 40ns |-----------------------------------------L0.751-----------------------------------------|"
- - "L0.765[1602,1761] 41ns |-----------------------------------------L0.765-----------------------------------------|"
- - "L0.779[1602,1761] 42ns |-----------------------------------------L0.779-----------------------------------------|"
- - "L0.793[1602,1761] 43ns |-----------------------------------------L0.793-----------------------------------------|"
- - "L0.807[1602,1761] 44ns |-----------------------------------------L0.807-----------------------------------------|"
- - "L0.821[1602,1761] 45ns |-----------------------------------------L0.821-----------------------------------------|"
- - "L0.835[1602,1761] 46ns |-----------------------------------------L0.835-----------------------------------------|"
- - "L0.849[1602,1761] 47ns |-----------------------------------------L0.849-----------------------------------------|"
- - "L0.863[1602,1761] 48ns |-----------------------------------------L0.863-----------------------------------------|"
- - "L0.877[1602,1761] 49ns |-----------------------------------------L0.877-----------------------------------------|"
- - "L0.891[1602,1761] 50ns |-----------------------------------------L0.891-----------------------------------------|"
- - "L0.905[1602,1761] 51ns |-----------------------------------------L0.905-----------------------------------------|"
- - "L0.919[1602,1761] 52ns |-----------------------------------------L0.919-----------------------------------------|"
- - "L0.933[1602,1761] 53ns |-----------------------------------------L0.933-----------------------------------------|"
- - "L0.947[1602,1761] 54ns |-----------------------------------------L0.947-----------------------------------------|"
- - "L0.961[1602,1761] 55ns |-----------------------------------------L0.961-----------------------------------------|"
- - "L0.975[1602,1761] 56ns |-----------------------------------------L0.975-----------------------------------------|"
- - "L0.989[1602,1761] 57ns |-----------------------------------------L0.989-----------------------------------------|"
- - "L0.1003[1602,1761] 58ns |----------------------------------------L0.1003-----------------------------------------|"
- - "L0.1017[1602,1761] 59ns |----------------------------------------L0.1017-----------------------------------------|"
+ - "L0.3037[1762,1921] 134ns |----------------------------------------L0.3037-----------------------------------------|"
+ - "L0.2194[1762,1921] 135ns |----------------------------------------L0.2194-----------------------------------------|"
+ - "L0.2208[1762,1921] 136ns |----------------------------------------L0.2208-----------------------------------------|"
+ - "L0.2082[1762,1921] 137ns |----------------------------------------L0.2082-----------------------------------------|"
+ - "L0.2096[1762,1921] 138ns |----------------------------------------L0.2096-----------------------------------------|"
+ - "L0.2110[1762,1921] 139ns |----------------------------------------L0.2110-----------------------------------------|"
+ - "L0.2124[1762,1921] 140ns |----------------------------------------L0.2124-----------------------------------------|"
+ - "L0.2138[1762,1921] 141ns |----------------------------------------L0.2138-----------------------------------------|"
+ - "L0.2152[1762,1921] 142ns |----------------------------------------L0.2152-----------------------------------------|"
+ - "L0.2166[1762,1921] 143ns |----------------------------------------L0.2166-----------------------------------------|"
+ - "L0.2180[1762,1921] 144ns |----------------------------------------L0.2180-----------------------------------------|"
+ - "L0.2222[1762,1921] 145ns |----------------------------------------L0.2222-----------------------------------------|"
+ - "L0.2236[1762,1921] 146ns |----------------------------------------L0.2236-----------------------------------------|"
+ - "L0.2250[1762,1921] 147ns |----------------------------------------L0.2250-----------------------------------------|"
+ - "L0.2264[1762,1921] 148ns |----------------------------------------L0.2264-----------------------------------------|"
+ - "L0.2278[1762,1921] 149ns |----------------------------------------L0.2278-----------------------------------------|"
+ - "L0.2292[1762,1921] 150ns |----------------------------------------L0.2292-----------------------------------------|"
+ - "L0.2306[1762,1921] 151ns |----------------------------------------L0.2306-----------------------------------------|"
+ - "L0.2320[1762,1921] 152ns |----------------------------------------L0.2320-----------------------------------------|"
+ - "L0.2334[1762,1921] 153ns |----------------------------------------L0.2334-----------------------------------------|"
- "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- "L0, all files 0b "
- - "L0.?[1602,1761] 59ns |------------------------------------------L0.?------------------------------------------|"
+ - "L0.?[1762,1921] 153ns |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 20 files: L0.751, L0.765, L0.779, L0.793, L0.807, L0.821, L0.835, L0.849, L0.863, L0.877, L0.891, L0.905, L0.919, L0.933, L0.947, L0.961, L0.975, L0.989, L0.1003, L0.1017"
+ - " Soft Deleting 20 files: L0.2082, L0.2096, L0.2110, L0.2124, L0.2138, L0.2152, L0.2166, L0.2180, L0.2194, L0.2208, L0.2222, L0.2236, L0.2250, L0.2264, L0.2278, L0.2292, L0.2306, L0.2320, L0.2334, L0.3037"
- " Creating 1 files"
- - "**** Simulation run 302, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "**** Simulation run 310, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- "L0, all files 0b "
- - "L0.1031[1602,1761] 60ns |----------------------------------------L0.1031-----------------------------------------|"
- - "L0.1045[1602,1761] 61ns |----------------------------------------L0.1045-----------------------------------------|"
- - "L0.1059[1602,1761] 62ns |----------------------------------------L0.1059-----------------------------------------|"
- - "L0.1073[1602,1761] 63ns |----------------------------------------L0.1073-----------------------------------------|"
- - "L0.1087[1602,1761] 64ns |----------------------------------------L0.1087-----------------------------------------|"
- - "L0.1101[1602,1761] 65ns |----------------------------------------L0.1101-----------------------------------------|"
- - "L0.1115[1602,1761] 66ns |----------------------------------------L0.1115-----------------------------------------|"
- - "L0.1129[1602,1761] 67ns |----------------------------------------L0.1129-----------------------------------------|"
- - "L0.1143[1602,1761] 68ns |----------------------------------------L0.1143-----------------------------------------|"
- - "L0.1157[1602,1761] 69ns |----------------------------------------L0.1157-----------------------------------------|"
- - "L0.1171[1602,1761] 70ns |----------------------------------------L0.1171-----------------------------------------|"
- - "L0.1185[1602,1761] 71ns |----------------------------------------L0.1185-----------------------------------------|"
- - "L0.1199[1602,1761] 72ns |----------------------------------------L0.1199-----------------------------------------|"
- - "L0.1213[1602,1761] 73ns |----------------------------------------L0.1213-----------------------------------------|"
- - "L0.1227[1602,1761] 74ns |----------------------------------------L0.1227-----------------------------------------|"
- - "L0.1241[1602,1761] 75ns |----------------------------------------L0.1241-----------------------------------------|"
- - "L0.1255[1602,1761] 76ns |----------------------------------------L0.1255-----------------------------------------|"
- - "L0.1269[1602,1761] 77ns |----------------------------------------L0.1269-----------------------------------------|"
- - "L0.1283[1602,1761] 78ns |----------------------------------------L0.1283-----------------------------------------|"
- - "L0.1297[1602,1761] 79ns |----------------------------------------L0.1297-----------------------------------------|"
+ - "L0.3038[1922,2086] 134ns |----------------------------------------L0.3038-----------------------------------------|"
+ - "L0.2195[1922,2086] 135ns |----------------------------------------L0.2195-----------------------------------------|"
+ - "L0.2209[1922,2086] 136ns |----------------------------------------L0.2209-----------------------------------------|"
+ - "L0.2083[1922,2086] 137ns |----------------------------------------L0.2083-----------------------------------------|"
+ - "L0.2097[1922,2086] 138ns |----------------------------------------L0.2097-----------------------------------------|"
+ - "L0.2111[1922,2086] 139ns |----------------------------------------L0.2111-----------------------------------------|"
+ - "L0.2125[1922,2086] 140ns |----------------------------------------L0.2125-----------------------------------------|"
+ - "L0.2139[1922,2086] 141ns |----------------------------------------L0.2139-----------------------------------------|"
+ - "L0.2153[1922,2086] 142ns |----------------------------------------L0.2153-----------------------------------------|"
+ - "L0.2167[1922,2086] 143ns |----------------------------------------L0.2167-----------------------------------------|"
+ - "L0.2181[1922,2086] 144ns |----------------------------------------L0.2181-----------------------------------------|"
+ - "L0.2223[1922,2086] 145ns |----------------------------------------L0.2223-----------------------------------------|"
+ - "L0.2237[1922,2086] 146ns |----------------------------------------L0.2237-----------------------------------------|"
+ - "L0.2251[1922,2086] 147ns |----------------------------------------L0.2251-----------------------------------------|"
+ - "L0.2265[1922,2086] 148ns |----------------------------------------L0.2265-----------------------------------------|"
+ - "L0.2279[1922,2086] 149ns |----------------------------------------L0.2279-----------------------------------------|"
+ - "L0.2293[1922,2086] 150ns |----------------------------------------L0.2293-----------------------------------------|"
+ - "L0.2307[1922,2086] 151ns |----------------------------------------L0.2307-----------------------------------------|"
+ - "L0.2321[1922,2086] 152ns |----------------------------------------L0.2321-----------------------------------------|"
+ - "L0.2335[1922,2086] 153ns |----------------------------------------L0.2335-----------------------------------------|"
- "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- "L0, all files 0b "
- - "L0.?[1602,1761] 79ns |------------------------------------------L0.?------------------------------------------|"
+ - "L0.?[1922,2086] 153ns |------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.2083, L0.2097, L0.2111, L0.2125, L0.2139, L0.2153, L0.2167, L0.2181, L0.2195, L0.2209, L0.2223, L0.2237, L0.2251, L0.2265, L0.2279, L0.2293, L0.2307, L0.2321, L0.2335, L0.3038"
+ - " Creating 1 files"
+ - "**** Simulation run 311, type=compact(ManySmallFiles). 20 Input Files, 1kb total:"
+ - "L0 "
+ - "L0.3040[2087,1530000] 153ns 1kb|-----------------------------------L0.3040------------------------------------| "
+ - "L0.2350[2087,1540000] 154ns 10b|-----------------------------------L0.2350------------------------------------| "
+ - "L0.2364[2087,1550000] 155ns 10b|------------------------------------L0.2364------------------------------------| "
+ - "L0.2378[2087,1560000] 156ns 10b|------------------------------------L0.2378------------------------------------| "
+ - "L0.2392[2087,1570000] 157ns 10b|------------------------------------L0.2392-------------------------------------| "
+ - "L0.2406[2087,1580000] 158ns 10b|------------------------------------L0.2406-------------------------------------| "
+ - "L0.2420[2087,1590000] 159ns 10b|-------------------------------------L0.2420-------------------------------------| "
+ - "L0.2434[2087,1600000] 160ns 10b|-------------------------------------L0.2434-------------------------------------| "
+ - "L0.2448[2087,1610000] 161ns 10b|-------------------------------------L0.2448--------------------------------------| "
+ - "L0.2461[2087,1620000] 162ns 10b|-------------------------------------L0.2461--------------------------------------| "
+ - "L0.2474[2087,1630000] 163ns 10b|--------------------------------------L0.2474--------------------------------------| "
+ - "L0.2487[2087,1640000] 164ns 10b|--------------------------------------L0.2487--------------------------------------| "
+ - "L0.2500[2087,1650000] 165ns 10b|--------------------------------------L0.2500---------------------------------------| "
+ - "L0.2513[2087,1660000] 166ns 10b|--------------------------------------L0.2513---------------------------------------| "
+ - "L0.2526[2087,1670000] 167ns 10b|---------------------------------------L0.2526---------------------------------------| "
+ - "L0.2539[2087,1680000] 168ns 10b|---------------------------------------L0.2539---------------------------------------| "
+ - "L0.2552[2087,1690000] 169ns 10b|---------------------------------------L0.2552----------------------------------------| "
+ - "L0.2565[2087,1700000] 170ns 10b|---------------------------------------L0.2565----------------------------------------| "
+ - "L0.2578[2087,1710000] 171ns 10b|----------------------------------------L0.2578----------------------------------------| "
+ - "L0.2591[2087,1720000] 172ns 10b|----------------------------------------L0.2591-----------------------------------------|"
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 1kb total:"
+ - "L0, all files 1kb "
+ - "L0.?[2087,1720000] 172ns |------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.2350, L0.2364, L0.2378, L0.2392, L0.2406, L0.2420, L0.2434, L0.2448, L0.2461, L0.2474, L0.2487, L0.2500, L0.2513, L0.2526, L0.2539, L0.2552, L0.2565, L0.2578, L0.2591, L0.3040"
+ - " Creating 1 files"
+ - "**** Simulation run 312, type=split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))(split_times=[101]). 10 Input Files, 161mb total:"
+ - "L0 "
+ - "L0.2435[161,161] 161ns 0b |L0.2435|"
+ - "L0.2421[160,161] 160ns 0b |L0.2421|"
+ - "L0.2407[159,161] 159ns 0b |L0.2407|"
+ - "L0.2393[158,161] 158ns 0b |L0.2393|"
+ - "L0.2379[157,161] 157ns 0b |L0.2379|"
+ - "L0.2365[156,161] 156ns 0b |L0.2365|"
+ - "L0.2351[155,161] 155ns 0b |L0.2351|"
+ - "L0.2337[154,161] 154ns 0b |L0.2337|"
+ - "L0.2943[1,161] 19ns 161mb|----------------------------------------L0.2943-----------------------------------------|"
+ - "L0.3041[20,161] 153ns 0b |-----------------------------------L0.3041-----------------------------------| "
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 161mb total:"
+ - "L1 "
+ - "L1.?[1,101] 161ns 101mb |-------------------------L1.?-------------------------| "
+ - "L1.?[102,161] 161ns 60mb |-------------L1.?--------------| "
- "Committing partition 1:"
- - " Soft Deleting 20 files: L0.1031, L0.1045, L0.1059, L0.1073, L0.1087, L0.1101, L0.1115, L0.1129, L0.1143, L0.1157, L0.1171, L0.1185, L0.1199, L0.1213, L0.1227, L0.1241, L0.1255, L0.1269, L0.1283, L0.1297"
- - " Creating 1 files"
- - "**** Simulation run 303, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - " Soft Deleting 10 files: L0.2337, L0.2351, L0.2365, L0.2379, L0.2393, L0.2407, L0.2421, L0.2435, L0.2943, L0.3041"
+ - " Creating 2 files"
+ - "**** Simulation run 313, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- "L0, all files 0b "
- - "L0.1311[1602,1761] 80ns |----------------------------------------L0.1311-----------------------------------------|"
- - "L0.1325[1602,1761] 81ns |----------------------------------------L0.1325-----------------------------------------|"
- - "L0.1339[1602,1761] 82ns |----------------------------------------L0.1339-----------------------------------------|"
- - "L0.1353[1602,1761] 83ns |----------------------------------------L0.1353-----------------------------------------|"
- - "L0.1367[1602,1761] 84ns |----------------------------------------L0.1367-----------------------------------------|"
- - "L0.1381[1602,1761] 85ns |----------------------------------------L0.1381-----------------------------------------|"
- - "L0.1395[1602,1761] 86ns |----------------------------------------L0.1395-----------------------------------------|"
- - "L0.1409[1602,1761] 87ns |----------------------------------------L0.1409-----------------------------------------|"
- - "L0.1423[1602,1761] 88ns |----------------------------------------L0.1423-----------------------------------------|"
- - "L0.1437[1602,1761] 89ns |----------------------------------------L0.1437-----------------------------------------|"
- - "L0.1451[1602,1761] 90ns |----------------------------------------L0.1451-----------------------------------------|"
- - "L0.1465[1602,1761] 91ns |----------------------------------------L0.1465-----------------------------------------|"
- - "L0.1479[1602,1761] 92ns |----------------------------------------L0.1479-----------------------------------------|"
- - "L0.1493[1602,1761] 93ns |----------------------------------------L0.1493-----------------------------------------|"
- - "L0.1507[1602,1761] 94ns |----------------------------------------L0.1507-----------------------------------------|"
- - "L0.1521[1602,1761] 95ns |----------------------------------------L0.1521-----------------------------------------|"
- - "L0.1535[1602,1761] 96ns |----------------------------------------L0.1535-----------------------------------------|"
- - "L0.1549[1602,1761] 97ns |----------------------------------------L0.1549-----------------------------------------|"
- - "L0.1563[1602,1761] 98ns |----------------------------------------L0.1563-----------------------------------------|"
- - "L0.1577[1602,1761] 99ns |----------------------------------------L0.1577-----------------------------------------|"
+ - "L0.3042[162,321] 153ns |----------------------------------------L0.3042-----------------------------------------|"
+ - "L0.2338[162,321] 154ns |----------------------------------------L0.2338-----------------------------------------|"
+ - "L0.2352[162,321] 155ns |----------------------------------------L0.2352-----------------------------------------|"
+ - "L0.2366[162,321] 156ns |----------------------------------------L0.2366-----------------------------------------|"
+ - "L0.2380[162,321] 157ns |----------------------------------------L0.2380-----------------------------------------|"
+ - "L0.2394[162,321] 158ns |----------------------------------------L0.2394-----------------------------------------|"
+ - "L0.2408[162,321] 159ns |----------------------------------------L0.2408-----------------------------------------|"
+ - "L0.2422[162,321] 160ns |----------------------------------------L0.2422-----------------------------------------|"
+ - "L0.2436[162,321] 161ns |----------------------------------------L0.2436-----------------------------------------|"
+ - "L0.2449[162,321] 162ns |----------------------------------------L0.2449-----------------------------------------|"
+ - "L0.2462[163,321] 163ns |----------------------------------------L0.2462----------------------------------------| "
+ - "L0.2475[164,321] 164ns |---------------------------------------L0.2475----------------------------------------| "
+ - "L0.2488[165,321] 165ns |---------------------------------------L0.2488----------------------------------------| "
+ - "L0.2501[166,321] 166ns |---------------------------------------L0.2501---------------------------------------| "
+ - "L0.2514[167,321] 167ns |---------------------------------------L0.2514---------------------------------------| "
+ - "L0.2527[168,321] 168ns |--------------------------------------L0.2527---------------------------------------| "
+ - "L0.2540[169,321] 169ns |--------------------------------------L0.2540---------------------------------------| "
+ - "L0.2553[170,321] 170ns |--------------------------------------L0.2553--------------------------------------| "
+ - "L0.2566[171,321] 171ns |-------------------------------------L0.2566--------------------------------------| "
+ - "L0.2579[172,321] 172ns |-------------------------------------L0.2579--------------------------------------| "
- "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- "L0, all files 0b "
- - "L0.?[1602,1761] 99ns |------------------------------------------L0.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 20 files: L0.1311, L0.1325, L0.1339, L0.1353, L0.1367, L0.1381, L0.1395, L0.1409, L0.1423, L0.1437, L0.1451, L0.1465, L0.1479, L0.1493, L0.1507, L0.1521, L0.1535, L0.1549, L0.1563, L0.1577"
- - " Creating 1 files"
- - "**** Simulation run 304, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "L0.?[162,321] 172ns |------------------------------------------L0.?------------------------------------------|"
+ - "**** Simulation run 314, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- "L0, all files 0b "
- - "L0.1591[1602,1761] 100ns |----------------------------------------L0.1591-----------------------------------------|"
- - "L0.1605[1602,1761] 101ns |----------------------------------------L0.1605-----------------------------------------|"
- - "L0.1619[1602,1761] 102ns |----------------------------------------L0.1619-----------------------------------------|"
- - "L0.1633[1602,1761] 103ns |----------------------------------------L0.1633-----------------------------------------|"
- - "L0.1647[1602,1761] 104ns |----------------------------------------L0.1647-----------------------------------------|"
- - "L0.1661[1602,1761] 105ns |----------------------------------------L0.1661-----------------------------------------|"
- - "L0.1675[1602,1761] 106ns |----------------------------------------L0.1675-----------------------------------------|"
- - "L0.1689[1602,1761] 107ns |----------------------------------------L0.1689-----------------------------------------|"
- - "L0.1703[1602,1761] 108ns |----------------------------------------L0.1703-----------------------------------------|"
- - "L0.1717[1602,1761] 109ns |----------------------------------------L0.1717-----------------------------------------|"
- - "L0.1731[1602,1761] 110ns |----------------------------------------L0.1731-----------------------------------------|"
- - "L0.1745[1602,1761] 111ns |----------------------------------------L0.1745-----------------------------------------|"
- - "L0.1759[1602,1761] 112ns |----------------------------------------L0.1759-----------------------------------------|"
- - "L0.1773[1602,1761] 113ns |----------------------------------------L0.1773-----------------------------------------|"
- - "L0.1787[1602,1761] 114ns |----------------------------------------L0.1787-----------------------------------------|"
- - "L0.1801[1602,1761] 115ns |----------------------------------------L0.1801-----------------------------------------|"
- - "L0.1815[1602,1761] 116ns |----------------------------------------L0.1815-----------------------------------------|"
- - "L0.1829[1602,1761] 117ns |----------------------------------------L0.1829-----------------------------------------|"
- - "L0.1843[1602,1761] 118ns |----------------------------------------L0.1843-----------------------------------------|"
- - "L0.1857[1602,1761] 119ns |----------------------------------------L0.1857-----------------------------------------|"
+ - "L0.3044[482,641] 153ns |----------------------------------------L0.3044-----------------------------------------|"
+ - "L0.2340[482,641] 154ns |----------------------------------------L0.2340-----------------------------------------|"
+ - "L0.2354[482,641] 155ns |----------------------------------------L0.2354-----------------------------------------|"
+ - "L0.2368[482,641] 156ns |----------------------------------------L0.2368-----------------------------------------|"
+ - "L0.2382[482,641] 157ns |----------------------------------------L0.2382-----------------------------------------|"
+ - "L0.2396[482,641] 158ns |----------------------------------------L0.2396-----------------------------------------|"
+ - "L0.2410[482,641] 159ns |----------------------------------------L0.2410-----------------------------------------|"
+ - "L0.2424[482,641] 160ns |----------------------------------------L0.2424-----------------------------------------|"
+ - "L0.2438[482,641] 161ns |----------------------------------------L0.2438-----------------------------------------|"
+ - "L0.2451[482,641] 162ns |----------------------------------------L0.2451-----------------------------------------|"
+ - "L0.2464[482,641] 163ns |----------------------------------------L0.2464-----------------------------------------|"
+ - "L0.2477[482,641] 164ns |----------------------------------------L0.2477-----------------------------------------|"
+ - "L0.2490[482,641] 165ns |----------------------------------------L0.2490-----------------------------------------|"
+ - "L0.2503[482,641] 166ns |----------------------------------------L0.2503-----------------------------------------|"
+ - "L0.2516[482,641] 167ns |----------------------------------------L0.2516-----------------------------------------|"
+ - "L0.2529[482,641] 168ns |----------------------------------------L0.2529-----------------------------------------|"
+ - "L0.2542[482,641] 169ns |----------------------------------------L0.2542-----------------------------------------|"
+ - "L0.2555[482,641] 170ns |----------------------------------------L0.2555-----------------------------------------|"
+ - "L0.2568[482,641] 171ns |----------------------------------------L0.2568-----------------------------------------|"
+ - "L0.2581[482,641] 172ns |----------------------------------------L0.2581-----------------------------------------|"
- "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- "L0, all files 0b "
- - "L0.?[1602,1761] 119ns |------------------------------------------L0.?------------------------------------------|"
+ - "L0.?[482,641] 172ns |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 20 files: L0.1591, L0.1605, L0.1619, L0.1633, L0.1647, L0.1661, L0.1675, L0.1689, L0.1703, L0.1717, L0.1731, L0.1745, L0.1759, L0.1773, L0.1787, L0.1801, L0.1815, L0.1829, L0.1843, L0.1857"
+ - " Soft Deleting 20 files: L0.2340, L0.2354, L0.2368, L0.2382, L0.2396, L0.2410, L0.2424, L0.2438, L0.2451, L0.2464, L0.2477, L0.2490, L0.2503, L0.2516, L0.2529, L0.2542, L0.2555, L0.2568, L0.2581, L0.3044"
- " Creating 1 files"
- - "**** Simulation run 305, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "**** Simulation run 315, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- "L0, all files 0b "
- - "L0.1871[1602,1761] 120ns |----------------------------------------L0.1871-----------------------------------------|"
- - "L0.1885[1602,1761] 121ns |----------------------------------------L0.1885-----------------------------------------|"
- - "L0.1899[1602,1761] 122ns |----------------------------------------L0.1899-----------------------------------------|"
- - "L0.1913[1602,1761] 123ns |----------------------------------------L0.1913-----------------------------------------|"
- - "L0.1927[1602,1761] 124ns |----------------------------------------L0.1927-----------------------------------------|"
- - "L0.1941[1602,1761] 125ns |----------------------------------------L0.1941-----------------------------------------|"
- - "L0.1955[1602,1761] 126ns |----------------------------------------L0.1955-----------------------------------------|"
- - "L0.1969[1602,1761] 127ns |----------------------------------------L0.1969-----------------------------------------|"
- - "L0.1983[1602,1761] 128ns |----------------------------------------L0.1983-----------------------------------------|"
- - "L0.1997[1602,1761] 129ns |----------------------------------------L0.1997-----------------------------------------|"
- - "L0.2011[1602,1761] 130ns |----------------------------------------L0.2011-----------------------------------------|"
- - "L0.2025[1602,1761] 131ns |----------------------------------------L0.2025-----------------------------------------|"
- - "L0.2039[1602,1761] 132ns |----------------------------------------L0.2039-----------------------------------------|"
- - "L0.2053[1602,1761] 133ns |----------------------------------------L0.2053-----------------------------------------|"
- - "L0.2067[1602,1761] 134ns |----------------------------------------L0.2067-----------------------------------------|"
- - "L0.2193[1602,1761] 135ns |----------------------------------------L0.2193-----------------------------------------|"
- - "L0.2207[1602,1761] 136ns |----------------------------------------L0.2207-----------------------------------------|"
- - "L0.2081[1602,1761] 137ns |----------------------------------------L0.2081-----------------------------------------|"
- - "L0.2095[1602,1761] 138ns |----------------------------------------L0.2095-----------------------------------------|"
- - "L0.2109[1602,1761] 139ns |----------------------------------------L0.2109-----------------------------------------|"
+ - "L0.3045[642,801] 153ns |----------------------------------------L0.3045-----------------------------------------|"
+ - "L0.2341[642,801] 154ns |----------------------------------------L0.2341-----------------------------------------|"
+ - "L0.2355[642,801] 155ns |----------------------------------------L0.2355-----------------------------------------|"
+ - "L0.2369[642,801] 156ns |----------------------------------------L0.2369-----------------------------------------|"
+ - "L0.2383[642,801] 157ns |----------------------------------------L0.2383-----------------------------------------|"
+ - "L0.2397[642,801] 158ns |----------------------------------------L0.2397-----------------------------------------|"
+ - "L0.2411[642,801] 159ns |----------------------------------------L0.2411-----------------------------------------|"
+ - "L0.2425[642,801] 160ns |----------------------------------------L0.2425-----------------------------------------|"
+ - "L0.2439[642,801] 161ns |----------------------------------------L0.2439-----------------------------------------|"
+ - "L0.2452[642,801] 162ns |----------------------------------------L0.2452-----------------------------------------|"
+ - "L0.2465[642,801] 163ns |----------------------------------------L0.2465-----------------------------------------|"
+ - "L0.2478[642,801] 164ns |----------------------------------------L0.2478-----------------------------------------|"
+ - "L0.2491[642,801] 165ns |----------------------------------------L0.2491-----------------------------------------|"
+ - "L0.2504[642,801] 166ns |----------------------------------------L0.2504-----------------------------------------|"
+ - "L0.2517[642,801] 167ns |----------------------------------------L0.2517-----------------------------------------|"
+ - "L0.2530[642,801] 168ns |----------------------------------------L0.2530-----------------------------------------|"
+ - "L0.2543[642,801] 169ns |----------------------------------------L0.2543-----------------------------------------|"
+ - "L0.2556[642,801] 170ns |----------------------------------------L0.2556-----------------------------------------|"
+ - "L0.2569[642,801] 171ns |----------------------------------------L0.2569-----------------------------------------|"
+ - "L0.2582[642,801] 172ns |----------------------------------------L0.2582-----------------------------------------|"
- "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- "L0, all files 0b "
- - "L0.?[1602,1761] 139ns |------------------------------------------L0.?------------------------------------------|"
+ - "L0.?[642,801] 172ns |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 20 files: L0.1871, L0.1885, L0.1899, L0.1913, L0.1927, L0.1941, L0.1955, L0.1969, L0.1983, L0.1997, L0.2011, L0.2025, L0.2039, L0.2053, L0.2067, L0.2081, L0.2095, L0.2109, L0.2193, L0.2207"
+ - " Soft Deleting 20 files: L0.2341, L0.2355, L0.2369, L0.2383, L0.2397, L0.2411, L0.2425, L0.2439, L0.2452, L0.2465, L0.2478, L0.2491, L0.2504, L0.2517, L0.2530, L0.2543, L0.2556, L0.2569, L0.2582, L0.3045"
- " Creating 1 files"
- - "**** Simulation run 306, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "**** Simulation run 316, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- "L0, all files 0b "
- - "L0.2123[1602,1761] 140ns |----------------------------------------L0.2123-----------------------------------------|"
- - "L0.2137[1602,1761] 141ns |----------------------------------------L0.2137-----------------------------------------|"
- - "L0.2151[1602,1761] 142ns |----------------------------------------L0.2151-----------------------------------------|"
- - "L0.2165[1602,1761] 143ns |----------------------------------------L0.2165-----------------------------------------|"
- - "L0.2179[1602,1761] 144ns |----------------------------------------L0.2179-----------------------------------------|"
- - "L0.2221[1602,1761] 145ns |----------------------------------------L0.2221-----------------------------------------|"
- - "L0.2235[1602,1761] 146ns |----------------------------------------L0.2235-----------------------------------------|"
- - "L0.2249[1602,1761] 147ns |----------------------------------------L0.2249-----------------------------------------|"
- - "L0.2263[1602,1761] 148ns |----------------------------------------L0.2263-----------------------------------------|"
- - "L0.2277[1602,1761] 149ns |----------------------------------------L0.2277-----------------------------------------|"
- - "L0.2291[1602,1761] 150ns |----------------------------------------L0.2291-----------------------------------------|"
- - "L0.2305[1602,1761] 151ns |----------------------------------------L0.2305-----------------------------------------|"
- - "L0.2319[1602,1761] 152ns |----------------------------------------L0.2319-----------------------------------------|"
- - "L0.2333[1602,1761] 153ns |----------------------------------------L0.2333-----------------------------------------|"
- - "L0.2347[1602,1761] 154ns |----------------------------------------L0.2347-----------------------------------------|"
- - "L0.2361[1602,1761] 155ns |----------------------------------------L0.2361-----------------------------------------|"
- - "L0.2375[1602,1761] 156ns |----------------------------------------L0.2375-----------------------------------------|"
- - "L0.2389[1602,1761] 157ns |----------------------------------------L0.2389-----------------------------------------|"
- - "L0.2403[1602,1761] 158ns |----------------------------------------L0.2403-----------------------------------------|"
- - "L0.2417[1602,1761] 159ns |----------------------------------------L0.2417-----------------------------------------|"
+ - "L0.3046[802,961] 153ns |----------------------------------------L0.3046-----------------------------------------|"
+ - "L0.2342[802,961] 154ns |----------------------------------------L0.2342-----------------------------------------|"
+ - "L0.2356[802,961] 155ns |----------------------------------------L0.2356-----------------------------------------|"
+ - "L0.2370[802,961] 156ns |----------------------------------------L0.2370-----------------------------------------|"
+ - "L0.2384[802,961] 157ns |----------------------------------------L0.2384-----------------------------------------|"
+ - "L0.2398[802,961] 158ns |----------------------------------------L0.2398-----------------------------------------|"
+ - "L0.2412[802,961] 159ns |----------------------------------------L0.2412-----------------------------------------|"
+ - "L0.2426[802,961] 160ns |----------------------------------------L0.2426-----------------------------------------|"
+ - "L0.2440[802,961] 161ns |----------------------------------------L0.2440-----------------------------------------|"
+ - "L0.2453[802,961] 162ns |----------------------------------------L0.2453-----------------------------------------|"
+ - "L0.2466[802,961] 163ns |----------------------------------------L0.2466-----------------------------------------|"
+ - "L0.2479[802,961] 164ns |----------------------------------------L0.2479-----------------------------------------|"
+ - "L0.2492[802,961] 165ns |----------------------------------------L0.2492-----------------------------------------|"
+ - "L0.2505[802,961] 166ns |----------------------------------------L0.2505-----------------------------------------|"
+ - "L0.2518[802,961] 167ns |----------------------------------------L0.2518-----------------------------------------|"
+ - "L0.2531[802,961] 168ns |----------------------------------------L0.2531-----------------------------------------|"
+ - "L0.2544[802,961] 169ns |----------------------------------------L0.2544-----------------------------------------|"
+ - "L0.2557[802,961] 170ns |----------------------------------------L0.2557-----------------------------------------|"
+ - "L0.2570[802,961] 171ns |----------------------------------------L0.2570-----------------------------------------|"
+ - "L0.2583[802,961] 172ns |----------------------------------------L0.2583-----------------------------------------|"
- "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- "L0, all files 0b "
- - "L0.?[1602,1761] 159ns |------------------------------------------L0.?------------------------------------------|"
+ - "L0.?[802,961] 172ns |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 20 files: L0.2123, L0.2137, L0.2151, L0.2165, L0.2179, L0.2221, L0.2235, L0.2249, L0.2263, L0.2277, L0.2291, L0.2305, L0.2319, L0.2333, L0.2347, L0.2361, L0.2375, L0.2389, L0.2403, L0.2417"
+ - " Soft Deleting 20 files: L0.2342, L0.2356, L0.2370, L0.2384, L0.2398, L0.2412, L0.2426, L0.2440, L0.2453, L0.2466, L0.2479, L0.2492, L0.2505, L0.2518, L0.2531, L0.2544, L0.2557, L0.2570, L0.2583, L0.3046"
- " Creating 1 files"
- - "**** Simulation run 307, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "**** Simulation run 317, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- "L0, all files 0b "
- - "L0.2431[1602,1761] 160ns |----------------------------------------L0.2431-----------------------------------------|"
- - "L0.2445[1602,1761] 161ns |----------------------------------------L0.2445-----------------------------------------|"
- - "L0.2458[1602,1761] 162ns |----------------------------------------L0.2458-----------------------------------------|"
- - "L0.2471[1602,1761] 163ns |----------------------------------------L0.2471-----------------------------------------|"
- - "L0.2484[1602,1761] 164ns |----------------------------------------L0.2484-----------------------------------------|"
- - "L0.2497[1602,1761] 165ns |----------------------------------------L0.2497-----------------------------------------|"
- - "L0.2510[1602,1761] 166ns |----------------------------------------L0.2510-----------------------------------------|"
- - "L0.2523[1602,1761] 167ns |----------------------------------------L0.2523-----------------------------------------|"
- - "L0.2536[1602,1761] 168ns |----------------------------------------L0.2536-----------------------------------------|"
- - "L0.2549[1602,1761] 169ns |----------------------------------------L0.2549-----------------------------------------|"
- - "L0.2562[1602,1761] 170ns |----------------------------------------L0.2562-----------------------------------------|"
- - "L0.2575[1602,1761] 171ns |----------------------------------------L0.2575-----------------------------------------|"
- - "L0.2588[1602,1761] 172ns |----------------------------------------L0.2588-----------------------------------------|"
- - "L0.2601[1602,1761] 173ns |----------------------------------------L0.2601-----------------------------------------|"
- - "L0.2614[1602,1761] 174ns |----------------------------------------L0.2614-----------------------------------------|"
- - "L0.2627[1602,1761] 175ns |----------------------------------------L0.2627-----------------------------------------|"
- - "L0.2640[1602,1761] 176ns |----------------------------------------L0.2640-----------------------------------------|"
- - "L0.2653[1602,1761] 177ns |----------------------------------------L0.2653-----------------------------------------|"
- - "L0.2666[1602,1761] 178ns |----------------------------------------L0.2666-----------------------------------------|"
- - "L0.2679[1602,1761] 179ns |----------------------------------------L0.2679-----------------------------------------|"
+ - "L0.3047[962,1121] 153ns |----------------------------------------L0.3047-----------------------------------------|"
+ - "L0.2343[962,1121] 154ns |----------------------------------------L0.2343-----------------------------------------|"
+ - "L0.2357[962,1121] 155ns |----------------------------------------L0.2357-----------------------------------------|"
+ - "L0.2371[962,1121] 156ns |----------------------------------------L0.2371-----------------------------------------|"
+ - "L0.2385[962,1121] 157ns |----------------------------------------L0.2385-----------------------------------------|"
+ - "L0.2399[962,1121] 158ns |----------------------------------------L0.2399-----------------------------------------|"
+ - "L0.2413[962,1121] 159ns |----------------------------------------L0.2413-----------------------------------------|"
+ - "L0.2427[962,1121] 160ns |----------------------------------------L0.2427-----------------------------------------|"
+ - "L0.2441[962,1121] 161ns |----------------------------------------L0.2441-----------------------------------------|"
+ - "L0.2454[962,1121] 162ns |----------------------------------------L0.2454-----------------------------------------|"
+ - "L0.2467[962,1121] 163ns |----------------------------------------L0.2467-----------------------------------------|"
+ - "L0.2480[962,1121] 164ns |----------------------------------------L0.2480-----------------------------------------|"
+ - "L0.2493[962,1121] 165ns |----------------------------------------L0.2493-----------------------------------------|"
+ - "L0.2506[962,1121] 166ns |----------------------------------------L0.2506-----------------------------------------|"
+ - "L0.2519[962,1121] 167ns |----------------------------------------L0.2519-----------------------------------------|"
+ - "L0.2532[962,1121] 168ns |----------------------------------------L0.2532-----------------------------------------|"
+ - "L0.2545[962,1121] 169ns |----------------------------------------L0.2545-----------------------------------------|"
+ - "L0.2558[962,1121] 170ns |----------------------------------------L0.2558-----------------------------------------|"
+ - "L0.2571[962,1121] 171ns |----------------------------------------L0.2571-----------------------------------------|"
+ - "L0.2584[962,1121] 172ns |----------------------------------------L0.2584-----------------------------------------|"
- "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- "L0, all files 0b "
- - "L0.?[1602,1761] 179ns |------------------------------------------L0.?------------------------------------------|"
+ - "L0.?[962,1121] 172ns |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 20 files: L0.2431, L0.2445, L0.2458, L0.2471, L0.2484, L0.2497, L0.2510, L0.2523, L0.2536, L0.2549, L0.2562, L0.2575, L0.2588, L0.2601, L0.2614, L0.2627, L0.2640, L0.2653, L0.2666, L0.2679"
+ - " Soft Deleting 20 files: L0.2343, L0.2357, L0.2371, L0.2385, L0.2399, L0.2413, L0.2427, L0.2441, L0.2454, L0.2467, L0.2480, L0.2493, L0.2506, L0.2519, L0.2532, L0.2545, L0.2558, L0.2571, L0.2584, L0.3047"
- " Creating 1 files"
- - "**** Simulation run 308, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "**** Simulation run 318, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- "L0, all files 0b "
- - "L0.2692[1602,1761] 180ns |----------------------------------------L0.2692-----------------------------------------|"
- - "L0.2705[1602,1761] 181ns |----------------------------------------L0.2705-----------------------------------------|"
- - "L0.2718[1602,1761] 182ns |----------------------------------------L0.2718-----------------------------------------|"
- - "L0.2731[1602,1761] 183ns |----------------------------------------L0.2731-----------------------------------------|"
- - "L0.2744[1602,1761] 184ns |----------------------------------------L0.2744-----------------------------------------|"
- - "L0.2757[1602,1761] 185ns |----------------------------------------L0.2757-----------------------------------------|"
- - "L0.2770[1602,1761] 186ns |----------------------------------------L0.2770-----------------------------------------|"
- - "L0.2783[1602,1761] 187ns |----------------------------------------L0.2783-----------------------------------------|"
- - "L0.2796[1602,1761] 188ns |----------------------------------------L0.2796-----------------------------------------|"
- - "L0.2809[1602,1761] 189ns |----------------------------------------L0.2809-----------------------------------------|"
- - "L0.2822[1602,1761] 190ns |----------------------------------------L0.2822-----------------------------------------|"
- - "L0.2835[1602,1761] 191ns |----------------------------------------L0.2835-----------------------------------------|"
- - "L0.2848[1602,1761] 192ns |----------------------------------------L0.2848-----------------------------------------|"
- - "L0.2861[1602,1761] 193ns |----------------------------------------L0.2861-----------------------------------------|"
- - "L0.2874[1602,1761] 194ns |----------------------------------------L0.2874-----------------------------------------|"
- - "L0.2887[1602,1761] 195ns |----------------------------------------L0.2887-----------------------------------------|"
- - "L0.2900[1602,1761] 196ns |----------------------------------------L0.2900-----------------------------------------|"
- - "L0.2913[1602,1761] 197ns |----------------------------------------L0.2913-----------------------------------------|"
- - "L0.2926[1602,1761] 198ns |----------------------------------------L0.2926-----------------------------------------|"
- - "L0.2939[1602,1761] 199ns |----------------------------------------L0.2939-----------------------------------------|"
+ - "L0.3048[1122,1281] 153ns |----------------------------------------L0.3048-----------------------------------------|"
+ - "L0.2344[1122,1281] 154ns |----------------------------------------L0.2344-----------------------------------------|"
+ - "L0.2358[1122,1281] 155ns |----------------------------------------L0.2358-----------------------------------------|"
+ - "L0.2372[1122,1281] 156ns |----------------------------------------L0.2372-----------------------------------------|"
+ - "L0.2386[1122,1281] 157ns |----------------------------------------L0.2386-----------------------------------------|"
+ - "L0.2400[1122,1281] 158ns |----------------------------------------L0.2400-----------------------------------------|"
+ - "L0.2414[1122,1281] 159ns |----------------------------------------L0.2414-----------------------------------------|"
+ - "L0.2428[1122,1281] 160ns |----------------------------------------L0.2428-----------------------------------------|"
+ - "L0.2442[1122,1281] 161ns |----------------------------------------L0.2442-----------------------------------------|"
+ - "L0.2455[1122,1281] 162ns |----------------------------------------L0.2455-----------------------------------------|"
+ - "L0.2468[1122,1281] 163ns |----------------------------------------L0.2468-----------------------------------------|"
+ - "L0.2481[1122,1281] 164ns |----------------------------------------L0.2481-----------------------------------------|"
+ - "L0.2494[1122,1281] 165ns |----------------------------------------L0.2494-----------------------------------------|"
+ - "L0.2507[1122,1281] 166ns |----------------------------------------L0.2507-----------------------------------------|"
+ - "L0.2520[1122,1281] 167ns |----------------------------------------L0.2520-----------------------------------------|"
+ - "L0.2533[1122,1281] 168ns |----------------------------------------L0.2533-----------------------------------------|"
+ - "L0.2546[1122,1281] 169ns |----------------------------------------L0.2546-----------------------------------------|"
+ - "L0.2559[1122,1281] 170ns |----------------------------------------L0.2559-----------------------------------------|"
+ - "L0.2572[1122,1281] 171ns |----------------------------------------L0.2572-----------------------------------------|"
+ - "L0.2585[1122,1281] 172ns |----------------------------------------L0.2585-----------------------------------------|"
- "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- "L0, all files 0b "
- - "L0.?[1602,1761] 199ns |------------------------------------------L0.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 20 files: L0.2692, L0.2705, L0.2718, L0.2731, L0.2744, L0.2757, L0.2770, L0.2783, L0.2796, L0.2809, L0.2822, L0.2835, L0.2848, L0.2861, L0.2874, L0.2887, L0.2900, L0.2913, L0.2926, L0.2939"
- - " Creating 1 files"
- - "**** Simulation run 309, type=compact(ManySmallFiles). 20 Input Files, 160mb total:"
- - "L0, all files 8mb "
- - "L0.212[1762,1921] 0ns |-----------------------------------------L0.212-----------------------------------------|"
- - "L0.225[1762,1921] 1ns |-----------------------------------------L0.225-----------------------------------------|"
- - "L0.238[1762,1921] 2ns |-----------------------------------------L0.238-----------------------------------------|"
- - "L0.251[1762,1921] 3ns |-----------------------------------------L0.251-----------------------------------------|"
- - "L0.264[1762,1921] 4ns |-----------------------------------------L0.264-----------------------------------------|"
- - "L0.277[1762,1921] 5ns |-----------------------------------------L0.277-----------------------------------------|"
- - "L0.290[1762,1921] 6ns |-----------------------------------------L0.290-----------------------------------------|"
- - "L0.303[1762,1921] 7ns |-----------------------------------------L0.303-----------------------------------------|"
- - "L0.316[1762,1921] 8ns |-----------------------------------------L0.316-----------------------------------------|"
- - "L0.329[1762,1921] 9ns |-----------------------------------------L0.329-----------------------------------------|"
- - "L0.342[1762,1921] 10ns |-----------------------------------------L0.342-----------------------------------------|"
- - "L0.355[1762,1921] 11ns |-----------------------------------------L0.355-----------------------------------------|"
- - "L0.368[1762,1921] 12ns |-----------------------------------------L0.368-----------------------------------------|"
- - "L0.381[1762,1921] 13ns |-----------------------------------------L0.381-----------------------------------------|"
- - "L0.394[1762,1921] 14ns |-----------------------------------------L0.394-----------------------------------------|"
- - "L0.407[1762,1921] 15ns |-----------------------------------------L0.407-----------------------------------------|"
- - "L0.420[1762,1921] 16ns |-----------------------------------------L0.420-----------------------------------------|"
- - "L0.433[1762,1921] 17ns |-----------------------------------------L0.433-----------------------------------------|"
- - "L0.446[1762,1921] 18ns |-----------------------------------------L0.446-----------------------------------------|"
- - "L0.571[1762,1921] 19ns |-----------------------------------------L0.571-----------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 160mb total:"
- - "L0, all files 160mb "
- - "L0.?[1762,1921] 19ns |------------------------------------------L0.?------------------------------------------|"
+ - "L0.?[1122,1281] 172ns |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 20 files: L0.212, L0.225, L0.238, L0.251, L0.264, L0.277, L0.290, L0.303, L0.316, L0.329, L0.342, L0.355, L0.368, L0.381, L0.394, L0.407, L0.420, L0.433, L0.446, L0.571"
+ - " Soft Deleting 20 files: L0.2344, L0.2358, L0.2372, L0.2386, L0.2400, L0.2414, L0.2428, L0.2442, L0.2455, L0.2468, L0.2481, L0.2494, L0.2507, L0.2520, L0.2533, L0.2546, L0.2559, L0.2572, L0.2585, L0.3048"
- " Creating 1 files"
- - "**** Simulation run 310, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "**** Simulation run 319, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- "L0, all files 0b "
- - "L0.584[1762,1921] 20ns |-----------------------------------------L0.584-----------------------------------------|"
- - "L0.459[1762,1921] 21ns |-----------------------------------------L0.459-----------------------------------------|"
- - "L0.473[1762,1921] 22ns |-----------------------------------------L0.473-----------------------------------------|"
- - "L0.487[1762,1921] 23ns |-----------------------------------------L0.487-----------------------------------------|"
- - "L0.501[1762,1921] 24ns |-----------------------------------------L0.501-----------------------------------------|"
- - "L0.515[1762,1921] 25ns |-----------------------------------------L0.515-----------------------------------------|"
- - "L0.529[1762,1921] 26ns |-----------------------------------------L0.529-----------------------------------------|"
- - "L0.543[1762,1921] 27ns |-----------------------------------------L0.543-----------------------------------------|"
- - "L0.557[1762,1921] 28ns |-----------------------------------------L0.557-----------------------------------------|"
- - "L0.598[1762,1921] 29ns |-----------------------------------------L0.598-----------------------------------------|"
- - "L0.612[1762,1921] 30ns |-----------------------------------------L0.612-----------------------------------------|"
- - "L0.626[1762,1921] 31ns |-----------------------------------------L0.626-----------------------------------------|"
- - "L0.640[1762,1921] 32ns |-----------------------------------------L0.640-----------------------------------------|"
- - "L0.654[1762,1921] 33ns |-----------------------------------------L0.654-----------------------------------------|"
- - "L0.668[1762,1921] 34ns |-----------------------------------------L0.668-----------------------------------------|"
- - "L0.682[1762,1921] 35ns |-----------------------------------------L0.682-----------------------------------------|"
- - "L0.696[1762,1921] 36ns |-----------------------------------------L0.696-----------------------------------------|"
- - "L0.710[1762,1921] 37ns |-----------------------------------------L0.710-----------------------------------------|"
- - "L0.724[1762,1921] 38ns |-----------------------------------------L0.724-----------------------------------------|"
- - "L0.738[1762,1921] 39ns |-----------------------------------------L0.738-----------------------------------------|"
+ - "L0.3049[1282,1441] 153ns |----------------------------------------L0.3049-----------------------------------------|"
+ - "L0.2345[1282,1441] 154ns |----------------------------------------L0.2345-----------------------------------------|"
+ - "L0.2359[1282,1441] 155ns |----------------------------------------L0.2359-----------------------------------------|"
+ - "L0.2373[1282,1441] 156ns |----------------------------------------L0.2373-----------------------------------------|"
+ - "L0.2387[1282,1441] 157ns |----------------------------------------L0.2387-----------------------------------------|"
+ - "L0.2401[1282,1441] 158ns |----------------------------------------L0.2401-----------------------------------------|"
+ - "L0.2415[1282,1441] 159ns |----------------------------------------L0.2415-----------------------------------------|"
+ - "L0.2429[1282,1441] 160ns |----------------------------------------L0.2429-----------------------------------------|"
+ - "L0.2443[1282,1441] 161ns |----------------------------------------L0.2443-----------------------------------------|"
+ - "L0.2456[1282,1441] 162ns |----------------------------------------L0.2456-----------------------------------------|"
+ - "L0.2469[1282,1441] 163ns |----------------------------------------L0.2469-----------------------------------------|"
+ - "L0.2482[1282,1441] 164ns |----------------------------------------L0.2482-----------------------------------------|"
+ - "L0.2495[1282,1441] 165ns |----------------------------------------L0.2495-----------------------------------------|"
+ - "L0.2508[1282,1441] 166ns |----------------------------------------L0.2508-----------------------------------------|"
+ - "L0.2521[1282,1441] 167ns |----------------------------------------L0.2521-----------------------------------------|"
+ - "L0.2534[1282,1441] 168ns |----------------------------------------L0.2534-----------------------------------------|"
+ - "L0.2547[1282,1441] 169ns |----------------------------------------L0.2547-----------------------------------------|"
+ - "L0.2560[1282,1441] 170ns |----------------------------------------L0.2560-----------------------------------------|"
+ - "L0.2573[1282,1441] 171ns |----------------------------------------L0.2573-----------------------------------------|"
+ - "L0.2586[1282,1441] 172ns |----------------------------------------L0.2586-----------------------------------------|"
- "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- "L0, all files 0b "
- - "L0.?[1762,1921] 39ns |------------------------------------------L0.?------------------------------------------|"
+ - "L0.?[1282,1441] 172ns |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 20 files: L0.459, L0.473, L0.487, L0.501, L0.515, L0.529, L0.543, L0.557, L0.584, L0.598, L0.612, L0.626, L0.640, L0.654, L0.668, L0.682, L0.696, L0.710, L0.724, L0.738"
+ - " Soft Deleting 20 files: L0.2345, L0.2359, L0.2373, L0.2387, L0.2401, L0.2415, L0.2429, L0.2443, L0.2456, L0.2469, L0.2482, L0.2495, L0.2508, L0.2521, L0.2534, L0.2547, L0.2560, L0.2573, L0.2586, L0.3049"
- " Creating 1 files"
- - "**** Simulation run 311, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "**** Simulation run 320, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- "L0, all files 0b "
- - "L0.752[1762,1921] 40ns |-----------------------------------------L0.752-----------------------------------------|"
- - "L0.766[1762,1921] 41ns |-----------------------------------------L0.766-----------------------------------------|"
- - "L0.780[1762,1921] 42ns |-----------------------------------------L0.780-----------------------------------------|"
- - "L0.794[1762,1921] 43ns |-----------------------------------------L0.794-----------------------------------------|"
- - "L0.808[1762,1921] 44ns |-----------------------------------------L0.808-----------------------------------------|"
- - "L0.822[1762,1921] 45ns |-----------------------------------------L0.822-----------------------------------------|"
- - "L0.836[1762,1921] 46ns |-----------------------------------------L0.836-----------------------------------------|"
- - "L0.850[1762,1921] 47ns |-----------------------------------------L0.850-----------------------------------------|"
- - "L0.864[1762,1921] 48ns |-----------------------------------------L0.864-----------------------------------------|"
- - "L0.878[1762,1921] 49ns |-----------------------------------------L0.878-----------------------------------------|"
- - "L0.892[1762,1921] 50ns |-----------------------------------------L0.892-----------------------------------------|"
- - "L0.906[1762,1921] 51ns |-----------------------------------------L0.906-----------------------------------------|"
- - "L0.920[1762,1921] 52ns |-----------------------------------------L0.920-----------------------------------------|"
- - "L0.934[1762,1921] 53ns |-----------------------------------------L0.934-----------------------------------------|"
- - "L0.948[1762,1921] 54ns |-----------------------------------------L0.948-----------------------------------------|"
- - "L0.962[1762,1921] 55ns |-----------------------------------------L0.962-----------------------------------------|"
- - "L0.976[1762,1921] 56ns |-----------------------------------------L0.976-----------------------------------------|"
- - "L0.990[1762,1921] 57ns |-----------------------------------------L0.990-----------------------------------------|"
- - "L0.1004[1762,1921] 58ns |----------------------------------------L0.1004-----------------------------------------|"
- - "L0.1018[1762,1921] 59ns |----------------------------------------L0.1018-----------------------------------------|"
+ - "L0.3050[1442,1601] 153ns |----------------------------------------L0.3050-----------------------------------------|"
+ - "L0.2346[1442,1601] 154ns |----------------------------------------L0.2346-----------------------------------------|"
+ - "L0.2360[1442,1601] 155ns |----------------------------------------L0.2360-----------------------------------------|"
+ - "L0.2374[1442,1601] 156ns |----------------------------------------L0.2374-----------------------------------------|"
+ - "L0.2388[1442,1601] 157ns |----------------------------------------L0.2388-----------------------------------------|"
+ - "L0.2402[1442,1601] 158ns |----------------------------------------L0.2402-----------------------------------------|"
+ - "L0.2416[1442,1601] 159ns |----------------------------------------L0.2416-----------------------------------------|"
+ - "L0.2430[1442,1601] 160ns |----------------------------------------L0.2430-----------------------------------------|"
+ - "L0.2444[1442,1601] 161ns |----------------------------------------L0.2444-----------------------------------------|"
+ - "L0.2457[1442,1601] 162ns |----------------------------------------L0.2457-----------------------------------------|"
+ - "L0.2470[1442,1601] 163ns |----------------------------------------L0.2470-----------------------------------------|"
+ - "L0.2483[1442,1601] 164ns |----------------------------------------L0.2483-----------------------------------------|"
+ - "L0.2496[1442,1601] 165ns |----------------------------------------L0.2496-----------------------------------------|"
+ - "L0.2509[1442,1601] 166ns |----------------------------------------L0.2509-----------------------------------------|"
+ - "L0.2522[1442,1601] 167ns |----------------------------------------L0.2522-----------------------------------------|"
+ - "L0.2535[1442,1601] 168ns |----------------------------------------L0.2535-----------------------------------------|"
+ - "L0.2548[1442,1601] 169ns |----------------------------------------L0.2548-----------------------------------------|"
+ - "L0.2561[1442,1601] 170ns |----------------------------------------L0.2561-----------------------------------------|"
+ - "L0.2574[1442,1601] 171ns |----------------------------------------L0.2574-----------------------------------------|"
+ - "L0.2587[1442,1601] 172ns |----------------------------------------L0.2587-----------------------------------------|"
- "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- "L0, all files 0b "
- - "L0.?[1762,1921] 59ns |------------------------------------------L0.?------------------------------------------|"
+ - "L0.?[1442,1601] 172ns |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 20 files: L0.752, L0.766, L0.780, L0.794, L0.808, L0.822, L0.836, L0.850, L0.864, L0.878, L0.892, L0.906, L0.920, L0.934, L0.948, L0.962, L0.976, L0.990, L0.1004, L0.1018"
+ - " Soft Deleting 20 files: L0.2346, L0.2360, L0.2374, L0.2388, L0.2402, L0.2416, L0.2430, L0.2444, L0.2457, L0.2470, L0.2483, L0.2496, L0.2509, L0.2522, L0.2535, L0.2548, L0.2561, L0.2574, L0.2587, L0.3050"
- " Creating 1 files"
- - "**** Simulation run 312, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "**** Simulation run 321, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- "L0, all files 0b "
- - "L0.1032[1762,1921] 60ns |----------------------------------------L0.1032-----------------------------------------|"
- - "L0.1046[1762,1921] 61ns |----------------------------------------L0.1046-----------------------------------------|"
- - "L0.1060[1762,1921] 62ns |----------------------------------------L0.1060-----------------------------------------|"
- - "L0.1074[1762,1921] 63ns |----------------------------------------L0.1074-----------------------------------------|"
- - "L0.1088[1762,1921] 64ns |----------------------------------------L0.1088-----------------------------------------|"
- - "L0.1102[1762,1921] 65ns |----------------------------------------L0.1102-----------------------------------------|"
- - "L0.1116[1762,1921] 66ns |----------------------------------------L0.1116-----------------------------------------|"
- - "L0.1130[1762,1921] 67ns |----------------------------------------L0.1130-----------------------------------------|"
- - "L0.1144[1762,1921] 68ns |----------------------------------------L0.1144-----------------------------------------|"
- - "L0.1158[1762,1921] 69ns |----------------------------------------L0.1158-----------------------------------------|"
- - "L0.1172[1762,1921] 70ns |----------------------------------------L0.1172-----------------------------------------|"
- - "L0.1186[1762,1921] 71ns |----------------------------------------L0.1186-----------------------------------------|"
- - "L0.1200[1762,1921] 72ns |----------------------------------------L0.1200-----------------------------------------|"
- - "L0.1214[1762,1921] 73ns |----------------------------------------L0.1214-----------------------------------------|"
- - "L0.1228[1762,1921] 74ns |----------------------------------------L0.1228-----------------------------------------|"
- - "L0.1242[1762,1921] 75ns |----------------------------------------L0.1242-----------------------------------------|"
- - "L0.1256[1762,1921] 76ns |----------------------------------------L0.1256-----------------------------------------|"
- - "L0.1270[1762,1921] 77ns |----------------------------------------L0.1270-----------------------------------------|"
- - "L0.1284[1762,1921] 78ns |----------------------------------------L0.1284-----------------------------------------|"
- - "L0.1298[1762,1921] 79ns |----------------------------------------L0.1298-----------------------------------------|"
+ - "L0.3051[1602,1761] 153ns |----------------------------------------L0.3051-----------------------------------------|"
+ - "L0.2347[1602,1761] 154ns |----------------------------------------L0.2347-----------------------------------------|"
+ - "L0.2361[1602,1761] 155ns |----------------------------------------L0.2361-----------------------------------------|"
+ - "L0.2375[1602,1761] 156ns |----------------------------------------L0.2375-----------------------------------------|"
+ - "L0.2389[1602,1761] 157ns |----------------------------------------L0.2389-----------------------------------------|"
+ - "L0.2403[1602,1761] 158ns |----------------------------------------L0.2403-----------------------------------------|"
+ - "L0.2417[1602,1761] 159ns |----------------------------------------L0.2417-----------------------------------------|"
+ - "L0.2431[1602,1761] 160ns |----------------------------------------L0.2431-----------------------------------------|"
+ - "L0.2445[1602,1761] 161ns |----------------------------------------L0.2445-----------------------------------------|"
+ - "L0.2458[1602,1761] 162ns |----------------------------------------L0.2458-----------------------------------------|"
+ - "L0.2471[1602,1761] 163ns |----------------------------------------L0.2471-----------------------------------------|"
+ - "L0.2484[1602,1761] 164ns |----------------------------------------L0.2484-----------------------------------------|"
+ - "L0.2497[1602,1761] 165ns |----------------------------------------L0.2497-----------------------------------------|"
+ - "L0.2510[1602,1761] 166ns |----------------------------------------L0.2510-----------------------------------------|"
+ - "L0.2523[1602,1761] 167ns |----------------------------------------L0.2523-----------------------------------------|"
+ - "L0.2536[1602,1761] 168ns |----------------------------------------L0.2536-----------------------------------------|"
+ - "L0.2549[1602,1761] 169ns |----------------------------------------L0.2549-----------------------------------------|"
+ - "L0.2562[1602,1761] 170ns |----------------------------------------L0.2562-----------------------------------------|"
+ - "L0.2575[1602,1761] 171ns |----------------------------------------L0.2575-----------------------------------------|"
+ - "L0.2588[1602,1761] 172ns |----------------------------------------L0.2588-----------------------------------------|"
- "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- "L0, all files 0b "
- - "L0.?[1762,1921] 79ns |------------------------------------------L0.?------------------------------------------|"
+ - "L0.?[1602,1761] 172ns |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 20 files: L0.1032, L0.1046, L0.1060, L0.1074, L0.1088, L0.1102, L0.1116, L0.1130, L0.1144, L0.1158, L0.1172, L0.1186, L0.1200, L0.1214, L0.1228, L0.1242, L0.1256, L0.1270, L0.1284, L0.1298"
+ - " Soft Deleting 20 files: L0.2347, L0.2361, L0.2375, L0.2389, L0.2403, L0.2417, L0.2431, L0.2445, L0.2458, L0.2471, L0.2484, L0.2497, L0.2510, L0.2523, L0.2536, L0.2549, L0.2562, L0.2575, L0.2588, L0.3051"
- " Creating 1 files"
- - "**** Simulation run 313, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- - "L0, all files 0b "
- - "L0.1312[1762,1921] 80ns |----------------------------------------L0.1312-----------------------------------------|"
- - "L0.1326[1762,1921] 81ns |----------------------------------------L0.1326-----------------------------------------|"
- - "L0.1340[1762,1921] 82ns |----------------------------------------L0.1340-----------------------------------------|"
- - "L0.1354[1762,1921] 83ns |----------------------------------------L0.1354-----------------------------------------|"
- - "L0.1368[1762,1921] 84ns |----------------------------------------L0.1368-----------------------------------------|"
- - "L0.1382[1762,1921] 85ns |----------------------------------------L0.1382-----------------------------------------|"
- - "L0.1396[1762,1921] 86ns |----------------------------------------L0.1396-----------------------------------------|"
- - "L0.1410[1762,1921] 87ns |----------------------------------------L0.1410-----------------------------------------|"
- - "L0.1424[1762,1921] 88ns |----------------------------------------L0.1424-----------------------------------------|"
- - "L0.1438[1762,1921] 89ns |----------------------------------------L0.1438-----------------------------------------|"
- - "L0.1452[1762,1921] 90ns |----------------------------------------L0.1452-----------------------------------------|"
- - "L0.1466[1762,1921] 91ns |----------------------------------------L0.1466-----------------------------------------|"
- - "L0.1480[1762,1921] 92ns |----------------------------------------L0.1480-----------------------------------------|"
- - "L0.1494[1762,1921] 93ns |----------------------------------------L0.1494-----------------------------------------|"
- - "L0.1508[1762,1921] 94ns |----------------------------------------L0.1508-----------------------------------------|"
- - "L0.1522[1762,1921] 95ns |----------------------------------------L0.1522-----------------------------------------|"
- - "L0.1536[1762,1921] 96ns |----------------------------------------L0.1536-----------------------------------------|"
- - "L0.1550[1762,1921] 97ns |----------------------------------------L0.1550-----------------------------------------|"
- - "L0.1564[1762,1921] 98ns |----------------------------------------L0.1564-----------------------------------------|"
- - "L0.1578[1762,1921] 99ns |----------------------------------------L0.1578-----------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- - "L0, all files 0b "
- - "L0.?[1762,1921] 99ns |------------------------------------------L0.?------------------------------------------|"
- - "**** Simulation run 314, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.2338, L0.2352, L0.2366, L0.2380, L0.2394, L0.2408, L0.2422, L0.2436, L0.2449, L0.2462, L0.2475, L0.2488, L0.2501, L0.2514, L0.2527, L0.2540, L0.2553, L0.2566, L0.2579, L0.3042"
+ - " Creating 1 files"
+ - "**** Simulation run 322, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- "L0, all files 0b "
- - "L0.1872[1762,1921] 120ns |----------------------------------------L0.1872-----------------------------------------|"
- - "L0.1886[1762,1921] 121ns |----------------------------------------L0.1886-----------------------------------------|"
- - "L0.1900[1762,1921] 122ns |----------------------------------------L0.1900-----------------------------------------|"
- - "L0.1914[1762,1921] 123ns |----------------------------------------L0.1914-----------------------------------------|"
- - "L0.1928[1762,1921] 124ns |----------------------------------------L0.1928-----------------------------------------|"
- - "L0.1942[1762,1921] 125ns |----------------------------------------L0.1942-----------------------------------------|"
- - "L0.1956[1762,1921] 126ns |----------------------------------------L0.1956-----------------------------------------|"
- - "L0.1970[1762,1921] 127ns |----------------------------------------L0.1970-----------------------------------------|"
- - "L0.1984[1762,1921] 128ns |----------------------------------------L0.1984-----------------------------------------|"
- - "L0.1998[1762,1921] 129ns |----------------------------------------L0.1998-----------------------------------------|"
- - "L0.2012[1762,1921] 130ns |----------------------------------------L0.2012-----------------------------------------|"
- - "L0.2026[1762,1921] 131ns |----------------------------------------L0.2026-----------------------------------------|"
- - "L0.2040[1762,1921] 132ns |----------------------------------------L0.2040-----------------------------------------|"
- - "L0.2054[1762,1921] 133ns |----------------------------------------L0.2054-----------------------------------------|"
- - "L0.2068[1762,1921] 134ns |----------------------------------------L0.2068-----------------------------------------|"
- - "L0.2194[1762,1921] 135ns |----------------------------------------L0.2194-----------------------------------------|"
- - "L0.2208[1762,1921] 136ns |----------------------------------------L0.2208-----------------------------------------|"
- - "L0.2082[1762,1921] 137ns |----------------------------------------L0.2082-----------------------------------------|"
- - "L0.2096[1762,1921] 138ns |----------------------------------------L0.2096-----------------------------------------|"
- - "L0.2110[1762,1921] 139ns |----------------------------------------L0.2110-----------------------------------------|"
+ - "L0.3043[322,481] 153ns |----------------------------------------L0.3043-----------------------------------------|"
+ - "L0.2339[322,481] 154ns |----------------------------------------L0.2339-----------------------------------------|"
+ - "L0.2353[322,481] 155ns |----------------------------------------L0.2353-----------------------------------------|"
+ - "L0.2367[322,481] 156ns |----------------------------------------L0.2367-----------------------------------------|"
+ - "L0.2381[322,481] 157ns |----------------------------------------L0.2381-----------------------------------------|"
+ - "L0.2395[322,481] 158ns |----------------------------------------L0.2395-----------------------------------------|"
+ - "L0.2409[322,481] 159ns |----------------------------------------L0.2409-----------------------------------------|"
+ - "L0.2423[322,481] 160ns |----------------------------------------L0.2423-----------------------------------------|"
+ - "L0.2437[322,481] 161ns |----------------------------------------L0.2437-----------------------------------------|"
+ - "L0.2450[322,481] 162ns |----------------------------------------L0.2450-----------------------------------------|"
+ - "L0.2463[322,481] 163ns |----------------------------------------L0.2463-----------------------------------------|"
+ - "L0.2476[322,481] 164ns |----------------------------------------L0.2476-----------------------------------------|"
+ - "L0.2489[322,481] 165ns |----------------------------------------L0.2489-----------------------------------------|"
+ - "L0.2502[322,481] 166ns |----------------------------------------L0.2502-----------------------------------------|"
+ - "L0.2515[322,481] 167ns |----------------------------------------L0.2515-----------------------------------------|"
+ - "L0.2528[322,481] 168ns |----------------------------------------L0.2528-----------------------------------------|"
+ - "L0.2541[322,481] 169ns |----------------------------------------L0.2541-----------------------------------------|"
+ - "L0.2554[322,481] 170ns |----------------------------------------L0.2554-----------------------------------------|"
+ - "L0.2567[322,481] 171ns |----------------------------------------L0.2567-----------------------------------------|"
+ - "L0.2580[322,481] 172ns |----------------------------------------L0.2580-----------------------------------------|"
- "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- "L0, all files 0b "
- - "L0.?[1762,1921] 139ns |------------------------------------------L0.?------------------------------------------|"
+ - "L0.?[322,481] 172ns |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 20 files: L0.1872, L0.1886, L0.1900, L0.1914, L0.1928, L0.1942, L0.1956, L0.1970, L0.1984, L0.1998, L0.2012, L0.2026, L0.2040, L0.2054, L0.2068, L0.2082, L0.2096, L0.2110, L0.2194, L0.2208"
+ - " Soft Deleting 20 files: L0.2339, L0.2353, L0.2367, L0.2381, L0.2395, L0.2409, L0.2423, L0.2437, L0.2450, L0.2463, L0.2476, L0.2489, L0.2502, L0.2515, L0.2528, L0.2541, L0.2554, L0.2567, L0.2580, L0.3043"
- " Creating 1 files"
- - "**** Simulation run 315, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "**** Simulation run 323, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- "L0, all files 0b "
- - "L0.2124[1762,1921] 140ns |----------------------------------------L0.2124-----------------------------------------|"
- - "L0.2138[1762,1921] 141ns |----------------------------------------L0.2138-----------------------------------------|"
- - "L0.2152[1762,1921] 142ns |----------------------------------------L0.2152-----------------------------------------|"
- - "L0.2166[1762,1921] 143ns |----------------------------------------L0.2166-----------------------------------------|"
- - "L0.2180[1762,1921] 144ns |----------------------------------------L0.2180-----------------------------------------|"
- - "L0.2222[1762,1921] 145ns |----------------------------------------L0.2222-----------------------------------------|"
- - "L0.2236[1762,1921] 146ns |----------------------------------------L0.2236-----------------------------------------|"
- - "L0.2250[1762,1921] 147ns |----------------------------------------L0.2250-----------------------------------------|"
- - "L0.2264[1762,1921] 148ns |----------------------------------------L0.2264-----------------------------------------|"
- - "L0.2278[1762,1921] 149ns |----------------------------------------L0.2278-----------------------------------------|"
- - "L0.2292[1762,1921] 150ns |----------------------------------------L0.2292-----------------------------------------|"
- - "L0.2306[1762,1921] 151ns |----------------------------------------L0.2306-----------------------------------------|"
- - "L0.2320[1762,1921] 152ns |----------------------------------------L0.2320-----------------------------------------|"
- - "L0.2334[1762,1921] 153ns |----------------------------------------L0.2334-----------------------------------------|"
+ - "L0.3052[1762,1921] 153ns |----------------------------------------L0.3052-----------------------------------------|"
- "L0.2348[1762,1921] 154ns |----------------------------------------L0.2348-----------------------------------------|"
- "L0.2362[1762,1921] 155ns |----------------------------------------L0.2362-----------------------------------------|"
- "L0.2376[1762,1921] 156ns |----------------------------------------L0.2376-----------------------------------------|"
- "L0.2390[1762,1921] 157ns |----------------------------------------L0.2390-----------------------------------------|"
- "L0.2404[1762,1921] 158ns |----------------------------------------L0.2404-----------------------------------------|"
- "L0.2418[1762,1921] 159ns |----------------------------------------L0.2418-----------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- - "L0, all files 0b "
- - "L0.?[1762,1921] 159ns |------------------------------------------L0.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 20 files: L0.2124, L0.2138, L0.2152, L0.2166, L0.2180, L0.2222, L0.2236, L0.2250, L0.2264, L0.2278, L0.2292, L0.2306, L0.2320, L0.2334, L0.2348, L0.2362, L0.2376, L0.2390, L0.2404, L0.2418"
- - " Creating 1 files"
- - "**** Simulation run 316, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- - "L0, all files 0b "
- "L0.2432[1762,1921] 160ns |----------------------------------------L0.2432-----------------------------------------|"
- "L0.2446[1762,1921] 161ns |----------------------------------------L0.2446-----------------------------------------|"
- "L0.2459[1762,1921] 162ns |----------------------------------------L0.2459-----------------------------------------|"
@@ -8719,317 +8933,379 @@ async fn stuck_l0_large_l0s() {
- "L0.2563[1762,1921] 170ns |----------------------------------------L0.2563-----------------------------------------|"
- "L0.2576[1762,1921] 171ns |----------------------------------------L0.2576-----------------------------------------|"
- "L0.2589[1762,1921] 172ns |----------------------------------------L0.2589-----------------------------------------|"
- - "L0.2602[1762,1921] 173ns |----------------------------------------L0.2602-----------------------------------------|"
- - "L0.2615[1762,1921] 174ns |----------------------------------------L0.2615-----------------------------------------|"
- - "L0.2628[1762,1921] 175ns |----------------------------------------L0.2628-----------------------------------------|"
- - "L0.2641[1762,1921] 176ns |----------------------------------------L0.2641-----------------------------------------|"
- - "L0.2654[1762,1921] 177ns |----------------------------------------L0.2654-----------------------------------------|"
- - "L0.2667[1762,1921] 178ns |----------------------------------------L0.2667-----------------------------------------|"
- - "L0.2680[1762,1921] 179ns |----------------------------------------L0.2680-----------------------------------------|"
- "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- "L0, all files 0b "
- - "L0.?[1762,1921] 179ns |------------------------------------------L0.?------------------------------------------|"
+ - "L0.?[1762,1921] 172ns |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 20 files: L0.2432, L0.2446, L0.2459, L0.2472, L0.2485, L0.2498, L0.2511, L0.2524, L0.2537, L0.2550, L0.2563, L0.2576, L0.2589, L0.2602, L0.2615, L0.2628, L0.2641, L0.2654, L0.2667, L0.2680"
+ - " Soft Deleting 20 files: L0.2348, L0.2362, L0.2376, L0.2390, L0.2404, L0.2418, L0.2432, L0.2446, L0.2459, L0.2472, L0.2485, L0.2498, L0.2511, L0.2524, L0.2537, L0.2550, L0.2563, L0.2576, L0.2589, L0.3052"
- " Creating 1 files"
- - "**** Simulation run 317, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "**** Simulation run 324, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- "L0, all files 0b "
- - "L0.2693[1762,1921] 180ns |----------------------------------------L0.2693-----------------------------------------|"
- - "L0.2706[1762,1921] 181ns |----------------------------------------L0.2706-----------------------------------------|"
- - "L0.2719[1762,1921] 182ns |----------------------------------------L0.2719-----------------------------------------|"
- - "L0.2732[1762,1921] 183ns |----------------------------------------L0.2732-----------------------------------------|"
- - "L0.2745[1762,1921] 184ns |----------------------------------------L0.2745-----------------------------------------|"
- - "L0.2758[1762,1921] 185ns |----------------------------------------L0.2758-----------------------------------------|"
- - "L0.2771[1762,1921] 186ns |----------------------------------------L0.2771-----------------------------------------|"
- - "L0.2784[1762,1921] 187ns |----------------------------------------L0.2784-----------------------------------------|"
- - "L0.2797[1762,1921] 188ns |----------------------------------------L0.2797-----------------------------------------|"
- - "L0.2810[1762,1921] 189ns |----------------------------------------L0.2810-----------------------------------------|"
- - "L0.2823[1762,1921] 190ns |----------------------------------------L0.2823-----------------------------------------|"
- - "L0.2836[1762,1921] 191ns |----------------------------------------L0.2836-----------------------------------------|"
- - "L0.2849[1762,1921] 192ns |----------------------------------------L0.2849-----------------------------------------|"
- - "L0.2862[1762,1921] 193ns |----------------------------------------L0.2862-----------------------------------------|"
- - "L0.2875[1762,1921] 194ns |----------------------------------------L0.2875-----------------------------------------|"
- - "L0.2888[1762,1921] 195ns |----------------------------------------L0.2888-----------------------------------------|"
- - "L0.2901[1762,1921] 196ns |----------------------------------------L0.2901-----------------------------------------|"
- - "L0.2914[1762,1921] 197ns |----------------------------------------L0.2914-----------------------------------------|"
- - "L0.2927[1762,1921] 198ns |----------------------------------------L0.2927-----------------------------------------|"
- - "L0.2940[1762,1921] 199ns |----------------------------------------L0.2940-----------------------------------------|"
+ - "L0.3053[1922,2086] 153ns |----------------------------------------L0.3053-----------------------------------------|"
+ - "L0.2349[1922,2086] 154ns |----------------------------------------L0.2349-----------------------------------------|"
+ - "L0.2363[1922,2086] 155ns |----------------------------------------L0.2363-----------------------------------------|"
+ - "L0.2377[1922,2086] 156ns |----------------------------------------L0.2377-----------------------------------------|"
+ - "L0.2391[1922,2086] 157ns |----------------------------------------L0.2391-----------------------------------------|"
+ - "L0.2405[1922,2086] 158ns |----------------------------------------L0.2405-----------------------------------------|"
+ - "L0.2419[1922,2086] 159ns |----------------------------------------L0.2419-----------------------------------------|"
+ - "L0.2433[1922,2086] 160ns |----------------------------------------L0.2433-----------------------------------------|"
+ - "L0.2447[1922,2086] 161ns |----------------------------------------L0.2447-----------------------------------------|"
+ - "L0.2460[1922,2086] 162ns |----------------------------------------L0.2460-----------------------------------------|"
+ - "L0.2473[1922,2086] 163ns |----------------------------------------L0.2473-----------------------------------------|"
+ - "L0.2486[1922,2086] 164ns |----------------------------------------L0.2486-----------------------------------------|"
+ - "L0.2499[1922,2086] 165ns |----------------------------------------L0.2499-----------------------------------------|"
+ - "L0.2512[1922,2086] 166ns |----------------------------------------L0.2512-----------------------------------------|"
+ - "L0.2525[1922,2086] 167ns |----------------------------------------L0.2525-----------------------------------------|"
+ - "L0.2538[1922,2086] 168ns |----------------------------------------L0.2538-----------------------------------------|"
+ - "L0.2551[1922,2086] 169ns |----------------------------------------L0.2551-----------------------------------------|"
+ - "L0.2564[1922,2086] 170ns |----------------------------------------L0.2564-----------------------------------------|"
+ - "L0.2577[1922,2086] 171ns |----------------------------------------L0.2577-----------------------------------------|"
+ - "L0.2590[1922,2086] 172ns |----------------------------------------L0.2590-----------------------------------------|"
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
+ - "L0, all files 0b "
+ - "L0.?[1922,2086] 172ns |------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.2349, L0.2363, L0.2377, L0.2391, L0.2405, L0.2419, L0.2433, L0.2447, L0.2460, L0.2473, L0.2486, L0.2499, L0.2512, L0.2525, L0.2538, L0.2551, L0.2564, L0.2577, L0.2590, L0.3053"
+ - " Creating 1 files"
+ - "**** Simulation run 325, type=compact(ManySmallFiles). 20 Input Files, 2kb total:"
+ - "L0 "
+ - "L0.3054[2087,1720000] 172ns 1kb|------------------------------------L0.3054------------------------------------| "
+ - "L0.2604[2087,1730000] 173ns 10b|------------------------------------L0.2604------------------------------------| "
+ - "L0.2617[2087,1740000] 174ns 10b|------------------------------------L0.2617------------------------------------| "
+ - "L0.2630[2087,1750000] 175ns 10b|------------------------------------L0.2630-------------------------------------| "
+ - "L0.2643[2087,1760000] 176ns 10b|------------------------------------L0.2643-------------------------------------| "
+ - "L0.2656[2087,1770000] 177ns 10b|-------------------------------------L0.2656-------------------------------------| "
+ - "L0.2669[2087,1780000] 178ns 10b|-------------------------------------L0.2669-------------------------------------| "
+ - "L0.2682[2087,1790000] 179ns 10b|-------------------------------------L0.2682--------------------------------------| "
+ - "L0.2695[2087,1800000] 180ns 10b|-------------------------------------L0.2695--------------------------------------| "
+ - "L0.2708[2087,1810000] 181ns 10b|--------------------------------------L0.2708--------------------------------------| "
+ - "L0.2721[2087,1820000] 182ns 10b|--------------------------------------L0.2721--------------------------------------| "
+ - "L0.2734[2087,1830000] 183ns 10b|--------------------------------------L0.2734---------------------------------------| "
+ - "L0.2747[2087,1840000] 184ns 10b|--------------------------------------L0.2747---------------------------------------| "
+ - "L0.2760[2087,1850000] 185ns 10b|---------------------------------------L0.2760---------------------------------------| "
+ - "L0.2773[2087,1860000] 186ns 10b|---------------------------------------L0.2773---------------------------------------| "
+ - "L0.2786[2087,1870000] 187ns 10b|---------------------------------------L0.2786----------------------------------------| "
+ - "L0.2799[2087,1880000] 188ns 10b|---------------------------------------L0.2799----------------------------------------| "
+ - "L0.2812[2087,1890000] 189ns 10b|----------------------------------------L0.2812----------------------------------------| "
+ - "L0.2825[2087,1900000] 190ns 10b|----------------------------------------L0.2825----------------------------------------| "
+ - "L0.2838[2087,1910000] 191ns 10b|----------------------------------------L0.2838-----------------------------------------|"
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 2kb total:"
+ - "L0, all files 2kb "
+ - "L0.?[2087,1910000] 191ns |------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.2604, L0.2617, L0.2630, L0.2643, L0.2656, L0.2669, L0.2682, L0.2695, L0.2708, L0.2721, L0.2734, L0.2747, L0.2760, L0.2773, L0.2786, L0.2799, L0.2812, L0.2825, L0.2838, L0.3054"
+ - " Creating 1 files"
+ - "**** Simulation run 326, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "L0, all files 0b "
+ - "L0.3065[162,321] 172ns |----------------------------------------L0.3065-----------------------------------------|"
+ - "L0.2592[173,321] 173ns |-------------------------------------L0.2592-------------------------------------| "
+ - "L0.2605[174,321] 174ns |-------------------------------------L0.2605-------------------------------------| "
+ - "L0.2618[175,321] 175ns |------------------------------------L0.2618-------------------------------------| "
+ - "L0.2631[176,321] 176ns |------------------------------------L0.2631-------------------------------------| "
+ - "L0.2644[177,321] 177ns |------------------------------------L0.2644------------------------------------| "
+ - "L0.2657[178,321] 178ns |-----------------------------------L0.2657------------------------------------| "
+ - "L0.2670[179,321] 179ns |-----------------------------------L0.2670------------------------------------| "
+ - "L0.2683[180,321] 180ns |-----------------------------------L0.2683-----------------------------------| "
+ - "L0.2696[181,321] 181ns |-----------------------------------L0.2696-----------------------------------| "
+ - "L0.2709[182,321] 182ns |----------------------------------L0.2709-----------------------------------| "
+ - "L0.2722[183,321] 183ns |----------------------------------L0.2722-----------------------------------| "
+ - "L0.2735[184,321] 184ns |----------------------------------L0.2735----------------------------------| "
+ - "L0.2748[185,321] 185ns |---------------------------------L0.2748----------------------------------| "
+ - "L0.2761[186,321] 186ns |---------------------------------L0.2761----------------------------------| "
+ - "L0.2774[187,321] 187ns |---------------------------------L0.2774---------------------------------| "
+ - "L0.2787[188,321] 188ns |---------------------------------L0.2787---------------------------------| "
+ - "L0.2800[189,321] 189ns |--------------------------------L0.2800---------------------------------| "
+ - "L0.2813[190,321] 190ns |--------------------------------L0.2813---------------------------------| "
+ - "L0.2826[191,321] 191ns |--------------------------------L0.2826--------------------------------| "
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
+ - "L0, all files 0b "
+ - "L0.?[162,321] 191ns |------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.2592, L0.2605, L0.2618, L0.2631, L0.2644, L0.2657, L0.2670, L0.2683, L0.2696, L0.2709, L0.2722, L0.2735, L0.2748, L0.2761, L0.2774, L0.2787, L0.2800, L0.2813, L0.2826, L0.3065"
+ - " Creating 1 files"
+ - "**** Simulation run 327, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "L0, all files 0b "
+ - "L0.3066[322,481] 172ns |----------------------------------------L0.3066-----------------------------------------|"
+ - "L0.2593[322,481] 173ns |----------------------------------------L0.2593-----------------------------------------|"
+ - "L0.2606[322,481] 174ns |----------------------------------------L0.2606-----------------------------------------|"
+ - "L0.2619[322,481] 175ns |----------------------------------------L0.2619-----------------------------------------|"
+ - "L0.2632[322,481] 176ns |----------------------------------------L0.2632-----------------------------------------|"
+ - "L0.2645[322,481] 177ns |----------------------------------------L0.2645-----------------------------------------|"
+ - "L0.2658[322,481] 178ns |----------------------------------------L0.2658-----------------------------------------|"
+ - "L0.2671[322,481] 179ns |----------------------------------------L0.2671-----------------------------------------|"
+ - "L0.2684[322,481] 180ns |----------------------------------------L0.2684-----------------------------------------|"
+ - "L0.2697[322,481] 181ns |----------------------------------------L0.2697-----------------------------------------|"
+ - "L0.2710[322,481] 182ns |----------------------------------------L0.2710-----------------------------------------|"
+ - "L0.2723[322,481] 183ns |----------------------------------------L0.2723-----------------------------------------|"
+ - "L0.2736[322,481] 184ns |----------------------------------------L0.2736-----------------------------------------|"
+ - "L0.2749[322,481] 185ns |----------------------------------------L0.2749-----------------------------------------|"
+ - "L0.2762[322,481] 186ns |----------------------------------------L0.2762-----------------------------------------|"
+ - "L0.2775[322,481] 187ns |----------------------------------------L0.2775-----------------------------------------|"
+ - "L0.2788[322,481] 188ns |----------------------------------------L0.2788-----------------------------------------|"
+ - "L0.2801[322,481] 189ns |----------------------------------------L0.2801-----------------------------------------|"
+ - "L0.2814[322,481] 190ns |----------------------------------------L0.2814-----------------------------------------|"
+ - "L0.2827[322,481] 191ns |----------------------------------------L0.2827-----------------------------------------|"
- "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- "L0, all files 0b "
- - "L0.?[1762,1921] 199ns |------------------------------------------L0.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 20 files: L0.2693, L0.2706, L0.2719, L0.2732, L0.2745, L0.2758, L0.2771, L0.2784, L0.2797, L0.2810, L0.2823, L0.2836, L0.2849, L0.2862, L0.2875, L0.2888, L0.2901, L0.2914, L0.2927, L0.2940"
- - " Creating 1 files"
- - "**** Simulation run 318, type=compact(ManySmallFiles). 20 Input Files, 79mb total:"
- - "L0, all files 4mb "
- - "L0.213[1922,2000] 0ns |-----------------------------------------L0.213-----------------------------------------|"
- - "L0.226[1922,2000] 1ns |-----------------------------------------L0.226-----------------------------------------|"
- - "L0.239[1922,2000] 2ns |-----------------------------------------L0.239-----------------------------------------|"
- - "L0.252[1922,2000] 3ns |-----------------------------------------L0.252-----------------------------------------|"
- - "L0.265[1922,2000] 4ns |-----------------------------------------L0.265-----------------------------------------|"
- - "L0.278[1922,2000] 5ns |-----------------------------------------L0.278-----------------------------------------|"
- - "L0.291[1922,2000] 6ns |-----------------------------------------L0.291-----------------------------------------|"
- - "L0.304[1922,2000] 7ns |-----------------------------------------L0.304-----------------------------------------|"
- - "L0.317[1922,2000] 8ns |-----------------------------------------L0.317-----------------------------------------|"
- - "L0.330[1922,2000] 9ns |-----------------------------------------L0.330-----------------------------------------|"
- - "L0.343[1922,2000] 10ns |-----------------------------------------L0.343-----------------------------------------|"
- - "L0.356[1922,2000] 11ns |-----------------------------------------L0.356-----------------------------------------|"
- - "L0.369[1922,2000] 12ns |-----------------------------------------L0.369-----------------------------------------|"
- - "L0.382[1922,2000] 13ns |-----------------------------------------L0.382-----------------------------------------|"
- - "L0.395[1922,2000] 14ns |-----------------------------------------L0.395-----------------------------------------|"
- - "L0.408[1922,2000] 15ns |-----------------------------------------L0.408-----------------------------------------|"
- - "L0.421[1922,2000] 16ns |-----------------------------------------L0.421-----------------------------------------|"
- - "L0.434[1922,2000] 17ns |-----------------------------------------L0.434-----------------------------------------|"
- - "L0.447[1922,2000] 18ns |-----------------------------------------L0.447-----------------------------------------|"
- - "L0.572[1922,2000] 19ns |-----------------------------------------L0.572-----------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 79mb total:"
- - "L0, all files 79mb "
- - "L0.?[1922,2000] 19ns |------------------------------------------L0.?------------------------------------------|"
+ - "L0.?[322,481] 191ns |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 20 files: L0.213, L0.226, L0.239, L0.252, L0.265, L0.278, L0.291, L0.304, L0.317, L0.330, L0.343, L0.356, L0.369, L0.382, L0.395, L0.408, L0.421, L0.434, L0.447, L0.572"
+ - " Soft Deleting 20 files: L0.2593, L0.2606, L0.2619, L0.2632, L0.2645, L0.2658, L0.2671, L0.2684, L0.2697, L0.2710, L0.2723, L0.2736, L0.2749, L0.2762, L0.2775, L0.2788, L0.2801, L0.2814, L0.2827, L0.3066"
- " Creating 1 files"
- - "**** Simulation run 319, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "**** Simulation run 328, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- "L0, all files 0b "
- - "L0.585[1922,2086] 20ns |-----------------------------------------L0.585-----------------------------------------|"
- - "L0.460[1922,2086] 21ns |-----------------------------------------L0.460-----------------------------------------|"
- - "L0.474[1922,2086] 22ns |-----------------------------------------L0.474-----------------------------------------|"
- - "L0.488[1922,2086] 23ns |-----------------------------------------L0.488-----------------------------------------|"
- - "L0.502[1922,2086] 24ns |-----------------------------------------L0.502-----------------------------------------|"
- - "L0.516[1922,2086] 25ns |-----------------------------------------L0.516-----------------------------------------|"
- - "L0.530[1922,2086] 26ns |-----------------------------------------L0.530-----------------------------------------|"
- - "L0.544[1922,2086] 27ns |-----------------------------------------L0.544-----------------------------------------|"
- - "L0.558[1922,2086] 28ns |-----------------------------------------L0.558-----------------------------------------|"
- - "L0.599[1922,2086] 29ns |-----------------------------------------L0.599-----------------------------------------|"
- - "L0.613[1922,2086] 30ns |-----------------------------------------L0.613-----------------------------------------|"
- - "L0.627[1922,2086] 31ns |-----------------------------------------L0.627-----------------------------------------|"
- - "L0.641[1922,2086] 32ns |-----------------------------------------L0.641-----------------------------------------|"
- - "L0.655[1922,2086] 33ns |-----------------------------------------L0.655-----------------------------------------|"
- - "L0.669[1922,2086] 34ns |-----------------------------------------L0.669-----------------------------------------|"
- - "L0.683[1922,2086] 35ns |-----------------------------------------L0.683-----------------------------------------|"
- - "L0.697[1922,2086] 36ns |-----------------------------------------L0.697-----------------------------------------|"
- - "L0.711[1922,2086] 37ns |-----------------------------------------L0.711-----------------------------------------|"
- - "L0.725[1922,2086] 38ns |-----------------------------------------L0.725-----------------------------------------|"
- - "L0.739[1922,2086] 39ns |-----------------------------------------L0.739-----------------------------------------|"
+ - "L0.3057[482,641] 172ns |----------------------------------------L0.3057-----------------------------------------|"
+ - "L0.2594[482,641] 173ns |----------------------------------------L0.2594-----------------------------------------|"
+ - "L0.2607[482,641] 174ns |----------------------------------------L0.2607-----------------------------------------|"
+ - "L0.2620[482,641] 175ns |----------------------------------------L0.2620-----------------------------------------|"
+ - "L0.2633[482,641] 176ns |----------------------------------------L0.2633-----------------------------------------|"
+ - "L0.2646[482,641] 177ns |----------------------------------------L0.2646-----------------------------------------|"
+ - "L0.2659[482,641] 178ns |----------------------------------------L0.2659-----------------------------------------|"
+ - "L0.2672[482,641] 179ns |----------------------------------------L0.2672-----------------------------------------|"
+ - "L0.2685[482,641] 180ns |----------------------------------------L0.2685-----------------------------------------|"
+ - "L0.2698[482,641] 181ns |----------------------------------------L0.2698-----------------------------------------|"
+ - "L0.2711[482,641] 182ns |----------------------------------------L0.2711-----------------------------------------|"
+ - "L0.2724[482,641] 183ns |----------------------------------------L0.2724-----------------------------------------|"
+ - "L0.2737[482,641] 184ns |----------------------------------------L0.2737-----------------------------------------|"
+ - "L0.2750[482,641] 185ns |----------------------------------------L0.2750-----------------------------------------|"
+ - "L0.2763[482,641] 186ns |----------------------------------------L0.2763-----------------------------------------|"
+ - "L0.2776[482,641] 187ns |----------------------------------------L0.2776-----------------------------------------|"
+ - "L0.2789[482,641] 188ns |----------------------------------------L0.2789-----------------------------------------|"
+ - "L0.2802[482,641] 189ns |----------------------------------------L0.2802-----------------------------------------|"
+ - "L0.2815[482,641] 190ns |----------------------------------------L0.2815-----------------------------------------|"
+ - "L0.2828[482,641] 191ns |----------------------------------------L0.2828-----------------------------------------|"
- "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- "L0, all files 0b "
- - "L0.?[1922,2086] 39ns |------------------------------------------L0.?------------------------------------------|"
+ - "L0.?[482,641] 191ns |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 20 files: L0.460, L0.474, L0.488, L0.502, L0.516, L0.530, L0.544, L0.558, L0.585, L0.599, L0.613, L0.627, L0.641, L0.655, L0.669, L0.683, L0.697, L0.711, L0.725, L0.739"
+ - " Soft Deleting 20 files: L0.2594, L0.2607, L0.2620, L0.2633, L0.2646, L0.2659, L0.2672, L0.2685, L0.2698, L0.2711, L0.2724, L0.2737, L0.2750, L0.2763, L0.2776, L0.2789, L0.2802, L0.2815, L0.2828, L0.3057"
- " Creating 1 files"
- - "**** Simulation run 320, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "**** Simulation run 329, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- "L0, all files 0b "
- - "L0.753[1922,2086] 40ns |-----------------------------------------L0.753-----------------------------------------|"
- - "L0.767[1922,2086] 41ns |-----------------------------------------L0.767-----------------------------------------|"
- - "L0.781[1922,2086] 42ns |-----------------------------------------L0.781-----------------------------------------|"
- - "L0.795[1922,2086] 43ns |-----------------------------------------L0.795-----------------------------------------|"
- - "L0.809[1922,2086] 44ns |-----------------------------------------L0.809-----------------------------------------|"
- - "L0.823[1922,2086] 45ns |-----------------------------------------L0.823-----------------------------------------|"
- - "L0.837[1922,2086] 46ns |-----------------------------------------L0.837-----------------------------------------|"
- - "L0.851[1922,2086] 47ns |-----------------------------------------L0.851-----------------------------------------|"
- - "L0.865[1922,2086] 48ns |-----------------------------------------L0.865-----------------------------------------|"
- - "L0.879[1922,2086] 49ns |-----------------------------------------L0.879-----------------------------------------|"
- - "L0.893[1922,2086] 50ns |-----------------------------------------L0.893-----------------------------------------|"
- - "L0.907[1922,2086] 51ns |-----------------------------------------L0.907-----------------------------------------|"
- - "L0.921[1922,2086] 52ns |-----------------------------------------L0.921-----------------------------------------|"
- - "L0.935[1922,2086] 53ns |-----------------------------------------L0.935-----------------------------------------|"
- - "L0.949[1922,2086] 54ns |-----------------------------------------L0.949-----------------------------------------|"
- - "L0.963[1922,2086] 55ns |-----------------------------------------L0.963-----------------------------------------|"
- - "L0.977[1922,2086] 56ns |-----------------------------------------L0.977-----------------------------------------|"
- - "L0.991[1922,2086] 57ns |-----------------------------------------L0.991-----------------------------------------|"
- - "L0.1005[1922,2086] 58ns |----------------------------------------L0.1005-----------------------------------------|"
- - "L0.1019[1922,2086] 59ns |----------------------------------------L0.1019-----------------------------------------|"
+ - "L0.3058[642,801] 172ns |----------------------------------------L0.3058-----------------------------------------|"
+ - "L0.2595[642,801] 173ns |----------------------------------------L0.2595-----------------------------------------|"
+ - "L0.2608[642,801] 174ns |----------------------------------------L0.2608-----------------------------------------|"
+ - "L0.2621[642,801] 175ns |----------------------------------------L0.2621-----------------------------------------|"
+ - "L0.2634[642,801] 176ns |----------------------------------------L0.2634-----------------------------------------|"
+ - "L0.2647[642,801] 177ns |----------------------------------------L0.2647-----------------------------------------|"
+ - "L0.2660[642,801] 178ns |----------------------------------------L0.2660-----------------------------------------|"
+ - "L0.2673[642,801] 179ns |----------------------------------------L0.2673-----------------------------------------|"
+ - "L0.2686[642,801] 180ns |----------------------------------------L0.2686-----------------------------------------|"
+ - "L0.2699[642,801] 181ns |----------------------------------------L0.2699-----------------------------------------|"
+ - "L0.2712[642,801] 182ns |----------------------------------------L0.2712-----------------------------------------|"
+ - "L0.2725[642,801] 183ns |----------------------------------------L0.2725-----------------------------------------|"
+ - "L0.2738[642,801] 184ns |----------------------------------------L0.2738-----------------------------------------|"
+ - "L0.2751[642,801] 185ns |----------------------------------------L0.2751-----------------------------------------|"
+ - "L0.2764[642,801] 186ns |----------------------------------------L0.2764-----------------------------------------|"
+ - "L0.2777[642,801] 187ns |----------------------------------------L0.2777-----------------------------------------|"
+ - "L0.2790[642,801] 188ns |----------------------------------------L0.2790-----------------------------------------|"
+ - "L0.2803[642,801] 189ns |----------------------------------------L0.2803-----------------------------------------|"
+ - "L0.2816[642,801] 190ns |----------------------------------------L0.2816-----------------------------------------|"
+ - "L0.2829[642,801] 191ns |----------------------------------------L0.2829-----------------------------------------|"
- "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- "L0, all files 0b "
- - "L0.?[1922,2086] 59ns |------------------------------------------L0.?------------------------------------------|"
+ - "L0.?[642,801] 191ns |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 20 files: L0.753, L0.767, L0.781, L0.795, L0.809, L0.823, L0.837, L0.851, L0.865, L0.879, L0.893, L0.907, L0.921, L0.935, L0.949, L0.963, L0.977, L0.991, L0.1005, L0.1019"
+ - " Soft Deleting 20 files: L0.2595, L0.2608, L0.2621, L0.2634, L0.2647, L0.2660, L0.2673, L0.2686, L0.2699, L0.2712, L0.2725, L0.2738, L0.2751, L0.2764, L0.2777, L0.2790, L0.2803, L0.2816, L0.2829, L0.3058"
- " Creating 1 files"
- - "**** Simulation run 321, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "**** Simulation run 330, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- "L0, all files 0b "
- - "L0.1033[1922,2086] 60ns |----------------------------------------L0.1033-----------------------------------------|"
- - "L0.1047[1922,2086] 61ns |----------------------------------------L0.1047-----------------------------------------|"
- - "L0.1061[1922,2086] 62ns |----------------------------------------L0.1061-----------------------------------------|"
- - "L0.1075[1922,2086] 63ns |----------------------------------------L0.1075-----------------------------------------|"
- - "L0.1089[1922,2086] 64ns |----------------------------------------L0.1089-----------------------------------------|"
- - "L0.1103[1922,2086] 65ns |----------------------------------------L0.1103-----------------------------------------|"
- - "L0.1117[1922,2086] 66ns |----------------------------------------L0.1117-----------------------------------------|"
- - "L0.1131[1922,2086] 67ns |----------------------------------------L0.1131-----------------------------------------|"
- - "L0.1145[1922,2086] 68ns |----------------------------------------L0.1145-----------------------------------------|"
- - "L0.1159[1922,2086] 69ns |----------------------------------------L0.1159-----------------------------------------|"
- - "L0.1173[1922,2086] 70ns |----------------------------------------L0.1173-----------------------------------------|"
- - "L0.1187[1922,2086] 71ns |----------------------------------------L0.1187-----------------------------------------|"
- - "L0.1201[1922,2086] 72ns |----------------------------------------L0.1201-----------------------------------------|"
- - "L0.1215[1922,2086] 73ns |----------------------------------------L0.1215-----------------------------------------|"
- - "L0.1229[1922,2086] 74ns |----------------------------------------L0.1229-----------------------------------------|"
- - "L0.1243[1922,2086] 75ns |----------------------------------------L0.1243-----------------------------------------|"
- - "L0.1257[1922,2086] 76ns |----------------------------------------L0.1257-----------------------------------------|"
- - "L0.1271[1922,2086] 77ns |----------------------------------------L0.1271-----------------------------------------|"
- - "L0.1285[1922,2086] 78ns |----------------------------------------L0.1285-----------------------------------------|"
- - "L0.1299[1922,2086] 79ns |----------------------------------------L0.1299-----------------------------------------|"
+ - "L0.3059[802,961] 172ns |----------------------------------------L0.3059-----------------------------------------|"
+ - "L0.2596[802,961] 173ns |----------------------------------------L0.2596-----------------------------------------|"
+ - "L0.2609[802,961] 174ns |----------------------------------------L0.2609-----------------------------------------|"
+ - "L0.2622[802,961] 175ns |----------------------------------------L0.2622-----------------------------------------|"
+ - "L0.2635[802,961] 176ns |----------------------------------------L0.2635-----------------------------------------|"
+ - "L0.2648[802,961] 177ns |----------------------------------------L0.2648-----------------------------------------|"
+ - "L0.2661[802,961] 178ns |----------------------------------------L0.2661-----------------------------------------|"
+ - "L0.2674[802,961] 179ns |----------------------------------------L0.2674-----------------------------------------|"
+ - "L0.2687[802,961] 180ns |----------------------------------------L0.2687-----------------------------------------|"
+ - "L0.2700[802,961] 181ns |----------------------------------------L0.2700-----------------------------------------|"
+ - "L0.2713[802,961] 182ns |----------------------------------------L0.2713-----------------------------------------|"
+ - "L0.2726[802,961] 183ns |----------------------------------------L0.2726-----------------------------------------|"
+ - "L0.2739[802,961] 184ns |----------------------------------------L0.2739-----------------------------------------|"
+ - "L0.2752[802,961] 185ns |----------------------------------------L0.2752-----------------------------------------|"
+ - "L0.2765[802,961] 186ns |----------------------------------------L0.2765-----------------------------------------|"
+ - "L0.2778[802,961] 187ns |----------------------------------------L0.2778-----------------------------------------|"
+ - "L0.2791[802,961] 188ns |----------------------------------------L0.2791-----------------------------------------|"
+ - "L0.2804[802,961] 189ns |----------------------------------------L0.2804-----------------------------------------|"
+ - "L0.2817[802,961] 190ns |----------------------------------------L0.2817-----------------------------------------|"
+ - "L0.2830[802,961] 191ns |----------------------------------------L0.2830-----------------------------------------|"
- "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- "L0, all files 0b "
- - "L0.?[1922,2086] 79ns |------------------------------------------L0.?------------------------------------------|"
+ - "L0.?[802,961] 191ns |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 20 files: L0.1033, L0.1047, L0.1061, L0.1075, L0.1089, L0.1103, L0.1117, L0.1131, L0.1145, L0.1159, L0.1173, L0.1187, L0.1201, L0.1215, L0.1229, L0.1243, L0.1257, L0.1271, L0.1285, L0.1299"
+ - " Soft Deleting 20 files: L0.2596, L0.2609, L0.2622, L0.2635, L0.2648, L0.2661, L0.2674, L0.2687, L0.2700, L0.2713, L0.2726, L0.2739, L0.2752, L0.2765, L0.2778, L0.2791, L0.2804, L0.2817, L0.2830, L0.3059"
- " Creating 1 files"
+ - "**** Simulation run 331, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "L0, all files 0b "
+ - "L0.3060[962,1121] 172ns |----------------------------------------L0.3060-----------------------------------------|"
+ - "L0.2597[962,1121] 173ns |----------------------------------------L0.2597-----------------------------------------|"
+ - "L0.2610[962,1121] 174ns |----------------------------------------L0.2610-----------------------------------------|"
+ - "L0.2623[962,1121] 175ns |----------------------------------------L0.2623-----------------------------------------|"
+ - "L0.2636[962,1121] 176ns |----------------------------------------L0.2636-----------------------------------------|"
+ - "L0.2649[962,1121] 177ns |----------------------------------------L0.2649-----------------------------------------|"
+ - "L0.2662[962,1121] 178ns |----------------------------------------L0.2662-----------------------------------------|"
+ - "L0.2675[962,1121] 179ns |----------------------------------------L0.2675-----------------------------------------|"
+ - "L0.2688[962,1121] 180ns |----------------------------------------L0.2688-----------------------------------------|"
+ - "L0.2701[962,1121] 181ns |----------------------------------------L0.2701-----------------------------------------|"
+ - "L0.2714[962,1121] 182ns |----------------------------------------L0.2714-----------------------------------------|"
+ - "L0.2727[962,1121] 183ns |----------------------------------------L0.2727-----------------------------------------|"
+ - "L0.2740[962,1121] 184ns |----------------------------------------L0.2740-----------------------------------------|"
+ - "L0.2753[962,1121] 185ns |----------------------------------------L0.2753-----------------------------------------|"
+ - "L0.2766[962,1121] 186ns |----------------------------------------L0.2766-----------------------------------------|"
+ - "L0.2779[962,1121] 187ns |----------------------------------------L0.2779-----------------------------------------|"
+ - "L0.2792[962,1121] 188ns |----------------------------------------L0.2792-----------------------------------------|"
+ - "L0.2805[962,1121] 189ns |----------------------------------------L0.2805-----------------------------------------|"
+ - "L0.2818[962,1121] 190ns |----------------------------------------L0.2818-----------------------------------------|"
+ - "L0.2831[962,1121] 191ns |----------------------------------------L0.2831-----------------------------------------|"
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
+ - "L0, all files 0b "
+ - "L0.?[962,1121] 191ns |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 20 files: L0.1312, L0.1326, L0.1340, L0.1354, L0.1368, L0.1382, L0.1396, L0.1410, L0.1424, L0.1438, L0.1452, L0.1466, L0.1480, L0.1494, L0.1508, L0.1522, L0.1536, L0.1550, L0.1564, L0.1578"
+ - " Soft Deleting 20 files: L0.2597, L0.2610, L0.2623, L0.2636, L0.2649, L0.2662, L0.2675, L0.2688, L0.2701, L0.2714, L0.2727, L0.2740, L0.2753, L0.2766, L0.2779, L0.2792, L0.2805, L0.2818, L0.2831, L0.3060"
- " Creating 1 files"
- - "**** Simulation run 322, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "**** Simulation run 332, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- "L0, all files 0b "
- - "L0.1592[1762,1921] 100ns |----------------------------------------L0.1592-----------------------------------------|"
- - "L0.1606[1762,1921] 101ns |----------------------------------------L0.1606-----------------------------------------|"
- - "L0.1620[1762,1921] 102ns |----------------------------------------L0.1620-----------------------------------------|"
- - "L0.1634[1762,1921] 103ns |----------------------------------------L0.1634-----------------------------------------|"
- - "L0.1648[1762,1921] 104ns |----------------------------------------L0.1648-----------------------------------------|"
- - "L0.1662[1762,1921] 105ns |----------------------------------------L0.1662-----------------------------------------|"
- - "L0.1676[1762,1921] 106ns |----------------------------------------L0.1676-----------------------------------------|"
- - "L0.1690[1762,1921] 107ns |----------------------------------------L0.1690-----------------------------------------|"
- - "L0.1704[1762,1921] 108ns |----------------------------------------L0.1704-----------------------------------------|"
- - "L0.1718[1762,1921] 109ns |----------------------------------------L0.1718-----------------------------------------|"
- - "L0.1732[1762,1921] 110ns |----------------------------------------L0.1732-----------------------------------------|"
- - "L0.1746[1762,1921] 111ns |----------------------------------------L0.1746-----------------------------------------|"
- - "L0.1760[1762,1921] 112ns |----------------------------------------L0.1760-----------------------------------------|"
- - "L0.1774[1762,1921] 113ns |----------------------------------------L0.1774-----------------------------------------|"
- - "L0.1788[1762,1921] 114ns |----------------------------------------L0.1788-----------------------------------------|"
- - "L0.1802[1762,1921] 115ns |----------------------------------------L0.1802-----------------------------------------|"
- - "L0.1816[1762,1921] 116ns |----------------------------------------L0.1816-----------------------------------------|"
- - "L0.1830[1762,1921] 117ns |----------------------------------------L0.1830-----------------------------------------|"
- - "L0.1844[1762,1921] 118ns |----------------------------------------L0.1844-----------------------------------------|"
- - "L0.1858[1762,1921] 119ns |----------------------------------------L0.1858-----------------------------------------|"
+ - "L0.3061[1122,1281] 172ns |----------------------------------------L0.3061-----------------------------------------|"
+ - "L0.2598[1122,1281] 173ns |----------------------------------------L0.2598-----------------------------------------|"
+ - "L0.2611[1122,1281] 174ns |----------------------------------------L0.2611-----------------------------------------|"
+ - "L0.2624[1122,1281] 175ns |----------------------------------------L0.2624-----------------------------------------|"
+ - "L0.2637[1122,1281] 176ns |----------------------------------------L0.2637-----------------------------------------|"
+ - "L0.2650[1122,1281] 177ns |----------------------------------------L0.2650-----------------------------------------|"
+ - "L0.2663[1122,1281] 178ns |----------------------------------------L0.2663-----------------------------------------|"
+ - "L0.2676[1122,1281] 179ns |----------------------------------------L0.2676-----------------------------------------|"
+ - "L0.2689[1122,1281] 180ns |----------------------------------------L0.2689-----------------------------------------|"
+ - "L0.2702[1122,1281] 181ns |----------------------------------------L0.2702-----------------------------------------|"
+ - "L0.2715[1122,1281] 182ns |----------------------------------------L0.2715-----------------------------------------|"
+ - "L0.2728[1122,1281] 183ns |----------------------------------------L0.2728-----------------------------------------|"
+ - "L0.2741[1122,1281] 184ns |----------------------------------------L0.2741-----------------------------------------|"
+ - "L0.2754[1122,1281] 185ns |----------------------------------------L0.2754-----------------------------------------|"
+ - "L0.2767[1122,1281] 186ns |----------------------------------------L0.2767-----------------------------------------|"
+ - "L0.2780[1122,1281] 187ns |----------------------------------------L0.2780-----------------------------------------|"
+ - "L0.2793[1122,1281] 188ns |----------------------------------------L0.2793-----------------------------------------|"
+ - "L0.2806[1122,1281] 189ns |----------------------------------------L0.2806-----------------------------------------|"
+ - "L0.2819[1122,1281] 190ns |----------------------------------------L0.2819-----------------------------------------|"
+ - "L0.2832[1122,1281] 191ns |----------------------------------------L0.2832-----------------------------------------|"
- "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- "L0, all files 0b "
- - "L0.?[1762,1921] 119ns |------------------------------------------L0.?------------------------------------------|"
+ - "L0.?[1122,1281] 191ns |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 20 files: L0.1592, L0.1606, L0.1620, L0.1634, L0.1648, L0.1662, L0.1676, L0.1690, L0.1704, L0.1718, L0.1732, L0.1746, L0.1760, L0.1774, L0.1788, L0.1802, L0.1816, L0.1830, L0.1844, L0.1858"
+ - " Soft Deleting 20 files: L0.2598, L0.2611, L0.2624, L0.2637, L0.2650, L0.2663, L0.2676, L0.2689, L0.2702, L0.2715, L0.2728, L0.2741, L0.2754, L0.2767, L0.2780, L0.2793, L0.2806, L0.2819, L0.2832, L0.3061"
- " Creating 1 files"
- - "**** Simulation run 323, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "**** Simulation run 333, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- "L0, all files 0b "
- - "L0.1313[1922,2086] 80ns |----------------------------------------L0.1313-----------------------------------------|"
- - "L0.1327[1922,2086] 81ns |----------------------------------------L0.1327-----------------------------------------|"
- - "L0.1341[1922,2086] 82ns |----------------------------------------L0.1341-----------------------------------------|"
- - "L0.1355[1922,2086] 83ns |----------------------------------------L0.1355-----------------------------------------|"
- - "L0.1369[1922,2086] 84ns |----------------------------------------L0.1369-----------------------------------------|"
- - "L0.1383[1922,2086] 85ns |----------------------------------------L0.1383-----------------------------------------|"
- - "L0.1397[1922,2086] 86ns |----------------------------------------L0.1397-----------------------------------------|"
- - "L0.1411[1922,2086] 87ns |----------------------------------------L0.1411-----------------------------------------|"
- - "L0.1425[1922,2086] 88ns |----------------------------------------L0.1425-----------------------------------------|"
- - "L0.1439[1922,2086] 89ns |----------------------------------------L0.1439-----------------------------------------|"
- - "L0.1453[1922,2086] 90ns |----------------------------------------L0.1453-----------------------------------------|"
- - "L0.1467[1922,2086] 91ns |----------------------------------------L0.1467-----------------------------------------|"
- - "L0.1481[1922,2086] 92ns |----------------------------------------L0.1481-----------------------------------------|"
- - "L0.1495[1922,2086] 93ns |----------------------------------------L0.1495-----------------------------------------|"
- - "L0.1509[1922,2086] 94ns |----------------------------------------L0.1509-----------------------------------------|"
- - "L0.1523[1922,2086] 95ns |----------------------------------------L0.1523-----------------------------------------|"
- - "L0.1537[1922,2086] 96ns |----------------------------------------L0.1537-----------------------------------------|"
- - "L0.1551[1922,2086] 97ns |----------------------------------------L0.1551-----------------------------------------|"
- - "L0.1565[1922,2086] 98ns |----------------------------------------L0.1565-----------------------------------------|"
- - "L0.1579[1922,2086] 99ns |----------------------------------------L0.1579-----------------------------------------|"
+ - "L0.3062[1282,1441] 172ns |----------------------------------------L0.3062-----------------------------------------|"
+ - "L0.2599[1282,1441] 173ns |----------------------------------------L0.2599-----------------------------------------|"
+ - "L0.2612[1282,1441] 174ns |----------------------------------------L0.2612-----------------------------------------|"
+ - "L0.2625[1282,1441] 175ns |----------------------------------------L0.2625-----------------------------------------|"
+ - "L0.2638[1282,1441] 176ns |----------------------------------------L0.2638-----------------------------------------|"
+ - "L0.2651[1282,1441] 177ns |----------------------------------------L0.2651-----------------------------------------|"
+ - "L0.2664[1282,1441] 178ns |----------------------------------------L0.2664-----------------------------------------|"
+ - "L0.2677[1282,1441] 179ns |----------------------------------------L0.2677-----------------------------------------|"
+ - "L0.2690[1282,1441] 180ns |----------------------------------------L0.2690-----------------------------------------|"
+ - "L0.2703[1282,1441] 181ns |----------------------------------------L0.2703-----------------------------------------|"
+ - "L0.2716[1282,1441] 182ns |----------------------------------------L0.2716-----------------------------------------|"
+ - "L0.2729[1282,1441] 183ns |----------------------------------------L0.2729-----------------------------------------|"
+ - "L0.2742[1282,1441] 184ns |----------------------------------------L0.2742-----------------------------------------|"
+ - "L0.2755[1282,1441] 185ns |----------------------------------------L0.2755-----------------------------------------|"
+ - "L0.2768[1282,1441] 186ns |----------------------------------------L0.2768-----------------------------------------|"
+ - "L0.2781[1282,1441] 187ns |----------------------------------------L0.2781-----------------------------------------|"
+ - "L0.2794[1282,1441] 188ns |----------------------------------------L0.2794-----------------------------------------|"
+ - "L0.2807[1282,1441] 189ns |----------------------------------------L0.2807-----------------------------------------|"
+ - "L0.2820[1282,1441] 190ns |----------------------------------------L0.2820-----------------------------------------|"
+ - "L0.2833[1282,1441] 191ns |----------------------------------------L0.2833-----------------------------------------|"
- "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- "L0, all files 0b "
- - "L0.?[1922,2086] 99ns |------------------------------------------L0.?------------------------------------------|"
+ - "L0.?[1282,1441] 191ns |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 20 files: L0.1313, L0.1327, L0.1341, L0.1355, L0.1369, L0.1383, L0.1397, L0.1411, L0.1425, L0.1439, L0.1453, L0.1467, L0.1481, L0.1495, L0.1509, L0.1523, L0.1537, L0.1551, L0.1565, L0.1579"
+ - " Soft Deleting 20 files: L0.2599, L0.2612, L0.2625, L0.2638, L0.2651, L0.2664, L0.2677, L0.2690, L0.2703, L0.2716, L0.2729, L0.2742, L0.2755, L0.2768, L0.2781, L0.2794, L0.2807, L0.2820, L0.2833, L0.3062"
- " Creating 1 files"
- - "**** Simulation run 324, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "**** Simulation run 334, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- "L0, all files 0b "
- - "L0.1593[1922,2086] 100ns |----------------------------------------L0.1593-----------------------------------------|"
- - "L0.1607[1922,2086] 101ns |----------------------------------------L0.1607-----------------------------------------|"
- - "L0.1621[1922,2086] 102ns |----------------------------------------L0.1621-----------------------------------------|"
- - "L0.1635[1922,2086] 103ns |----------------------------------------L0.1635-----------------------------------------|"
- - "L0.1649[1922,2086] 104ns |----------------------------------------L0.1649-----------------------------------------|"
- - "L0.1663[1922,2086] 105ns |----------------------------------------L0.1663-----------------------------------------|"
- - "L0.1677[1922,2086] 106ns |----------------------------------------L0.1677-----------------------------------------|"
- - "L0.1691[1922,2086] 107ns |----------------------------------------L0.1691-----------------------------------------|"
- - "L0.1705[1922,2086] 108ns |----------------------------------------L0.1705-----------------------------------------|"
- - "L0.1719[1922,2086] 109ns |----------------------------------------L0.1719-----------------------------------------|"
- - "L0.1733[1922,2086] 110ns |----------------------------------------L0.1733-----------------------------------------|"
- - "L0.1747[1922,2086] 111ns |----------------------------------------L0.1747-----------------------------------------|"
- - "L0.1761[1922,2086] 112ns |----------------------------------------L0.1761-----------------------------------------|"
- - "L0.1775[1922,2086] 113ns |----------------------------------------L0.1775-----------------------------------------|"
- - "L0.1789[1922,2086] 114ns |----------------------------------------L0.1789-----------------------------------------|"
- - "L0.1803[1922,2086] 115ns |----------------------------------------L0.1803-----------------------------------------|"
- - "L0.1817[1922,2086] 116ns |----------------------------------------L0.1817-----------------------------------------|"
- - "L0.1831[1922,2086] 117ns |----------------------------------------L0.1831-----------------------------------------|"
- - "L0.1845[1922,2086] 118ns |----------------------------------------L0.1845-----------------------------------------|"
- - "L0.1859[1922,2086] 119ns |----------------------------------------L0.1859-----------------------------------------|"
+ - "L0.3063[1442,1601] 172ns |----------------------------------------L0.3063-----------------------------------------|"
+ - "L0.2600[1442,1601] 173ns |----------------------------------------L0.2600-----------------------------------------|"
+ - "L0.2613[1442,1601] 174ns |----------------------------------------L0.2613-----------------------------------------|"
+ - "L0.2626[1442,1601] 175ns |----------------------------------------L0.2626-----------------------------------------|"
+ - "L0.2639[1442,1601] 176ns |----------------------------------------L0.2639-----------------------------------------|"
+ - "L0.2652[1442,1601] 177ns |----------------------------------------L0.2652-----------------------------------------|"
+ - "L0.2665[1442,1601] 178ns |----------------------------------------L0.2665-----------------------------------------|"
+ - "L0.2678[1442,1601] 179ns |----------------------------------------L0.2678-----------------------------------------|"
+ - "L0.2691[1442,1601] 180ns |----------------------------------------L0.2691-----------------------------------------|"
+ - "L0.2704[1442,1601] 181ns |----------------------------------------L0.2704-----------------------------------------|"
+ - "L0.2717[1442,1601] 182ns |----------------------------------------L0.2717-----------------------------------------|"
+ - "L0.2730[1442,1601] 183ns |----------------------------------------L0.2730-----------------------------------------|"
+ - "L0.2743[1442,1601] 184ns |----------------------------------------L0.2743-----------------------------------------|"
+ - "L0.2756[1442,1601] 185ns |----------------------------------------L0.2756-----------------------------------------|"
+ - "L0.2769[1442,1601] 186ns |----------------------------------------L0.2769-----------------------------------------|"
+ - "L0.2782[1442,1601] 187ns |----------------------------------------L0.2782-----------------------------------------|"
+ - "L0.2795[1442,1601] 188ns |----------------------------------------L0.2795-----------------------------------------|"
+ - "L0.2808[1442,1601] 189ns |----------------------------------------L0.2808-----------------------------------------|"
+ - "L0.2821[1442,1601] 190ns |----------------------------------------L0.2821-----------------------------------------|"
+ - "L0.2834[1442,1601] 191ns |----------------------------------------L0.2834-----------------------------------------|"
- "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- "L0, all files 0b "
- - "L0.?[1922,2086] 119ns |------------------------------------------L0.?------------------------------------------|"
+ - "L0.?[1442,1601] 191ns |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 20 files: L0.1593, L0.1607, L0.1621, L0.1635, L0.1649, L0.1663, L0.1677, L0.1691, L0.1705, L0.1719, L0.1733, L0.1747, L0.1761, L0.1775, L0.1789, L0.1803, L0.1817, L0.1831, L0.1845, L0.1859"
+ - " Soft Deleting 20 files: L0.2600, L0.2613, L0.2626, L0.2639, L0.2652, L0.2665, L0.2678, L0.2691, L0.2704, L0.2717, L0.2730, L0.2743, L0.2756, L0.2769, L0.2782, L0.2795, L0.2808, L0.2821, L0.2834, L0.3063"
- " Creating 1 files"
- - "**** Simulation run 325, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "**** Simulation run 335, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- "L0, all files 0b "
- - "L0.1873[1922,2086] 120ns |----------------------------------------L0.1873-----------------------------------------|"
- - "L0.1887[1922,2086] 121ns |----------------------------------------L0.1887-----------------------------------------|"
- - "L0.1901[1922,2086] 122ns |----------------------------------------L0.1901-----------------------------------------|"
- - "L0.1915[1922,2086] 123ns |----------------------------------------L0.1915-----------------------------------------|"
- - "L0.1929[1922,2086] 124ns |----------------------------------------L0.1929-----------------------------------------|"
- - "L0.1943[1922,2086] 125ns |----------------------------------------L0.1943-----------------------------------------|"
- - "L0.1957[1922,2086] 126ns |----------------------------------------L0.1957-----------------------------------------|"
- - "L0.1971[1922,2086] 127ns |----------------------------------------L0.1971-----------------------------------------|"
- - "L0.1985[1922,2086] 128ns |----------------------------------------L0.1985-----------------------------------------|"
- - "L0.1999[1922,2086] 129ns |----------------------------------------L0.1999-----------------------------------------|"
- - "L0.2013[1922,2086] 130ns |----------------------------------------L0.2013-----------------------------------------|"
- - "L0.2027[1922,2086] 131ns |----------------------------------------L0.2027-----------------------------------------|"
- - "L0.2041[1922,2086] 132ns |----------------------------------------L0.2041-----------------------------------------|"
- - "L0.2055[1922,2086] 133ns |----------------------------------------L0.2055-----------------------------------------|"
- - "L0.2069[1922,2086] 134ns |----------------------------------------L0.2069-----------------------------------------|"
- - "L0.2195[1922,2086] 135ns |----------------------------------------L0.2195-----------------------------------------|"
- - "L0.2209[1922,2086] 136ns |----------------------------------------L0.2209-----------------------------------------|"
- - "L0.2083[1922,2086] 137ns |----------------------------------------L0.2083-----------------------------------------|"
- - "L0.2097[1922,2086] 138ns |----------------------------------------L0.2097-----------------------------------------|"
- - "L0.2111[1922,2086] 139ns |----------------------------------------L0.2111-----------------------------------------|"
+ - "L0.3064[1602,1761] 172ns |----------------------------------------L0.3064-----------------------------------------|"
+ - "L0.2601[1602,1761] 173ns |----------------------------------------L0.2601-----------------------------------------|"
+ - "L0.2614[1602,1761] 174ns |----------------------------------------L0.2614-----------------------------------------|"
+ - "L0.2627[1602,1761] 175ns |----------------------------------------L0.2627-----------------------------------------|"
+ - "L0.2640[1602,1761] 176ns |----------------------------------------L0.2640-----------------------------------------|"
+ - "L0.2653[1602,1761] 177ns |----------------------------------------L0.2653-----------------------------------------|"
+ - "L0.2666[1602,1761] 178ns |----------------------------------------L0.2666-----------------------------------------|"
+ - "L0.2679[1602,1761] 179ns |----------------------------------------L0.2679-----------------------------------------|"
+ - "L0.2692[1602,1761] 180ns |----------------------------------------L0.2692-----------------------------------------|"
+ - "L0.2705[1602,1761] 181ns |----------------------------------------L0.2705-----------------------------------------|"
+ - "L0.2718[1602,1761] 182ns |----------------------------------------L0.2718-----------------------------------------|"
+ - "L0.2731[1602,1761] 183ns |----------------------------------------L0.2731-----------------------------------------|"
+ - "L0.2744[1602,1761] 184ns |----------------------------------------L0.2744-----------------------------------------|"
+ - "L0.2757[1602,1761] 185ns |----------------------------------------L0.2757-----------------------------------------|"
+ - "L0.2770[1602,1761] 186ns |----------------------------------------L0.2770-----------------------------------------|"
+ - "L0.2783[1602,1761] 187ns |----------------------------------------L0.2783-----------------------------------------|"
+ - "L0.2796[1602,1761] 188ns |----------------------------------------L0.2796-----------------------------------------|"
+ - "L0.2809[1602,1761] 189ns |----------------------------------------L0.2809-----------------------------------------|"
+ - "L0.2822[1602,1761] 190ns |----------------------------------------L0.2822-----------------------------------------|"
+ - "L0.2835[1602,1761] 191ns |----------------------------------------L0.2835-----------------------------------------|"
- "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- "L0, all files 0b "
- - "L0.?[1922,2086] 139ns |------------------------------------------L0.?------------------------------------------|"
+ - "L0.?[1602,1761] 191ns |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 20 files: L0.1873, L0.1887, L0.1901, L0.1915, L0.1929, L0.1943, L0.1957, L0.1971, L0.1985, L0.1999, L0.2013, L0.2027, L0.2041, L0.2055, L0.2069, L0.2083, L0.2097, L0.2111, L0.2195, L0.2209"
+ - " Soft Deleting 20 files: L0.2601, L0.2614, L0.2627, L0.2640, L0.2653, L0.2666, L0.2679, L0.2692, L0.2705, L0.2718, L0.2731, L0.2744, L0.2757, L0.2770, L0.2783, L0.2796, L0.2809, L0.2822, L0.2835, L0.3064"
- " Creating 1 files"
- - "**** Simulation run 326, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "**** Simulation run 336, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- "L0, all files 0b "
- - "L0.2125[1922,2086] 140ns |----------------------------------------L0.2125-----------------------------------------|"
- - "L0.2139[1922,2086] 141ns |----------------------------------------L0.2139-----------------------------------------|"
- - "L0.2153[1922,2086] 142ns |----------------------------------------L0.2153-----------------------------------------|"
- - "L0.2167[1922,2086] 143ns |----------------------------------------L0.2167-----------------------------------------|"
- - "L0.2181[1922,2086] 144ns |----------------------------------------L0.2181-----------------------------------------|"
- - "L0.2223[1922,2086] 145ns |----------------------------------------L0.2223-----------------------------------------|"
- - "L0.2237[1922,2086] 146ns |----------------------------------------L0.2237-----------------------------------------|"
- - "L0.2251[1922,2086] 147ns |----------------------------------------L0.2251-----------------------------------------|"
- - "L0.2265[1922,2086] 148ns |----------------------------------------L0.2265-----------------------------------------|"
- - "L0.2279[1922,2086] 149ns |----------------------------------------L0.2279-----------------------------------------|"
- - "L0.2293[1922,2086] 150ns |----------------------------------------L0.2293-----------------------------------------|"
- - "L0.2307[1922,2086] 151ns |----------------------------------------L0.2307-----------------------------------------|"
- - "L0.2321[1922,2086] 152ns |----------------------------------------L0.2321-----------------------------------------|"
- - "L0.2335[1922,2086] 153ns |----------------------------------------L0.2335-----------------------------------------|"
- - "L0.2349[1922,2086] 154ns |----------------------------------------L0.2349-----------------------------------------|"
- - "L0.2363[1922,2086] 155ns |----------------------------------------L0.2363-----------------------------------------|"
- - "L0.2377[1922,2086] 156ns |----------------------------------------L0.2377-----------------------------------------|"
- - "L0.2391[1922,2086] 157ns |----------------------------------------L0.2391-----------------------------------------|"
- - "L0.2405[1922,2086] 158ns |----------------------------------------L0.2405-----------------------------------------|"
- - "L0.2419[1922,2086] 159ns |----------------------------------------L0.2419-----------------------------------------|"
+ - "L0.3067[1762,1921] 172ns |----------------------------------------L0.3067-----------------------------------------|"
+ - "L0.2602[1762,1921] 173ns |----------------------------------------L0.2602-----------------------------------------|"
+ - "L0.2615[1762,1921] 174ns |----------------------------------------L0.2615-----------------------------------------|"
+ - "L0.2628[1762,1921] 175ns |----------------------------------------L0.2628-----------------------------------------|"
+ - "L0.2641[1762,1921] 176ns |----------------------------------------L0.2641-----------------------------------------|"
+ - "L0.2654[1762,1921] 177ns |----------------------------------------L0.2654-----------------------------------------|"
+ - "L0.2667[1762,1921] 178ns |----------------------------------------L0.2667-----------------------------------------|"
+ - "L0.2680[1762,1921] 179ns |----------------------------------------L0.2680-----------------------------------------|"
+ - "L0.2693[1762,1921] 180ns |----------------------------------------L0.2693-----------------------------------------|"
+ - "L0.2706[1762,1921] 181ns |----------------------------------------L0.2706-----------------------------------------|"
+ - "L0.2719[1762,1921] 182ns |----------------------------------------L0.2719-----------------------------------------|"
+ - "L0.2732[1762,1921] 183ns |----------------------------------------L0.2732-----------------------------------------|"
+ - "L0.2745[1762,1921] 184ns |----------------------------------------L0.2745-----------------------------------------|"
+ - "L0.2758[1762,1921] 185ns |----------------------------------------L0.2758-----------------------------------------|"
+ - "L0.2771[1762,1921] 186ns |----------------------------------------L0.2771-----------------------------------------|"
+ - "L0.2784[1762,1921] 187ns |----------------------------------------L0.2784-----------------------------------------|"
+ - "L0.2797[1762,1921] 188ns |----------------------------------------L0.2797-----------------------------------------|"
+ - "L0.2810[1762,1921] 189ns |----------------------------------------L0.2810-----------------------------------------|"
+ - "L0.2823[1762,1921] 190ns |----------------------------------------L0.2823-----------------------------------------|"
+ - "L0.2836[1762,1921] 191ns |----------------------------------------L0.2836-----------------------------------------|"
- "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- "L0, all files 0b "
- - "L0.?[1922,2086] 159ns |------------------------------------------L0.?------------------------------------------|"
+ - "L0.?[1762,1921] 191ns |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 20 files: L0.2125, L0.2139, L0.2153, L0.2167, L0.2181, L0.2223, L0.2237, L0.2251, L0.2265, L0.2279, L0.2293, L0.2307, L0.2321, L0.2335, L0.2349, L0.2363, L0.2377, L0.2391, L0.2405, L0.2419"
+ - " Soft Deleting 20 files: L0.2602, L0.2615, L0.2628, L0.2641, L0.2654, L0.2667, L0.2680, L0.2693, L0.2706, L0.2719, L0.2732, L0.2745, L0.2758, L0.2771, L0.2784, L0.2797, L0.2810, L0.2823, L0.2836, L0.3067"
- " Creating 1 files"
- - "**** Simulation run 327, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
+ - "**** Simulation run 337, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- "L0, all files 0b "
- - "L0.2433[1922,2086] 160ns |----------------------------------------L0.2433-----------------------------------------|"
- - "L0.2447[1922,2086] 161ns |----------------------------------------L0.2447-----------------------------------------|"
- - "L0.2460[1922,2086] 162ns |----------------------------------------L0.2460-----------------------------------------|"
- - "L0.2473[1922,2086] 163ns |----------------------------------------L0.2473-----------------------------------------|"
- - "L0.2486[1922,2086] 164ns |----------------------------------------L0.2486-----------------------------------------|"
- - "L0.2499[1922,2086] 165ns |----------------------------------------L0.2499-----------------------------------------|"
- - "L0.2512[1922,2086] 166ns |----------------------------------------L0.2512-----------------------------------------|"
- - "L0.2525[1922,2086] 167ns |----------------------------------------L0.2525-----------------------------------------|"
- - "L0.2538[1922,2086] 168ns |----------------------------------------L0.2538-----------------------------------------|"
- - "L0.2551[1922,2086] 169ns |----------------------------------------L0.2551-----------------------------------------|"
- - "L0.2564[1922,2086] 170ns |----------------------------------------L0.2564-----------------------------------------|"
- - "L0.2577[1922,2086] 171ns |----------------------------------------L0.2577-----------------------------------------|"
- - "L0.2590[1922,2086] 172ns |----------------------------------------L0.2590-----------------------------------------|"
+ - "L0.3068[1922,2086] 172ns |----------------------------------------L0.3068-----------------------------------------|"
- "L0.2603[1922,2086] 173ns |----------------------------------------L0.2603-----------------------------------------|"
- "L0.2616[1922,2086] 174ns |----------------------------------------L0.2616-----------------------------------------|"
- "L0.2629[1922,2086] 175ns |----------------------------------------L0.2629-----------------------------------------|"
@@ -9037,14 +9313,6 @@ async fn stuck_l0_large_l0s() {
- "L0.2655[1922,2086] 177ns |----------------------------------------L0.2655-----------------------------------------|"
- "L0.2668[1922,2086] 178ns |----------------------------------------L0.2668-----------------------------------------|"
- "L0.2681[1922,2086] 179ns |----------------------------------------L0.2681-----------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- - "L0, all files 0b "
- - "L0.?[1922,2086] 179ns |------------------------------------------L0.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 20 files: L0.2433, L0.2447, L0.2460, L0.2473, L0.2486, L0.2499, L0.2512, L0.2525, L0.2538, L0.2551, L0.2564, L0.2577, L0.2590, L0.2603, L0.2616, L0.2629, L0.2642, L0.2655, L0.2668, L0.2681"
- - " Creating 1 files"
- - "**** Simulation run 328, type=compact(ManySmallFiles). 20 Input Files, 0b total:"
- - "L0, all files 0b "
- "L0.2694[1922,2086] 180ns |----------------------------------------L0.2694-----------------------------------------|"
- "L0.2707[1922,2086] 181ns |----------------------------------------L0.2707-----------------------------------------|"
- "L0.2720[1922,2086] 182ns |----------------------------------------L0.2720-----------------------------------------|"
@@ -9057,626 +9325,301 @@ async fn stuck_l0_large_l0s() {
- "L0.2811[1922,2086] 189ns |----------------------------------------L0.2811-----------------------------------------|"
- "L0.2824[1922,2086] 190ns |----------------------------------------L0.2824-----------------------------------------|"
- "L0.2837[1922,2086] 191ns |----------------------------------------L0.2837-----------------------------------------|"
- - "L0.2850[1922,2086] 192ns |----------------------------------------L0.2850-----------------------------------------|"
- - "L0.2863[1922,2086] 193ns |----------------------------------------L0.2863-----------------------------------------|"
- - "L0.2876[1922,2086] 194ns |----------------------------------------L0.2876-----------------------------------------|"
- - "L0.2889[1922,2086] 195ns |----------------------------------------L0.2889-----------------------------------------|"
- - "L0.2902[1922,2086] 196ns |----------------------------------------L0.2902-----------------------------------------|"
- - "L0.2915[1922,2086] 197ns |----------------------------------------L0.2915-----------------------------------------|"
- - "L0.2928[1922,2086] 198ns |----------------------------------------L0.2928-----------------------------------------|"
- - "L0.2941[1922,2086] 199ns |----------------------------------------L0.2941-----------------------------------------|"
- "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- "L0, all files 0b "
- - "L0.?[1922,2086] 199ns |------------------------------------------L0.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 20 files: L0.2694, L0.2707, L0.2720, L0.2733, L0.2746, L0.2759, L0.2772, L0.2785, L0.2798, L0.2811, L0.2824, L0.2837, L0.2850, L0.2863, L0.2876, L0.2889, L0.2902, L0.2915, L0.2928, L0.2941"
- - " Creating 1 files"
- - "**** Simulation run 329, type=compact(ManySmallFiles). 20 Input Files, 200b total:"
- - "L0, all files 10b "
- - "L0.586[2087,200000] 20ns |------------------L0.586-------------------| "
- - "L0.461[2087,210000] 21ns |--------------------L0.461--------------------| "
- - "L0.475[2087,220000] 22ns |---------------------L0.475---------------------| "
- - "L0.489[2087,230000] 23ns |----------------------L0.489----------------------| "
- - "L0.503[2087,240000] 24ns |-----------------------L0.503------------------------| "
- - "L0.517[2087,250000] 25ns |------------------------L0.517-------------------------| "
- - "L0.531[2087,260000] 26ns |-------------------------L0.531--------------------------| "
- - "L0.545[2087,270000] 27ns |---------------------------L0.545---------------------------| "
- - "L0.559[2087,280000] 28ns |----------------------------L0.559----------------------------| "
- - "L0.600[2087,290000] 29ns |-----------------------------L0.600-----------------------------| "
- - "L0.614[2087,300000] 30ns |------------------------------L0.614-------------------------------| "
- - "L0.628[2087,310000] 31ns |-------------------------------L0.628--------------------------------| "
- - "L0.642[2087,320000] 32ns |--------------------------------L0.642---------------------------------| "
- - "L0.656[2087,330000] 33ns |----------------------------------L0.656----------------------------------| "
- - "L0.670[2087,340000] 34ns |-----------------------------------L0.670-----------------------------------| "
- - "L0.684[2087,350000] 35ns |------------------------------------L0.684------------------------------------| "
- - "L0.698[2087,360000] 36ns |-------------------------------------L0.698--------------------------------------| "
- - "L0.712[2087,370000] 37ns |--------------------------------------L0.712---------------------------------------| "
- - "L0.726[2087,380000] 38ns |---------------------------------------L0.726----------------------------------------| "
- - "L0.740[2087,390000] 39ns |-----------------------------------------L0.740-----------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 200b total:"
- - "L0, all files 200b "
- - "L0.?[2087,390000] 39ns |------------------------------------------L0.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 20 files: L0.461, L0.475, L0.489, L0.503, L0.517, L0.531, L0.545, L0.559, L0.586, L0.600, L0.614, L0.628, L0.642, L0.656, L0.670, L0.684, L0.698, L0.712, L0.726, L0.740"
- - " Creating 1 files"
- - "**** Simulation run 330, type=compact(ManySmallFiles). 20 Input Files, 200b total:"
- - "L0, all files 10b "
- - "L0.754[2087,400000] 40ns |--------------------------L0.754--------------------------| "
- - "L0.768[2087,410000] 41ns |---------------------------L0.768---------------------------| "
- - "L0.782[2087,420000] 42ns |---------------------------L0.782----------------------------| "
- - "L0.796[2087,430000] 43ns |----------------------------L0.796-----------------------------| "
- - "L0.810[2087,440000] 44ns |-----------------------------L0.810------------------------------| "
- - "L0.824[2087,450000] 45ns |------------------------------L0.824------------------------------| "
- - "L0.838[2087,460000] 46ns |-------------------------------L0.838-------------------------------| "
- - "L0.852[2087,470000] 47ns |-------------------------------L0.852--------------------------------| "
- - "L0.866[2087,480000] 48ns |--------------------------------L0.866---------------------------------| "
- - "L0.880[2087,490000] 49ns |---------------------------------L0.880---------------------------------| "
- - "L0.894[2087,500000] 50ns |----------------------------------L0.894----------------------------------| "
- - "L0.908[2087,510000] 51ns |----------------------------------L0.908-----------------------------------| "
- - "L0.922[2087,520000] 52ns |-----------------------------------L0.922------------------------------------| "
- - "L0.936[2087,530000] 53ns |------------------------------------L0.936------------------------------------| "
- - "L0.950[2087,540000] 54ns |-------------------------------------L0.950-------------------------------------| "
- - "L0.964[2087,550000] 55ns |-------------------------------------L0.964--------------------------------------| "
- - "L0.978[2087,560000] 56ns |--------------------------------------L0.978---------------------------------------| "
- - "L0.992[2087,570000] 57ns |---------------------------------------L0.992---------------------------------------| "
- - "L0.1006[2087,580000] 58ns|---------------------------------------L0.1006----------------------------------------| "
- - "L0.1020[2087,590000] 59ns|----------------------------------------L0.1020-----------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 200b total:"
- - "L0, all files 200b "
- - "L0.?[2087,590000] 59ns |------------------------------------------L0.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 20 files: L0.754, L0.768, L0.782, L0.796, L0.810, L0.824, L0.838, L0.852, L0.866, L0.880, L0.894, L0.908, L0.922, L0.936, L0.950, L0.964, L0.978, L0.992, L0.1006, L0.1020"
- - " Creating 1 files"
- - "**** Simulation run 331, type=compact(ManySmallFiles). 20 Input Files, 200b total:"
- - "L0, all files 10b "
- - "L0.1034[2087,600000] 60ns|-----------------------------L0.1034------------------------------| "
- - "L0.1048[2087,610000] 61ns|------------------------------L0.1048------------------------------| "
- - "L0.1062[2087,620000] 62ns|------------------------------L0.1062-------------------------------| "
- - "L0.1076[2087,630000] 63ns|-------------------------------L0.1076-------------------------------| "
- - "L0.1090[2087,640000] 64ns|-------------------------------L0.1090--------------------------------| "
- - "L0.1104[2087,650000] 65ns|--------------------------------L0.1104---------------------------------| "
- - "L0.1118[2087,660000] 66ns|---------------------------------L0.1118---------------------------------| "
- - "L0.1132[2087,670000] 67ns|---------------------------------L0.1132----------------------------------| "
- - "L0.1146[2087,680000] 68ns|----------------------------------L0.1146----------------------------------| "
- - "L0.1160[2087,690000] 69ns|----------------------------------L0.1160-----------------------------------| "
- - "L0.1174[2087,700000] 70ns|-----------------------------------L0.1174-----------------------------------| "
- - "L0.1188[2087,710000] 71ns|-----------------------------------L0.1188------------------------------------| "
- - "L0.1202[2087,720000] 72ns|------------------------------------L0.1202-------------------------------------| "
- - "L0.1216[2087,730000] 73ns|-------------------------------------L0.1216-------------------------------------| "
- - "L0.1230[2087,740000] 74ns|-------------------------------------L0.1230--------------------------------------| "
- - "L0.1244[2087,750000] 75ns|--------------------------------------L0.1244--------------------------------------| "
- - "L0.1258[2087,760000] 76ns|--------------------------------------L0.1258---------------------------------------| "
- - "L0.1272[2087,770000] 77ns|---------------------------------------L0.1272---------------------------------------| "
- - "L0.1286[2087,780000] 78ns|---------------------------------------L0.1286----------------------------------------| "
- - "L0.1300[2087,790000] 79ns|----------------------------------------L0.1300-----------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 200b total:"
- - "L0, all files 200b "
- - "L0.?[2087,790000] 79ns |------------------------------------------L0.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 20 files: L0.1034, L0.1048, L0.1062, L0.1076, L0.1090, L0.1104, L0.1118, L0.1132, L0.1146, L0.1160, L0.1174, L0.1188, L0.1202, L0.1216, L0.1230, L0.1244, L0.1258, L0.1272, L0.1286, L0.1300"
- - " Creating 1 files"
- - "**** Simulation run 332, type=compact(ManySmallFiles). 20 Input Files, 200b total:"
- - "L0, all files 10b "
- - "L0.1314[2087,800000] 80ns|-------------------------------L0.1314--------------------------------| "
- - "L0.1328[2087,810000] 81ns|--------------------------------L0.1328--------------------------------| "
- - "L0.1342[2087,820000] 82ns|--------------------------------L0.1342---------------------------------| "
- - "L0.1356[2087,830000] 83ns|---------------------------------L0.1356---------------------------------| "
- - "L0.1370[2087,840000] 84ns|---------------------------------L0.1370----------------------------------| "
- - "L0.1384[2087,850000] 85ns|----------------------------------L0.1384----------------------------------| "
- - "L0.1398[2087,860000] 86ns|----------------------------------L0.1398-----------------------------------| "
- - "L0.1412[2087,870000] 87ns|-----------------------------------L0.1412-----------------------------------| "
- - "L0.1426[2087,880000] 88ns|-----------------------------------L0.1426-----------------------------------| "
- - "L0.1440[2087,890000] 89ns|-----------------------------------L0.1440------------------------------------| "
- - "L0.1454[2087,900000] 90ns|------------------------------------L0.1454------------------------------------| "
- - "L0.1468[2087,910000] 91ns|------------------------------------L0.1468-------------------------------------| "
- - "L0.1482[2087,920000] 92ns|-------------------------------------L0.1482-------------------------------------| "
- - "L0.1496[2087,930000] 93ns|-------------------------------------L0.1496--------------------------------------| "
- - "L0.1510[2087,940000] 94ns|--------------------------------------L0.1510--------------------------------------| "
- - "L0.1524[2087,950000] 95ns|--------------------------------------L0.1524---------------------------------------| "
- - "L0.1538[2087,960000] 96ns|---------------------------------------L0.1538---------------------------------------| "
- - "L0.1552[2087,970000] 97ns|---------------------------------------L0.1552----------------------------------------| "
- - "L0.1566[2087,980000] 98ns|----------------------------------------L0.1566----------------------------------------| "
- - "L0.1580[2087,990000] 99ns|----------------------------------------L0.1580-----------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 200b total:"
- - "L0, all files 200b "
- - "L0.?[2087,990000] 99ns |------------------------------------------L0.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 20 files: L0.1314, L0.1328, L0.1342, L0.1356, L0.1370, L0.1384, L0.1398, L0.1412, L0.1426, L0.1440, L0.1454, L0.1468, L0.1482, L0.1496, L0.1510, L0.1524, L0.1538, L0.1552, L0.1566, L0.1580"
- - " Creating 1 files"
- - "**** Simulation run 333, type=compact(ManySmallFiles). 20 Input Files, 200b total:"
- - "L0, all files 10b "
- - "L0.1594[2087,1000000] 100ns|---------------------------------L0.1594---------------------------------| "
- - "L0.1608[2087,1010000] 101ns|---------------------------------L0.1608----------------------------------| "
- - "L0.1622[2087,1020000] 102ns|----------------------------------L0.1622----------------------------------| "
- - "L0.1636[2087,1030000] 103ns|----------------------------------L0.1636----------------------------------| "
- - "L0.1650[2087,1040000] 104ns|----------------------------------L0.1650-----------------------------------| "
- - "L0.1664[2087,1050000] 105ns|-----------------------------------L0.1664-----------------------------------| "
- - "L0.1678[2087,1060000] 106ns|-----------------------------------L0.1678------------------------------------| "
- - "L0.1692[2087,1070000] 107ns|-----------------------------------L0.1692------------------------------------| "
- - "L0.1706[2087,1080000] 108ns|------------------------------------L0.1706------------------------------------| "
- - "L0.1720[2087,1090000] 109ns|------------------------------------L0.1720-------------------------------------| "
- - "L0.1734[2087,1100000] 110ns|-------------------------------------L0.1734-------------------------------------| "
- - "L0.1748[2087,1110000] 111ns|-------------------------------------L0.1748-------------------------------------| "
- - "L0.1762[2087,1120000] 112ns|-------------------------------------L0.1762--------------------------------------| "
- - "L0.1776[2087,1130000] 113ns|--------------------------------------L0.1776--------------------------------------| "
- - "L0.1790[2087,1140000] 114ns|--------------------------------------L0.1790---------------------------------------| "
- - "L0.1804[2087,1150000] 115ns|--------------------------------------L0.1804---------------------------------------| "
- - "L0.1818[2087,1160000] 116ns|---------------------------------------L0.1818---------------------------------------| "
- - "L0.1832[2087,1170000] 117ns|---------------------------------------L0.1832----------------------------------------| "
- - "L0.1846[2087,1180000] 118ns|----------------------------------------L0.1846----------------------------------------| "
- - "L0.1860[2087,1190000] 119ns|----------------------------------------L0.1860-----------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 200b total:"
- - "L0, all files 200b "
- - "L0.?[2087,1190000] 119ns |------------------------------------------L0.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 20 files: L0.1594, L0.1608, L0.1622, L0.1636, L0.1650, L0.1664, L0.1678, L0.1692, L0.1706, L0.1720, L0.1734, L0.1748, L0.1762, L0.1776, L0.1790, L0.1804, L0.1818, L0.1832, L0.1846, L0.1860"
- - " Creating 1 files"
- - "**** Simulation run 334, type=compact(ManySmallFiles). 20 Input Files, 200b total:"
- - "L0, all files 10b "
- - "L0.1874[2087,1200000] 120ns|----------------------------------L0.1874----------------------------------| "
- - "L0.1888[2087,1210000] 121ns|----------------------------------L0.1888-----------------------------------| "
- - "L0.1902[2087,1220000] 122ns|----------------------------------L0.1902-----------------------------------| "
- - "L0.1916[2087,1230000] 123ns|-----------------------------------L0.1916-----------------------------------| "
- - "L0.1930[2087,1240000] 124ns|-----------------------------------L0.1930------------------------------------| "
- - "L0.1944[2087,1250000] 125ns|-----------------------------------L0.1944------------------------------------| "
- - "L0.1958[2087,1260000] 126ns|------------------------------------L0.1958------------------------------------| "
- - "L0.1972[2087,1270000] 127ns|------------------------------------L0.1972-------------------------------------| "
- - "L0.1986[2087,1280000] 128ns|------------------------------------L0.1986-------------------------------------| "
- - "L0.2000[2087,1290000] 129ns|-------------------------------------L0.2000-------------------------------------| "
- - "L0.2014[2087,1300000] 130ns|-------------------------------------L0.2014--------------------------------------| "
- - "L0.2028[2087,1310000] 131ns|-------------------------------------L0.2028--------------------------------------| "
- - "L0.2042[2087,1320000] 132ns|--------------------------------------L0.2042--------------------------------------| "
- - "L0.2056[2087,1330000] 133ns|--------------------------------------L0.2056---------------------------------------| "
- - "L0.2070[2087,1340000] 134ns|--------------------------------------L0.2070---------------------------------------| "
- - "L0.2196[2087,1350000] 135ns|---------------------------------------L0.2196---------------------------------------| "
- - "L0.2210[2087,1360000] 136ns|---------------------------------------L0.2210----------------------------------------| "
- - "L0.2084[2087,1370000] 137ns|---------------------------------------L0.2084----------------------------------------| "
- - "L0.2098[2087,1380000] 138ns|----------------------------------------L0.2098----------------------------------------| "
- - "L0.2112[2087,1390000] 139ns|----------------------------------------L0.2112-----------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 200b total:"
- - "L0, all files 200b "
- - "L0.?[2087,1390000] 139ns |------------------------------------------L0.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 20 files: L0.1874, L0.1888, L0.1902, L0.1916, L0.1930, L0.1944, L0.1958, L0.1972, L0.1986, L0.2000, L0.2014, L0.2028, L0.2042, L0.2056, L0.2070, L0.2084, L0.2098, L0.2112, L0.2196, L0.2210"
- - " Creating 1 files"
- - "**** Simulation run 335, type=compact(ManySmallFiles). 20 Input Files, 200b total:"
- - "L0, all files 10b "
- - "L0.2126[2087,1400000] 140ns|-----------------------------------L0.2126-----------------------------------| "
- - "L0.2140[2087,1410000] 141ns|-----------------------------------L0.2140-----------------------------------| "
- - "L0.2154[2087,1420000] 142ns|-----------------------------------L0.2154------------------------------------| "
- - "L0.2168[2087,1430000] 143ns|-----------------------------------L0.2168------------------------------------| "
- - "L0.2182[2087,1440000] 144ns|------------------------------------L0.2182------------------------------------| "
- - "L0.2224[2087,1450000] 145ns|------------------------------------L0.2224-------------------------------------| "
- - "L0.2238[2087,1460000] 146ns|------------------------------------L0.2238-------------------------------------| "
- - "L0.2252[2087,1470000] 147ns|-------------------------------------L0.2252-------------------------------------| "
- - "L0.2266[2087,1480000] 148ns|-------------------------------------L0.2266-------------------------------------| "
- - "L0.2280[2087,1490000] 149ns|-------------------------------------L0.2280--------------------------------------| "
- - "L0.2294[2087,1500000] 150ns|-------------------------------------L0.2294--------------------------------------| "
- - "L0.2308[2087,1510000] 151ns|--------------------------------------L0.2308--------------------------------------| "
- - "L0.2322[2087,1520000] 152ns|--------------------------------------L0.2322---------------------------------------| "
- - "L0.2336[2087,1530000] 153ns|--------------------------------------L0.2336---------------------------------------| "
- - "L0.2350[2087,1540000] 154ns|---------------------------------------L0.2350---------------------------------------| "
- - "L0.2364[2087,1550000] 155ns|---------------------------------------L0.2364---------------------------------------| "
- - "L0.2378[2087,1560000] 156ns|---------------------------------------L0.2378----------------------------------------| "
- - "L0.2392[2087,1570000] 157ns|---------------------------------------L0.2392----------------------------------------| "
- - "L0.2406[2087,1580000] 158ns|----------------------------------------L0.2406----------------------------------------| "
- - "L0.2420[2087,1590000] 159ns|----------------------------------------L0.2420-----------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 200b total:"
- - "L0, all files 200b "
- - "L0.?[2087,1590000] 159ns |------------------------------------------L0.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 20 files: L0.2126, L0.2140, L0.2154, L0.2168, L0.2182, L0.2224, L0.2238, L0.2252, L0.2266, L0.2280, L0.2294, L0.2308, L0.2322, L0.2336, L0.2350, L0.2364, L0.2378, L0.2392, L0.2406, L0.2420"
- - " Creating 1 files"
- - "**** Simulation run 336, type=compact(ManySmallFiles). 20 Input Files, 200b total:"
- - "L0, all files 10b "
- - "L0.2434[2087,1600000] 160ns|-----------------------------------L0.2434------------------------------------| "
- - "L0.2448[2087,1610000] 161ns|-----------------------------------L0.2448------------------------------------| "
- - "L0.2461[2087,1620000] 162ns|------------------------------------L0.2461------------------------------------| "
- - "L0.2474[2087,1630000] 163ns|------------------------------------L0.2474------------------------------------| "
- - "L0.2487[2087,1640000] 164ns|------------------------------------L0.2487-------------------------------------| "
- - "L0.2500[2087,1650000] 165ns|------------------------------------L0.2500-------------------------------------| "
- - "L0.2513[2087,1660000] 166ns|-------------------------------------L0.2513-------------------------------------| "
- - "L0.2526[2087,1670000] 167ns|-------------------------------------L0.2526-------------------------------------| "
- - "L0.2539[2087,1680000] 168ns|-------------------------------------L0.2539--------------------------------------| "
- - "L0.2552[2087,1690000] 169ns|-------------------------------------L0.2552--------------------------------------| "
- - "L0.2565[2087,1700000] 170ns|--------------------------------------L0.2565--------------------------------------| "
- - "L0.2578[2087,1710000] 171ns|--------------------------------------L0.2578--------------------------------------| "
- - "L0.2591[2087,1720000] 172ns|--------------------------------------L0.2591---------------------------------------| "
- - "L0.2604[2087,1730000] 173ns|--------------------------------------L0.2604---------------------------------------| "
- - "L0.2617[2087,1740000] 174ns|---------------------------------------L0.2617---------------------------------------| "
- - "L0.2630[2087,1750000] 175ns|---------------------------------------L0.2630---------------------------------------| "
- - "L0.2643[2087,1760000] 176ns|---------------------------------------L0.2643----------------------------------------| "
- - "L0.2656[2087,1770000] 177ns|---------------------------------------L0.2656----------------------------------------| "
- - "L0.2669[2087,1780000] 178ns|----------------------------------------L0.2669----------------------------------------| "
- - "L0.2682[2087,1790000] 179ns|----------------------------------------L0.2682-----------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 200b total:"
- - "L0, all files 200b "
- - "L0.?[2087,1790000] 179ns |------------------------------------------L0.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 20 files: L0.2434, L0.2448, L0.2461, L0.2474, L0.2487, L0.2500, L0.2513, L0.2526, L0.2539, L0.2552, L0.2565, L0.2578, L0.2591, L0.2604, L0.2617, L0.2630, L0.2643, L0.2656, L0.2669, L0.2682"
- - " Creating 1 files"
- - "**** Simulation run 337, type=compact(ManySmallFiles). 20 Input Files, 200b total:"
- - "L0, all files 10b "
- - "L0.2695[2087,1800000] 180ns|------------------------------------L0.2695------------------------------------| "
- - "L0.2708[2087,1810000] 181ns|------------------------------------L0.2708------------------------------------| "
- - "L0.2721[2087,1820000] 182ns|------------------------------------L0.2721-------------------------------------| "
- - "L0.2734[2087,1830000] 183ns|------------------------------------L0.2734-------------------------------------| "
- - "L0.2747[2087,1840000] 184ns|-------------------------------------L0.2747-------------------------------------| "
- - "L0.2760[2087,1850000] 185ns|-------------------------------------L0.2760-------------------------------------| "
- - "L0.2773[2087,1860000] 186ns|-------------------------------------L0.2773--------------------------------------| "
- - "L0.2786[2087,1870000] 187ns|-------------------------------------L0.2786--------------------------------------| "
- - "L0.2799[2087,1880000] 188ns|--------------------------------------L0.2799--------------------------------------| "
- - "L0.2812[2087,1890000] 189ns|--------------------------------------L0.2812--------------------------------------| "
- - "L0.2825[2087,1900000] 190ns|--------------------------------------L0.2825--------------------------------------| "
- - "L0.2838[2087,1910000] 191ns|--------------------------------------L0.2838---------------------------------------| "
- - "L0.2851[2087,1920000] 192ns|--------------------------------------L0.2851---------------------------------------| "
- - "L0.2864[2087,1930000] 193ns|---------------------------------------L0.2864---------------------------------------| "
- - "L0.2877[2087,1940000] 194ns|---------------------------------------L0.2877---------------------------------------| "
- - "L0.2890[2087,1950000] 195ns|---------------------------------------L0.2890----------------------------------------| "
- - "L0.2903[2087,1960000] 196ns|---------------------------------------L0.2903----------------------------------------| "
- - "L0.2916[2087,1970000] 197ns|----------------------------------------L0.2916----------------------------------------| "
- - "L0.2929[2087,1980000] 198ns|----------------------------------------L0.2929----------------------------------------| "
- - "L0.2942[2087,1990000] 199ns|----------------------------------------L0.2942-----------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 200b total:"
- - "L0, all files 200b "
- - "L0.?[2087,1990000] 199ns |------------------------------------------L0.?------------------------------------------|"
+ - "L0.?[1922,2086] 191ns |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- - " Soft Deleting 20 files: L0.2695, L0.2708, L0.2721, L0.2734, L0.2747, L0.2760, L0.2773, L0.2786, L0.2799, L0.2812, L0.2825, L0.2838, L0.2851, L0.2864, L0.2877, L0.2890, L0.2903, L0.2916, L0.2929, L0.2942"
+ - " Soft Deleting 20 files: L0.2603, L0.2616, L0.2629, L0.2642, L0.2655, L0.2668, L0.2681, L0.2694, L0.2707, L0.2720, L0.2733, L0.2746, L0.2759, L0.2772, L0.2785, L0.2798, L0.2811, L0.2824, L0.2837, L0.3068"
- " Creating 1 files"
- - "**** Simulation run 338, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[101]). 1 Input Files, 161mb total:"
- - "L0, all files 161mb "
- - "L0.2943[1,161] 19ns |----------------------------------------L0.2943-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 161mb total:"
+ - "**** Simulation run 338, type=compact(TotalSizeLessThanMaxCompactSize). 9 Input Files, 2kb total:"
+ - "L0 "
+ - "L0.2942[2087,1990000] 199ns 10b|----------------------------------------L0.2942-----------------------------------------|"
+ - "L0.2929[2087,1980000] 198ns 10b|----------------------------------------L0.2929----------------------------------------| "
+ - "L0.2916[2087,1970000] 197ns 10b|----------------------------------------L0.2916----------------------------------------| "
+ - "L0.2903[2087,1960000] 196ns 10b|---------------------------------------L0.2903----------------------------------------| "
+ - "L0.2890[2087,1950000] 195ns 10b|---------------------------------------L0.2890----------------------------------------| "
+ - "L0.2877[2087,1940000] 194ns 10b|---------------------------------------L0.2877---------------------------------------| "
+ - "L0.2864[2087,1930000] 193ns 10b|---------------------------------------L0.2864---------------------------------------| "
+ - "L0.2851[2087,1920000] 192ns 10b|--------------------------------------L0.2851---------------------------------------| "
+ - "L0.3069[2087,1910000] 191ns 2kb|--------------------------------------L0.3069---------------------------------------| "
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 2kb total:"
+ - "L1, all files 2kb "
+ - "L1.?[2087,1990000] 199ns |------------------------------------------L1.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 9 files: L0.2851, L0.2864, L0.2877, L0.2890, L0.2903, L0.2916, L0.2929, L0.2942, L0.3069"
+ - " Creating 1 files"
+ - "**** Simulation run 339, type=split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))(split_times=[582]). 10 Input Files, 160mb total:"
+ - "L0 "
+ - "L0.2932[482,641] 199ns 0b|----------------------------------------L0.2932-----------------------------------------|"
+ - "L0.2919[482,641] 198ns 0b|----------------------------------------L0.2919-----------------------------------------|"
+ - "L0.2906[482,641] 197ns 0b|----------------------------------------L0.2906-----------------------------------------|"
+ - "L0.2893[482,641] 196ns 0b|----------------------------------------L0.2893-----------------------------------------|"
+ - "L0.2880[482,641] 195ns 0b|----------------------------------------L0.2880-----------------------------------------|"
+ - "L0.2867[482,641] 194ns 0b|----------------------------------------L0.2867-----------------------------------------|"
+ - "L0.2854[482,641] 193ns 0b|----------------------------------------L0.2854-----------------------------------------|"
+ - "L0.2841[482,641] 192ns 0b|----------------------------------------L0.2841-----------------------------------------|"
+ - "L0.2946[482,641] 19ns 160mb|----------------------------------------L0.2946-----------------------------------------|"
+ - "L0.3072[482,641] 191ns 0b|----------------------------------------L0.3072-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 160mb total:"
- "L1 "
- - "L1.?[1,101] 19ns 101mb |-------------------------L1.?-------------------------| "
- - "L1.?[102,161] 19ns 60mb |-------------L1.?--------------| "
+ - "L1.?[482,582] 199ns 101mb|-------------------------L1.?-------------------------| "
+ - "L1.?[583,641] 199ns 59mb |-------------L1.?-------------| "
- "Committing partition 1:"
- - " Soft Deleting 1 files: L0.2943"
+ - " Soft Deleting 10 files: L0.2841, L0.2854, L0.2867, L0.2880, L0.2893, L0.2906, L0.2919, L0.2932, L0.2946, L0.3072"
- " Creating 2 files"
- - "**** Simulation run 339, type=compact(ManySmallFiles). 10 Input Files, 160mb total:"
- - "L0 "
- - "L0.2960[322,481] 19ns 160mb|----------------------------------------L0.2960-----------------------------------------|"
- - "L0.2961[322,481] 39ns 0b |----------------------------------------L0.2961-----------------------------------------|"
- - "L0.2964[322,481] 59ns 0b |----------------------------------------L0.2964-----------------------------------------|"
- - "L0.2965[322,481] 79ns 0b |----------------------------------------L0.2965-----------------------------------------|"
- - "L0.2966[322,481] 99ns 0b |----------------------------------------L0.2966-----------------------------------------|"
- - "L0.2967[322,481] 119ns 0b|----------------------------------------L0.2967-----------------------------------------|"
- - "L0.2968[322,481] 139ns 0b|----------------------------------------L0.2968-----------------------------------------|"
- - "L0.2969[322,481] 159ns 0b|----------------------------------------L0.2969-----------------------------------------|"
- - "L0.2970[322,481] 179ns 0b|----------------------------------------L0.2970-----------------------------------------|"
- - "L0.2971[322,481] 199ns 0b|----------------------------------------L0.2971-----------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 160mb total:"
- - "L0, all files 160mb "
- - "L0.?[322,481] 199ns |------------------------------------------L0.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 10 files: L0.2960, L0.2961, L0.2964, L0.2965, L0.2966, L0.2967, L0.2968, L0.2969, L0.2970, L0.2971"
- - " Creating 1 files"
- - "**** Simulation run 340, type=compact(ManySmallFiles). 10 Input Files, 160mb total:"
- - "L0 "
- - "L0.2972[482,641] 19ns 160mb|----------------------------------------L0.2972-----------------------------------------|"
- - "L0.2973[482,641] 39ns 0b |----------------------------------------L0.2973-----------------------------------------|"
- - "L0.2974[482,641] 59ns 0b |----------------------------------------L0.2974-----------------------------------------|"
- - "L0.2975[482,641] 79ns 0b |----------------------------------------L0.2975-----------------------------------------|"
- - "L0.2976[482,641] 99ns 0b |----------------------------------------L0.2976-----------------------------------------|"
- - "L0.2977[482,641] 119ns 0b|----------------------------------------L0.2977-----------------------------------------|"
- - "L0.2978[482,641] 139ns 0b|----------------------------------------L0.2978-----------------------------------------|"
- - "L0.2987[482,641] 159ns 0b|----------------------------------------L0.2987-----------------------------------------|"
- - "L0.2988[482,641] 179ns 0b|----------------------------------------L0.2988-----------------------------------------|"
- - "L0.2979[482,641] 199ns 0b|----------------------------------------L0.2979-----------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 160mb total:"
- - "L0, all files 160mb "
- - "L0.?[482,641] 199ns |------------------------------------------L0.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 10 files: L0.2972, L0.2973, L0.2974, L0.2975, L0.2976, L0.2977, L0.2978, L0.2979, L0.2987, L0.2988"
- - " Creating 1 files"
- - "**** Simulation run 341, type=compact(ManySmallFiles). 10 Input Files, 160mb total:"
- - "L0 "
- - "L0.2980[642,801] 19ns 160mb|----------------------------------------L0.2980-----------------------------------------|"
- - "L0.2981[642,801] 39ns 0b |----------------------------------------L0.2981-----------------------------------------|"
- - "L0.2982[642,801] 59ns 0b |----------------------------------------L0.2982-----------------------------------------|"
- - "L0.2983[642,801] 79ns 0b |----------------------------------------L0.2983-----------------------------------------|"
- - "L0.2984[642,801] 99ns 0b |----------------------------------------L0.2984-----------------------------------------|"
- - "L0.2985[642,801] 119ns 0b|----------------------------------------L0.2985-----------------------------------------|"
- - "L0.2986[642,801] 139ns 0b|----------------------------------------L0.2986-----------------------------------------|"
- - "L0.2989[642,801] 159ns 0b|----------------------------------------L0.2989-----------------------------------------|"
- - "L0.2990[642,801] 179ns 0b|----------------------------------------L0.2990-----------------------------------------|"
- - "L0.2991[642,801] 199ns 0b|----------------------------------------L0.2991-----------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 160mb total:"
- - "L0, all files 160mb "
- - "L0.?[642,801] 199ns |------------------------------------------L0.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 10 files: L0.2980, L0.2981, L0.2982, L0.2983, L0.2984, L0.2985, L0.2986, L0.2989, L0.2990, L0.2991"
- - " Creating 1 files"
- - "**** Simulation run 342, type=compact(ManySmallFiles). 10 Input Files, 160mb total:"
- - "L0 "
- - "L0.2992[802,961] 19ns 160mb|----------------------------------------L0.2992-----------------------------------------|"
- - "L0.2993[802,961] 39ns 0b |----------------------------------------L0.2993-----------------------------------------|"
- - "L0.2994[802,961] 59ns 0b |----------------------------------------L0.2994-----------------------------------------|"
- - "L0.2995[802,961] 79ns 0b |----------------------------------------L0.2995-----------------------------------------|"
- - "L0.2996[802,961] 99ns 0b |----------------------------------------L0.2996-----------------------------------------|"
- - "L0.2997[802,961] 119ns 0b|----------------------------------------L0.2997-----------------------------------------|"
- - "L0.2998[802,961] 139ns 0b|----------------------------------------L0.2998-----------------------------------------|"
- - "L0.2999[802,961] 159ns 0b|----------------------------------------L0.2999-----------------------------------------|"
- - "L0.3000[802,961] 179ns 0b|----------------------------------------L0.3000-----------------------------------------|"
- - "L0.3001[802,961] 199ns 0b|----------------------------------------L0.3001-----------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 160mb total:"
- - "L0, all files 160mb "
- - "L0.?[802,961] 199ns |------------------------------------------L0.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 10 files: L0.2992, L0.2993, L0.2994, L0.2995, L0.2996, L0.2997, L0.2998, L0.2999, L0.3000, L0.3001"
- - " Creating 1 files"
- - "**** Simulation run 343, type=compact(ManySmallFiles). 10 Input Files, 160mb total:"
- - "L0 "
- - "L0.3002[962,1121] 19ns 160mb|----------------------------------------L0.3002-----------------------------------------|"
- - "L0.3003[962,1121] 39ns 0b|----------------------------------------L0.3003-----------------------------------------|"
- - "L0.3004[962,1121] 59ns 0b|----------------------------------------L0.3004-----------------------------------------|"
- - "L0.3013[962,1121] 79ns 0b|----------------------------------------L0.3013-----------------------------------------|"
- - "L0.3014[962,1121] 99ns 0b|----------------------------------------L0.3014-----------------------------------------|"
- - "L0.3005[962,1121] 119ns 0b|----------------------------------------L0.3005-----------------------------------------|"
- - "L0.3006[962,1121] 139ns 0b|----------------------------------------L0.3006-----------------------------------------|"
- - "L0.3007[962,1121] 159ns 0b|----------------------------------------L0.3007-----------------------------------------|"
- - "L0.3008[962,1121] 179ns 0b|----------------------------------------L0.3008-----------------------------------------|"
- - "L0.3009[962,1121] 199ns 0b|----------------------------------------L0.3009-----------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 160mb total:"
- - "L0, all files 160mb "
- - "L0.?[962,1121] 199ns |------------------------------------------L0.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 10 files: L0.3002, L0.3003, L0.3004, L0.3005, L0.3006, L0.3007, L0.3008, L0.3009, L0.3013, L0.3014"
- - " Creating 1 files"
- - "**** Simulation run 344, type=compact(ManySmallFiles). 10 Input Files, 160mb total:"
- - "L0 "
- - "L0.3010[1122,1281] 19ns 160mb|----------------------------------------L0.3010-----------------------------------------|"
- - "L0.3011[1122,1281] 39ns 0b|----------------------------------------L0.3011-----------------------------------------|"
- - "L0.3012[1122,1281] 59ns 0b|----------------------------------------L0.3012-----------------------------------------|"
- - "L0.3015[1122,1281] 79ns 0b|----------------------------------------L0.3015-----------------------------------------|"
- - "L0.3016[1122,1281] 99ns 0b|----------------------------------------L0.3016-----------------------------------------|"
- - "L0.3017[1122,1281] 119ns 0b|----------------------------------------L0.3017-----------------------------------------|"
- - "L0.3018[1122,1281] 139ns 0b|----------------------------------------L0.3018-----------------------------------------|"
- - "L0.3019[1122,1281] 159ns 0b|----------------------------------------L0.3019-----------------------------------------|"
- - "L0.3020[1122,1281] 179ns 0b|----------------------------------------L0.3020-----------------------------------------|"
- - "L0.3021[1122,1281] 199ns 0b|----------------------------------------L0.3021-----------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 160mb total:"
- - "L0, all files 160mb "
- - "L0.?[1122,1281] 199ns |------------------------------------------L0.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 10 files: L0.3010, L0.3011, L0.3012, L0.3015, L0.3016, L0.3017, L0.3018, L0.3019, L0.3020, L0.3021"
- - " Creating 1 files"
- - "**** Simulation run 345, type=compact(ManySmallFiles). 10 Input Files, 160mb total:"
- - "L0 "
- - "L0.3022[1282,1441] 19ns 160mb|----------------------------------------L0.3022-----------------------------------------|"
- - "L0.3023[1282,1441] 39ns 0b|----------------------------------------L0.3023-----------------------------------------|"
- - "L0.3024[1282,1441] 59ns 0b|----------------------------------------L0.3024-----------------------------------------|"
- - "L0.3025[1282,1441] 79ns 0b|----------------------------------------L0.3025-----------------------------------------|"
- - "L0.3026[1282,1441] 99ns 0b|----------------------------------------L0.3026-----------------------------------------|"
- - "L0.3027[1282,1441] 119ns 0b|----------------------------------------L0.3027-----------------------------------------|"
- - "L0.3028[1282,1441] 139ns 0b|----------------------------------------L0.3028-----------------------------------------|"
- - "L0.3029[1282,1441] 159ns 0b|----------------------------------------L0.3029-----------------------------------------|"
- - "L0.3030[1282,1441] 179ns 0b|----------------------------------------L0.3030-----------------------------------------|"
- - "L0.3039[1282,1441] 199ns 0b|----------------------------------------L0.3039-----------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 160mb total:"
- - "L0, all files 160mb "
- - "L0.?[1282,1441] 199ns |------------------------------------------L0.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 10 files: L0.3022, L0.3023, L0.3024, L0.3025, L0.3026, L0.3027, L0.3028, L0.3029, L0.3030, L0.3039"
- - " Creating 1 files"
- - "**** Simulation run 346, type=compact(ManySmallFiles). 10 Input Files, 160mb total:"
- - "L0 "
- - "L0.3031[1442,1601] 19ns 160mb|----------------------------------------L0.3031-----------------------------------------|"
- - "L0.3032[1442,1601] 39ns 0b|----------------------------------------L0.3032-----------------------------------------|"
- - "L0.3033[1442,1601] 59ns 0b|----------------------------------------L0.3033-----------------------------------------|"
- - "L0.3034[1442,1601] 79ns 0b|----------------------------------------L0.3034-----------------------------------------|"
- - "L0.3035[1442,1601] 99ns 0b|----------------------------------------L0.3035-----------------------------------------|"
- - "L0.3036[1442,1601] 119ns 0b|----------------------------------------L0.3036-----------------------------------------|"
- - "L0.3037[1442,1601] 139ns 0b|----------------------------------------L0.3037-----------------------------------------|"
- - "L0.3038[1442,1601] 159ns 0b|----------------------------------------L0.3038-----------------------------------------|"
- - "L0.3040[1442,1601] 179ns 0b|----------------------------------------L0.3040-----------------------------------------|"
- - "L0.3041[1442,1601] 199ns 0b|----------------------------------------L0.3041-----------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 160mb total:"
- - "L0, all files 160mb "
- - "L0.?[1442,1601] 199ns |------------------------------------------L0.?------------------------------------------|"
+ - "**** Simulation run 340, type=split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))(split_times=[742]). 10 Input Files, 160mb total:"
+ - "L0 "
+ - "L0.2933[642,801] 199ns 0b|----------------------------------------L0.2933-----------------------------------------|"
+ - "L0.2920[642,801] 198ns 0b|----------------------------------------L0.2920-----------------------------------------|"
+ - "L0.2907[642,801] 197ns 0b|----------------------------------------L0.2907-----------------------------------------|"
+ - "L0.2894[642,801] 196ns 0b|----------------------------------------L0.2894-----------------------------------------|"
+ - "L0.2881[642,801] 195ns 0b|----------------------------------------L0.2881-----------------------------------------|"
+ - "L0.2868[642,801] 194ns 0b|----------------------------------------L0.2868-----------------------------------------|"
+ - "L0.2855[642,801] 193ns 0b|----------------------------------------L0.2855-----------------------------------------|"
+ - "L0.2842[642,801] 192ns 0b|----------------------------------------L0.2842-----------------------------------------|"
+ - "L0.2947[642,801] 19ns 160mb|----------------------------------------L0.2947-----------------------------------------|"
+ - "L0.3073[642,801] 191ns 0b|----------------------------------------L0.3073-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 160mb total:"
+ - "L1 "
+ - "L1.?[642,742] 199ns 101mb|-------------------------L1.?-------------------------| "
+ - "L1.?[743,801] 199ns 59mb |-------------L1.?-------------| "
- "Committing partition 1:"
- - " Soft Deleting 10 files: L0.3031, L0.3032, L0.3033, L0.3034, L0.3035, L0.3036, L0.3037, L0.3038, L0.3040, L0.3041"
- - " Creating 1 files"
- - "**** Simulation run 347, type=compact(ManySmallFiles). 8 Input Files, 0b total:"
- - "L0, all files 0b "
- - "L0.2944[20,161] 39ns |----------------------------------------L0.2944-----------------------------------------|"
- - "L0.2945[40,161] 59ns |----------------------------------L0.2945----------------------------------| "
- - "L0.2946[60,161] 79ns |---------------------------L0.2946----------------------------| "
- - "L0.2947[80,161] 99ns |---------------------L0.2947---------------------| "
- - "L0.2948[100,161] 119ns |--------------L0.2948---------------| "
- - "L0.2949[120,161] 139ns |--------L0.2949---------| "
- - "L0.2950[140,161] 159ns |--L0.2950--| "
- - "L0.2951[160,161] 161ns |L0.2951|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 0b total:"
- - "L0, all files 0b "
- - "L0.?[20,161] 161ns |------------------------------------------L0.?------------------------------------------|"
+ - " Soft Deleting 10 files: L0.2842, L0.2855, L0.2868, L0.2881, L0.2894, L0.2907, L0.2920, L0.2933, L0.2947, L0.3073"
+ - " Creating 2 files"
+ - "**** Simulation run 341, type=split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))(split_times=[902]). 10 Input Files, 160mb total:"
+ - "L0 "
+ - "L0.2934[802,961] 199ns 0b|----------------------------------------L0.2934-----------------------------------------|"
+ - "L0.2921[802,961] 198ns 0b|----------------------------------------L0.2921-----------------------------------------|"
+ - "L0.2908[802,961] 197ns 0b|----------------------------------------L0.2908-----------------------------------------|"
+ - "L0.2895[802,961] 196ns 0b|----------------------------------------L0.2895-----------------------------------------|"
+ - "L0.2882[802,961] 195ns 0b|----------------------------------------L0.2882-----------------------------------------|"
+ - "L0.2869[802,961] 194ns 0b|----------------------------------------L0.2869-----------------------------------------|"
+ - "L0.2856[802,961] 193ns 0b|----------------------------------------L0.2856-----------------------------------------|"
+ - "L0.2843[802,961] 192ns 0b|----------------------------------------L0.2843-----------------------------------------|"
+ - "L0.2948[802,961] 19ns 160mb|----------------------------------------L0.2948-----------------------------------------|"
+ - "L0.3074[802,961] 191ns 0b|----------------------------------------L0.3074-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 160mb total:"
+ - "L1 "
+ - "L1.?[802,902] 199ns 101mb|-------------------------L1.?-------------------------| "
+ - "L1.?[903,961] 199ns 59mb |-------------L1.?-------------| "
- "Committing partition 1:"
- - " Soft Deleting 8 files: L0.2944, L0.2945, L0.2946, L0.2947, L0.2948, L0.2949, L0.2950, L0.2951"
- - " Creating 1 files"
- - "**** Simulation run 348, type=compact(ManySmallFiles). 10 Input Files, 160mb total:"
- - "L0 "
- - "L0.2952[162,321] 19ns 160mb|----------------------------------------L0.2952-----------------------------------------|"
- - "L0.2953[162,321] 39ns 0b |----------------------------------------L0.2953-----------------------------------------|"
- - "L0.2962[162,321] 59ns 0b |----------------------------------------L0.2962-----------------------------------------|"
- - "L0.2963[162,321] 79ns 0b |----------------------------------------L0.2963-----------------------------------------|"
- - "L0.2954[162,321] 99ns 0b |----------------------------------------L0.2954-----------------------------------------|"
- - "L0.2955[162,321] 119ns 0b|----------------------------------------L0.2955-----------------------------------------|"
- - "L0.2956[162,321] 139ns 0b|----------------------------------------L0.2956-----------------------------------------|"
- - "L0.2957[162,321] 159ns 0b|----------------------------------------L0.2957-----------------------------------------|"
- - "L0.2958[162,321] 179ns 0b|----------------------------------------L0.2958-----------------------------------------|"
- - "L0.2959[180,321] 199ns 0b |-----------------------------------L0.2959-----------------------------------| "
- - "**** 1 Output Files (parquet_file_id not yet assigned), 160mb total:"
- - "L0, all files 160mb "
- - "L0.?[162,321] 199ns |------------------------------------------L0.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 10 files: L0.2952, L0.2953, L0.2954, L0.2955, L0.2956, L0.2957, L0.2958, L0.2959, L0.2962, L0.2963"
- - " Creating 1 files"
- - "**** Simulation run 349, type=compact(ManySmallFiles). 10 Input Files, 160mb total:"
- - "L0 "
- - "L0.3042[1602,1761] 19ns 160mb|----------------------------------------L0.3042-----------------------------------------|"
- - "L0.3043[1602,1761] 39ns 0b|----------------------------------------L0.3043-----------------------------------------|"
- - "L0.3044[1602,1761] 59ns 0b|----------------------------------------L0.3044-----------------------------------------|"
- - "L0.3045[1602,1761] 79ns 0b|----------------------------------------L0.3045-----------------------------------------|"
- - "L0.3046[1602,1761] 99ns 0b|----------------------------------------L0.3046-----------------------------------------|"
- - "L0.3047[1602,1761] 119ns 0b|----------------------------------------L0.3047-----------------------------------------|"
- - "L0.3048[1602,1761] 139ns 0b|----------------------------------------L0.3048-----------------------------------------|"
- - "L0.3049[1602,1761] 159ns 0b|----------------------------------------L0.3049-----------------------------------------|"
- - "L0.3050[1602,1761] 179ns 0b|----------------------------------------L0.3050-----------------------------------------|"
- - "L0.3051[1602,1761] 199ns 0b|----------------------------------------L0.3051-----------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 160mb total:"
- - "L0, all files 160mb "
- - "L0.?[1602,1761] 199ns |------------------------------------------L0.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 10 files: L0.3042, L0.3043, L0.3044, L0.3045, L0.3046, L0.3047, L0.3048, L0.3049, L0.3050, L0.3051"
- - " Creating 1 files"
- - "**** Simulation run 350, type=compact(ManySmallFiles). 10 Input Files, 160mb total:"
- - "L0 "
- - "L0.3052[1762,1921] 19ns 160mb|----------------------------------------L0.3052-----------------------------------------|"
- - "L0.3053[1762,1921] 39ns 0b|----------------------------------------L0.3053-----------------------------------------|"
- - "L0.3054[1762,1921] 59ns 0b|----------------------------------------L0.3054-----------------------------------------|"
- - "L0.3055[1762,1921] 79ns 0b|----------------------------------------L0.3055-----------------------------------------|"
- - "L0.3064[1762,1921] 99ns 0b|----------------------------------------L0.3064-----------------------------------------|"
- - "L0.3065[1762,1921] 119ns 0b|----------------------------------------L0.3065-----------------------------------------|"
- - "L0.3056[1762,1921] 139ns 0b|----------------------------------------L0.3056-----------------------------------------|"
- - "L0.3057[1762,1921] 159ns 0b|----------------------------------------L0.3057-----------------------------------------|"
- - "L0.3058[1762,1921] 179ns 0b|----------------------------------------L0.3058-----------------------------------------|"
- - "L0.3059[1762,1921] 199ns 0b|----------------------------------------L0.3059-----------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 160mb total:"
- - "L0, all files 160mb "
- - "L0.?[1762,1921] 199ns |------------------------------------------L0.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 10 files: L0.3052, L0.3053, L0.3054, L0.3055, L0.3056, L0.3057, L0.3058, L0.3059, L0.3064, L0.3065"
- - " Creating 1 files"
- - "**** Simulation run 351, type=compact(ManySmallFiles). 10 Input Files, 79mb total:"
- - "L0 "
- - "L0.3060[1922,2000] 19ns 79mb|----------------L0.3060-----------------| "
- - "L0.3061[1922,2086] 39ns 0b|----------------------------------------L0.3061-----------------------------------------|"
- - "L0.3062[1922,2086] 59ns 0b|----------------------------------------L0.3062-----------------------------------------|"
- - "L0.3063[1922,2086] 79ns 0b|----------------------------------------L0.3063-----------------------------------------|"
- - "L0.3066[1922,2086] 99ns 0b|----------------------------------------L0.3066-----------------------------------------|"
- - "L0.3067[1922,2086] 119ns 0b|----------------------------------------L0.3067-----------------------------------------|"
- - "L0.3068[1922,2086] 139ns 0b|----------------------------------------L0.3068-----------------------------------------|"
- - "L0.3069[1922,2086] 159ns 0b|----------------------------------------L0.3069-----------------------------------------|"
- - "L0.3070[1922,2086] 179ns 0b|----------------------------------------L0.3070-----------------------------------------|"
- - "L0.3071[1922,2086] 199ns 0b|----------------------------------------L0.3071-----------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 79mb total:"
- - "L0, all files 79mb "
- - "L0.?[1922,2086] 199ns |------------------------------------------L0.?------------------------------------------|"
+ - " Soft Deleting 10 files: L0.2843, L0.2856, L0.2869, L0.2882, L0.2895, L0.2908, L0.2921, L0.2934, L0.2948, L0.3074"
+ - " Creating 2 files"
+ - "**** Simulation run 342, type=split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))(split_times=[1062]). 10 Input Files, 160mb total:"
+ - "L0 "
+ - "L0.2935[962,1121] 199ns 0b|----------------------------------------L0.2935-----------------------------------------|"
+ - "L0.2922[962,1121] 198ns 0b|----------------------------------------L0.2922-----------------------------------------|"
+ - "L0.2909[962,1121] 197ns 0b|----------------------------------------L0.2909-----------------------------------------|"
+ - "L0.2896[962,1121] 196ns 0b|----------------------------------------L0.2896-----------------------------------------|"
+ - "L0.2883[962,1121] 195ns 0b|----------------------------------------L0.2883-----------------------------------------|"
+ - "L0.2870[962,1121] 194ns 0b|----------------------------------------L0.2870-----------------------------------------|"
+ - "L0.2857[962,1121] 193ns 0b|----------------------------------------L0.2857-----------------------------------------|"
+ - "L0.2844[962,1121] 192ns 0b|----------------------------------------L0.2844-----------------------------------------|"
+ - "L0.2949[962,1121] 19ns 160mb|----------------------------------------L0.2949-----------------------------------------|"
+ - "L0.3075[962,1121] 191ns 0b|----------------------------------------L0.3075-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 160mb total:"
+ - "L1 "
+ - "L1.?[962,1062] 199ns 101mb|-------------------------L1.?-------------------------| "
+ - "L1.?[1063,1121] 199ns 59mb |-------------L1.?-------------| "
- "Committing partition 1:"
- - " Soft Deleting 10 files: L0.3060, L0.3061, L0.3062, L0.3063, L0.3066, L0.3067, L0.3068, L0.3069, L0.3070, L0.3071"
- - " Creating 1 files"
- - "**** Simulation run 352, type=compact(ManySmallFiles). 9 Input Files, 2kb total:"
- - "L0, all files 200b "
- - "L0.3072[2087,390000] 39ns|----L0.3072----| "
- - "L0.3073[2087,590000] 59ns|--------L0.3073---------| "
- - "L0.3074[2087,790000] 79ns|-------------L0.3074-------------| "
- - "L0.3075[2087,990000] 99ns|-----------------L0.3075------------------| "
- - "L0.3076[2087,1190000] 119ns|----------------------L0.3076----------------------| "
- - "L0.3077[2087,1390000] 139ns|--------------------------L0.3077---------------------------| "
- - "L0.3078[2087,1590000] 159ns|-------------------------------L0.3078-------------------------------| "
- - "L0.3079[2087,1790000] 179ns|-----------------------------------L0.3079------------------------------------| "
- - "L0.3080[2087,1990000] 199ns|----------------------------------------L0.3080-----------------------------------------|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 2kb total:"
- - "L0, all files 2kb "
- - "L0.?[2087,1990000] 199ns |------------------------------------------L0.?------------------------------------------|"
+ - " Soft Deleting 10 files: L0.2844, L0.2857, L0.2870, L0.2883, L0.2896, L0.2909, L0.2922, L0.2935, L0.2949, L0.3075"
+ - " Creating 2 files"
+ - "**** Simulation run 343, type=split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))(split_times=[1222]). 10 Input Files, 160mb total:"
+ - "L0 "
+ - "L0.2936[1122,1281] 199ns 0b|----------------------------------------L0.2936-----------------------------------------|"
+ - "L0.2923[1122,1281] 198ns 0b|----------------------------------------L0.2923-----------------------------------------|"
+ - "L0.2910[1122,1281] 197ns 0b|----------------------------------------L0.2910-----------------------------------------|"
+ - "L0.2897[1122,1281] 196ns 0b|----------------------------------------L0.2897-----------------------------------------|"
+ - "L0.2884[1122,1281] 195ns 0b|----------------------------------------L0.2884-----------------------------------------|"
+ - "L0.2871[1122,1281] 194ns 0b|----------------------------------------L0.2871-----------------------------------------|"
+ - "L0.2858[1122,1281] 193ns 0b|----------------------------------------L0.2858-----------------------------------------|"
+ - "L0.2845[1122,1281] 192ns 0b|----------------------------------------L0.2845-----------------------------------------|"
+ - "L0.2950[1122,1281] 19ns 160mb|----------------------------------------L0.2950-----------------------------------------|"
+ - "L0.3076[1122,1281] 191ns 0b|----------------------------------------L0.3076-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 160mb total:"
+ - "L1 "
+ - "L1.?[1122,1222] 199ns 101mb|-------------------------L1.?-------------------------| "
+ - "L1.?[1223,1281] 199ns 59mb |-------------L1.?-------------| "
- "Committing partition 1:"
- - " Soft Deleting 9 files: L0.3072, L0.3073, L0.3074, L0.3075, L0.3076, L0.3077, L0.3078, L0.3079, L0.3080"
- - " Creating 1 files"
- - "**** Simulation run 353, type=split(ReduceOverlap)(split_times=[101]). 1 Input Files, 0b total:"
- - "L0, all files 0b "
- - "L0.3091[20,161] 161ns |----------------------------------------L0.3091-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 0b total:"
- - "L0, all files 0b "
- - "L0.?[20,101] 161ns |----------------------L0.?-----------------------| "
- - "L0.?[102,161] 161ns |---------------L0.?----------------| "
+ - " Soft Deleting 10 files: L0.2845, L0.2858, L0.2871, L0.2884, L0.2897, L0.2910, L0.2923, L0.2936, L0.2950, L0.3076"
+ - " Creating 2 files"
+ - "**** Simulation run 344, type=split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))(split_times=[1382]). 10 Input Files, 160mb total:"
+ - "L0 "
+ - "L0.2937[1282,1441] 199ns 0b|----------------------------------------L0.2937-----------------------------------------|"
+ - "L0.2924[1282,1441] 198ns 0b|----------------------------------------L0.2924-----------------------------------------|"
+ - "L0.2911[1282,1441] 197ns 0b|----------------------------------------L0.2911-----------------------------------------|"
+ - "L0.2898[1282,1441] 196ns 0b|----------------------------------------L0.2898-----------------------------------------|"
+ - "L0.2885[1282,1441] 195ns 0b|----------------------------------------L0.2885-----------------------------------------|"
+ - "L0.2872[1282,1441] 194ns 0b|----------------------------------------L0.2872-----------------------------------------|"
+ - "L0.2859[1282,1441] 193ns 0b|----------------------------------------L0.2859-----------------------------------------|"
+ - "L0.2846[1282,1441] 192ns 0b|----------------------------------------L0.2846-----------------------------------------|"
+ - "L0.2951[1282,1441] 19ns 160mb|----------------------------------------L0.2951-----------------------------------------|"
+ - "L0.3077[1282,1441] 191ns 0b|----------------------------------------L0.3077-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 160mb total:"
+ - "L1 "
+ - "L1.?[1282,1382] 199ns 101mb|-------------------------L1.?-------------------------| "
+ - "L1.?[1383,1441] 199ns 59mb |-------------L1.?-------------| "
- "Committing partition 1:"
- - " Soft Deleting 1 files: L0.3091"
+ - " Soft Deleting 10 files: L0.2846, L0.2859, L0.2872, L0.2885, L0.2898, L0.2911, L0.2924, L0.2937, L0.2951, L0.3077"
- " Creating 2 files"
- - "**** Simulation run 354, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[101]). 4 Input Files, 161mb total:"
- - "L0 "
- - "L0.3097[20,101] 161ns 0b |------------------L0.3097------------------| "
- - "L0.3098[102,161] 161ns 0b |------------L0.3098------------| "
+ - "**** Simulation run 345, type=split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))(split_times=[1542]). 10 Input Files, 160mb total:"
+ - "L0 "
+ - "L0.2938[1442,1601] 199ns 0b|----------------------------------------L0.2938-----------------------------------------|"
+ - "L0.2925[1442,1601] 198ns 0b|----------------------------------------L0.2925-----------------------------------------|"
+ - "L0.2912[1442,1601] 197ns 0b|----------------------------------------L0.2912-----------------------------------------|"
+ - "L0.2899[1442,1601] 196ns 0b|----------------------------------------L0.2899-----------------------------------------|"
+ - "L0.2886[1442,1601] 195ns 0b|----------------------------------------L0.2886-----------------------------------------|"
+ - "L0.2873[1442,1601] 194ns 0b|----------------------------------------L0.2873-----------------------------------------|"
+ - "L0.2860[1442,1601] 193ns 0b|----------------------------------------L0.2860-----------------------------------------|"
+ - "L0.2847[1442,1601] 192ns 0b|----------------------------------------L0.2847-----------------------------------------|"
+ - "L0.2952[1442,1601] 19ns 160mb|----------------------------------------L0.2952-----------------------------------------|"
+ - "L0.3078[1442,1601] 191ns 0b|----------------------------------------L0.3078-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 160mb total:"
- "L1 "
- - "L1.3081[1,101] 19ns 101mb|-----------------------L1.3081------------------------| "
- - "L1.3082[102,161] 19ns 60mb |------------L1.3082------------| "
- - "**** 2 Output Files (parquet_file_id not yet assigned), 161mb total:"
+ - "L1.?[1442,1542] 199ns 101mb|-------------------------L1.?-------------------------| "
+ - "L1.?[1543,1601] 199ns 59mb |-------------L1.?-------------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 10 files: L0.2847, L0.2860, L0.2873, L0.2886, L0.2899, L0.2912, L0.2925, L0.2938, L0.2952, L0.3078"
+ - " Creating 2 files"
+ - "**** Simulation run 346, type=split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))(split_times=[1702]). 10 Input Files, 160mb total:"
+ - "L0 "
+ - "L0.2939[1602,1761] 199ns 0b|----------------------------------------L0.2939-----------------------------------------|"
+ - "L0.2926[1602,1761] 198ns 0b|----------------------------------------L0.2926-----------------------------------------|"
+ - "L0.2913[1602,1761] 197ns 0b|----------------------------------------L0.2913-----------------------------------------|"
+ - "L0.2900[1602,1761] 196ns 0b|----------------------------------------L0.2900-----------------------------------------|"
+ - "L0.2887[1602,1761] 195ns 0b|----------------------------------------L0.2887-----------------------------------------|"
+ - "L0.2874[1602,1761] 194ns 0b|----------------------------------------L0.2874-----------------------------------------|"
+ - "L0.2861[1602,1761] 193ns 0b|----------------------------------------L0.2861-----------------------------------------|"
+ - "L0.2848[1602,1761] 192ns 0b|----------------------------------------L0.2848-----------------------------------------|"
+ - "L0.2953[1602,1761] 19ns 160mb|----------------------------------------L0.2953-----------------------------------------|"
+ - "L0.3079[1602,1761] 191ns 0b|----------------------------------------L0.3079-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 160mb total:"
- "L1 "
- - "L1.?[1,101] 161ns 101mb |-------------------------L1.?-------------------------| "
- - "L1.?[102,161] 161ns 60mb |-------------L1.?--------------| "
+ - "L1.?[1602,1702] 199ns 101mb|-------------------------L1.?-------------------------| "
+ - "L1.?[1703,1761] 199ns 59mb |-------------L1.?-------------| "
- "Committing partition 1:"
- - " Soft Deleting 4 files: L1.3081, L1.3082, L0.3097, L0.3098"
+ - " Soft Deleting 10 files: L0.2848, L0.2861, L0.2874, L0.2887, L0.2900, L0.2913, L0.2926, L0.2939, L0.2953, L0.3079"
- " Creating 2 files"
- - "**** Simulation run 355, type=split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))(split_times=[1592384]). 2 Input Files, 79mb total:"
- - "L0 "
- - "L0.3096[2087,1990000] 199ns 2kb|----------------------------------------L0.3096----------------------------------------| "
- - "L0.3095[1922,2086] 199ns 79mb|L0.3095| "
- - "**** 2 Output Files (parquet_file_id not yet assigned), 79mb total:"
+ - "**** Simulation run 347, type=split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))(split_times=[262]). 10 Input Files, 160mb total:"
+ - "L0 "
+ - "L0.2930[199,321] 199ns 0b |------------------------------L0.2930------------------------------| "
+ - "L0.2917[198,321] 198ns 0b |------------------------------L0.2917------------------------------| "
+ - "L0.2904[197,321] 197ns 0b |------------------------------L0.2904-------------------------------| "
+ - "L0.2891[196,321] 196ns 0b |------------------------------L0.2891-------------------------------| "
+ - "L0.2878[195,321] 195ns 0b |-------------------------------L0.2878-------------------------------| "
+ - "L0.2865[194,321] 194ns 0b |-------------------------------L0.2865-------------------------------| "
+ - "L0.2852[193,321] 193ns 0b |-------------------------------L0.2852--------------------------------| "
+ - "L0.2839[192,321] 192ns 0b |--------------------------------L0.2839--------------------------------| "
+ - "L0.2944[162,321] 19ns 160mb|----------------------------------------L0.2944-----------------------------------------|"
+ - "L0.3070[162,321] 191ns 0b|----------------------------------------L0.3070-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 160mb total:"
- "L1 "
- - "L1.?[1922,1592384] 199ns 63mb|--------------------------------L1.?---------------------------------| "
- - "L1.?[1592385,1990000] 199ns 16mb |-----L1.?------| "
+ - "L1.?[162,262] 199ns 101mb|-------------------------L1.?-------------------------| "
+ - "L1.?[263,321] 199ns 59mb |-------------L1.?-------------| "
- "Committing partition 1:"
- - " Soft Deleting 2 files: L0.3095, L0.3096"
- - " Upgrading 11 files level to CompactionLevel::L1: L0.3083, L0.3084, L0.3085, L0.3086, L0.3087, L0.3088, L0.3089, L0.3090, L0.3092, L0.3093, L0.3094"
+ - " Soft Deleting 10 files: L0.2839, L0.2852, L0.2865, L0.2878, L0.2891, L0.2904, L0.2917, L0.2930, L0.2944, L0.3070"
- " Creating 2 files"
- - "**** Simulation run 356, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[202, 302]). 2 Input Files, 220mb total:"
+ - "**** Simulation run 348, type=split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))(split_times=[422]). 10 Input Files, 160mb total:"
+ - "L0 "
+ - "L0.2931[322,481] 199ns 0b|----------------------------------------L0.2931-----------------------------------------|"
+ - "L0.2918[322,481] 198ns 0b|----------------------------------------L0.2918-----------------------------------------|"
+ - "L0.2905[322,481] 197ns 0b|----------------------------------------L0.2905-----------------------------------------|"
+ - "L0.2892[322,481] 196ns 0b|----------------------------------------L0.2892-----------------------------------------|"
+ - "L0.2879[322,481] 195ns 0b|----------------------------------------L0.2879-----------------------------------------|"
+ - "L0.2866[322,481] 194ns 0b|----------------------------------------L0.2866-----------------------------------------|"
+ - "L0.2853[322,481] 193ns 0b|----------------------------------------L0.2853-----------------------------------------|"
+ - "L0.2840[322,481] 192ns 0b|----------------------------------------L0.2840-----------------------------------------|"
+ - "L0.2945[322,481] 19ns 160mb|----------------------------------------L0.2945-----------------------------------------|"
+ - "L0.3071[322,481] 191ns 0b|----------------------------------------L0.3071-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 160mb total:"
- "L1 "
- - "L1.3100[102,161] 161ns 60mb|-------L1.3100--------| "
- - "L1.3092[162,321] 199ns 160mb |----------------------------L1.3092----------------------------| "
- - "**** 3 Output Files (parquet_file_id not yet assigned), 220mb total:"
- - "L2 "
- - "L2.?[102,202] 199ns 101mb|-----------------L2.?------------------| "
- - "L2.?[203,302] 199ns 100mb |-----------------L2.?-----------------| "
- - "L2.?[303,321] 199ns 19mb |L2.?-| "
+ - "L1.?[322,422] 199ns 101mb|-------------------------L1.?-------------------------| "
+ - "L1.?[423,481] 199ns 59mb |-------------L1.?-------------| "
- "Committing partition 1:"
- - " Soft Deleting 2 files: L1.3092, L1.3100"
- - " Upgrading 1 files level to CompactionLevel::L2: L1.3099"
- - " Creating 3 files"
- - "**** Simulation run 357, type=split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))(split_times=[1592384]). 2 Input Files, 79mb total:"
+ - " Soft Deleting 10 files: L0.2840, L0.2853, L0.2866, L0.2879, L0.2892, L0.2905, L0.2918, L0.2931, L0.2945, L0.3071"
+ - " Creating 2 files"
+ - "**** Simulation run 349, type=split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))(split_times=[1862]). 10 Input Files, 160mb total:"
+ - "L0 "
+ - "L0.2940[1762,1921] 199ns 0b|----------------------------------------L0.2940-----------------------------------------|"
+ - "L0.2927[1762,1921] 198ns 0b|----------------------------------------L0.2927-----------------------------------------|"
+ - "L0.2914[1762,1921] 197ns 0b|----------------------------------------L0.2914-----------------------------------------|"
+ - "L0.2901[1762,1921] 196ns 0b|----------------------------------------L0.2901-----------------------------------------|"
+ - "L0.2888[1762,1921] 195ns 0b|----------------------------------------L0.2888-----------------------------------------|"
+ - "L0.2875[1762,1921] 194ns 0b|----------------------------------------L0.2875-----------------------------------------|"
+ - "L0.2862[1762,1921] 193ns 0b|----------------------------------------L0.2862-----------------------------------------|"
+ - "L0.2849[1762,1921] 192ns 0b|----------------------------------------L0.2849-----------------------------------------|"
+ - "L0.2955[1762,1921] 19ns 160mb|----------------------------------------L0.2955-----------------------------------------|"
+ - "L0.3080[1762,1921] 191ns 0b|----------------------------------------L0.3080-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 160mb total:"
- "L1 "
- - "L1.3102[1592385,1990000] 199ns 16mb |----L1.3102----| "
- - "L1.3101[1922,1592384] 199ns 63mb|-------------------------------L1.3101-------------------------------| "
+ - "L1.?[1762,1862] 199ns 101mb|-------------------------L1.?-------------------------| "
+ - "L1.?[1863,1921] 199ns 59mb |-------------L1.?-------------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 10 files: L0.2849, L0.2862, L0.2875, L0.2888, L0.2901, L0.2914, L0.2927, L0.2940, L0.2955, L0.3080"
+ - " Creating 2 files"
+ - "**** Simulation run 350, type=split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))(split_times=[2053]). 10 Input Files, 79mb total:"
+ - "L0 "
+ - "L0.2941[1922,2086] 199ns 0b|----------------------------------------L0.2941-----------------------------------------|"
+ - "L0.2928[1922,2086] 198ns 0b|----------------------------------------L0.2928-----------------------------------------|"
+ - "L0.2915[1922,2086] 197ns 0b|----------------------------------------L0.2915-----------------------------------------|"
+ - "L0.2902[1922,2086] 196ns 0b|----------------------------------------L0.2902-----------------------------------------|"
+ - "L0.2889[1922,2086] 195ns 0b|----------------------------------------L0.2889-----------------------------------------|"
+ - "L0.2876[1922,2086] 194ns 0b|----------------------------------------L0.2876-----------------------------------------|"
+ - "L0.2863[1922,2086] 193ns 0b|----------------------------------------L0.2863-----------------------------------------|"
+ - "L0.2850[1922,2086] 192ns 0b|----------------------------------------L0.2850-----------------------------------------|"
+ - "L0.2956[1922,2000] 19ns 79mb|----------------L0.2956-----------------| "
+ - "L0.3081[1922,2086] 191ns 0b|----------------------------------------L0.3081-----------------------------------------|"
- "**** 2 Output Files (parquet_file_id not yet assigned), 79mb total:"
- - "L2 "
- - "L2.?[1922,1592384] 199ns 63mb|--------------------------------L2.?---------------------------------| "
- - "L2.?[1592385,1990000] 199ns 16mb |-----L2.?------| "
+ - "L1 "
+ - "L1.?[1922,2053] 199ns 63mb|--------------------------------L1.?---------------------------------| "
+ - "L1.?[2054,2086] 199ns 16mb |-----L1.?------| "
- "Committing partition 1:"
- - " Soft Deleting 2 files: L1.3101, L1.3102"
- - " Upgrading 10 files level to CompactionLevel::L2: L1.3083, L1.3084, L1.3085, L1.3086, L1.3087, L1.3088, L1.3089, L1.3090, L1.3093, L1.3094"
+ - " Soft Deleting 10 files: L0.2850, L0.2863, L0.2876, L0.2889, L0.2902, L0.2915, L0.2928, L0.2941, L0.2956, L0.3081"
- " Creating 2 files"
- - "**** Final Output Files (6.39gb written)"
+ - "**** Simulation run 351, type=compact(TotalSizeLessThanMaxCompactSize). 2 Input Files, 16mb total:"
+ - "L1 "
+ - "L1.3106[2054,2086] 199ns 16mb|L1.3106| "
+ - "L1.3082[2087,1990000] 199ns 2kb|----------------------------------------L1.3082----------------------------------------| "
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 16mb total:"
+ - "L2, all files 16mb "
+ - "L2.?[2054,1990000] 199ns |------------------------------------------L2.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 2 files: L1.3082, L1.3106"
+ - " Upgrading 25 files level to CompactionLevel::L2: L1.3055, L1.3056, L1.3083, L1.3084, L1.3085, L1.3086, L1.3087, L1.3088, L1.3089, L1.3090, L1.3091, L1.3092, L1.3093, L1.3094, L1.3095, L1.3096, L1.3097, L1.3098, L1.3099, L1.3100, L1.3101, L1.3102, L1.3103, L1.3104, L1.3105"
+ - " Creating 1 files"
+ - "**** Final Output Files (5.87gb written)"
- "L2 "
- - "L2.3083[322,481] 199ns 160mb|L2.3083| "
- - "L2.3084[482,641] 199ns 160mb|L2.3084| "
- - "L2.3085[642,801] 199ns 160mb|L2.3085| "
- - "L2.3086[802,961] 199ns 160mb|L2.3086| "
- - "L2.3087[962,1121] 199ns 160mb|L2.3087| "
- - "L2.3088[1122,1281] 199ns 160mb|L2.3088| "
- - "L2.3089[1282,1441] 199ns 160mb|L2.3089| "
- - "L2.3090[1442,1601] 199ns 160mb|L2.3090| "
- - "L2.3093[1602,1761] 199ns 160mb|L2.3093| "
- - "L2.3094[1762,1921] 199ns 160mb|L2.3094| "
- - "L2.3099[1,101] 161ns 101mb|L2.3099| "
- - "L2.3103[102,202] 199ns 101mb|L2.3103| "
- - "L2.3104[203,302] 199ns 100mb|L2.3104| "
- - "L2.3105[303,321] 199ns 19mb|L2.3105| "
- - "L2.3106[1922,1592384] 199ns 63mb|-------------------------------L2.3106-------------------------------| "
- - "L2.3107[1592385,1990000] 199ns 16mb |----L2.3107----| "
+ - "L2.3055[1,101] 161ns 101mb|L2.3055| "
+ - "L2.3056[102,161] 161ns 60mb|L2.3056| "
+ - "L2.3083[482,582] 199ns 101mb|L2.3083| "
+ - "L2.3084[583,641] 199ns 59mb|L2.3084| "
+ - "L2.3085[642,742] 199ns 101mb|L2.3085| "
+ - "L2.3086[743,801] 199ns 59mb|L2.3086| "
+ - "L2.3087[802,902] 199ns 101mb|L2.3087| "
+ - "L2.3088[903,961] 199ns 59mb|L2.3088| "
+ - "L2.3089[962,1062] 199ns 101mb|L2.3089| "
+ - "L2.3090[1063,1121] 199ns 59mb|L2.3090| "
+ - "L2.3091[1122,1222] 199ns 101mb|L2.3091| "
+ - "L2.3092[1223,1281] 199ns 59mb|L2.3092| "
+ - "L2.3093[1282,1382] 199ns 101mb|L2.3093| "
+ - "L2.3094[1383,1441] 199ns 59mb|L2.3094| "
+ - "L2.3095[1442,1542] 199ns 101mb|L2.3095| "
+ - "L2.3096[1543,1601] 199ns 59mb|L2.3096| "
+ - "L2.3097[1602,1702] 199ns 101mb|L2.3097| "
+ - "L2.3098[1703,1761] 199ns 59mb|L2.3098| "
+ - "L2.3099[162,262] 199ns 101mb|L2.3099| "
+ - "L2.3100[263,321] 199ns 59mb|L2.3100| "
+ - "L2.3101[322,422] 199ns 101mb|L2.3101| "
+ - "L2.3102[423,481] 199ns 59mb|L2.3102| "
+ - "L2.3103[1762,1862] 199ns 101mb|L2.3103| "
+ - "L2.3104[1863,1921] 199ns 59mb|L2.3104| "
+ - "L2.3105[1922,2053] 199ns 63mb|L2.3105| "
+ - "L2.3107[2054,1990000] 199ns 16mb|----------------------------------------L2.3107----------------------------------------| "
- "**** Breakdown of where bytes were written"
- - 0b written by split(ReduceOverlap)
+ - 1.95gb written by compact(ManySmallFiles)
+ - 1.95gb written by split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))
- 1.95gb written by split(VerticalSplit)
- - 158mb written by split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))
- - 3.75gb written by compact(ManySmallFiles)
- - 542mb written by split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))
- - "WARNING: file L2.3083[322,481] 199ns 160mb exceeds soft limit 100mb by more than 50%"
- - "WARNING: file L2.3084[482,641] 199ns 160mb exceeds soft limit 100mb by more than 50%"
- - "WARNING: file L2.3085[642,801] 199ns 160mb exceeds soft limit 100mb by more than 50%"
- - "WARNING: file L2.3086[802,961] 199ns 160mb exceeds soft limit 100mb by more than 50%"
- - "WARNING: file L2.3087[962,1121] 199ns 160mb exceeds soft limit 100mb by more than 50%"
- - "WARNING: file L2.3088[1122,1281] 199ns 160mb exceeds soft limit 100mb by more than 50%"
- - "WARNING: file L2.3089[1282,1441] 199ns 160mb exceeds soft limit 100mb by more than 50%"
- - "WARNING: file L2.3090[1442,1601] 199ns 160mb exceeds soft limit 100mb by more than 50%"
- - "WARNING: file L2.3093[1602,1761] 199ns 160mb exceeds soft limit 100mb by more than 50%"
- - "WARNING: file L2.3094[1762,1921] 199ns 160mb exceeds soft limit 100mb by more than 50%"
+ - 16mb written by compact(TotalSizeLessThanMaxCompactSize)
"###
);
}
@@ -10354,21 +10297,23 @@ async fn split_then_undo_it() {
- "L1.15[1680041088000000000,1680044543999000000] 1681186614.52s 111mb |L1.15| "
- "L1.16[1680044544000000000,1680045637388000000] 1681186614.52s 169mb |L1.16|"
- "WARNING: file L1.16[1680044544000000000,1680045637388000000] 1681186614.52s 169mb exceeds soft limit 100mb by more than 50%"
- - "**** Final Output Files (1.33gb written)"
+ - "**** Final Output Files (975mb written)"
- "L2 "
- - "L2.36[1679961600071000000,1680022452125333264] 1681420678.89s 100mb|----------------------------L2.36----------------------------| "
- - "L2.46[1680022452125333265,1680032319822641856] 1681420678.89s 100mb |-L2.46--| "
- - "L2.47[1680032319822641857,1680042187519950447] 1681420678.89s 100mb |-L2.47--| "
- - "L2.48[1680042187519950448,1680045769912015677] 1681420678.89s 36mb |L2.48|"
- - "L2.49[1680045769912015678,1680046349505504631] 1681420678.89s 100mb |L2.49|"
- - "L2.50[1680046349505504632,1680046929098993584] 1681420678.89s 100mb |L2.50|"
- - "L2.51[1680046929098993585,1680047338160274709] 1681420678.89s 71mb |L2.51|"
- - "L2.52[1680047338160274710,1680047867631254942] 1681420678.89s 93mb |L2.52|"
- - "L2.53[1680047867631254943,1680047999999000000] 1681420678.89s 23mb |L2.53|"
+ - "L2.32[1680040942702149185,1680045637388000000] 1681420678.89s 92mb |L2.32| "
+ - "L2.33[1680045637388000001,1680046201485537304] 1681420678.89s 100mb |L2.33|"
+ - "L2.34[1680046201485537305,1680046765583074607] 1681420678.89s 100mb |L2.34|"
+ - "L2.35[1680046765583074608,1680047223526000000] 1681420678.89s 81mb |L2.35|"
+ - "L2.36[1680047223526000001,1680047793554118093] 1681420678.89s 100mb |L2.36|"
+ - "L2.38[1679961600071000000,1679998759898820368] 1681420678.89s 100mb|---------------L2.38----------------| "
+ - "L2.39[1679998759898820369,1680035919726640736] 1681420678.89s 100mb |---------------L2.39----------------| "
+ - "L2.40[1680035919726640737,1680040942702149184] 1681420678.89s 14mb |L2.40| "
+ - "L2.41[1680047793554118094,1680047958710023618] 1681420678.89s 29mb |L2.41|"
+ - "L2.42[1680047958710023619,1680047999999000000] 1681420678.89s 7mb |L2.42|"
- "**** Breakdown of where bytes were written"
- - 1.17gb written by split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))
- - 13mb written by split(ReduceOverlap)
- - 152mb written by split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))
+ - 14mb written by compact(TotalSizeLessThanMaxCompactSize)
+ - 172mb written by split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))
+ - 3mb written by split(ReduceOverlap)
+ - 787mb written by split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))
"###
);
}
@@ -10986,24 +10931,23 @@ async fn split_precent_loop() {
- "L1.3[1676005158277000000,1676010156669000000] 1676010160.05s 58mb |L1.3| "
- "WARNING: file L0.40[1676020762355000000,1676036230752000000] 1676036233.84s 159mb exceeds soft limit 100mb by more than 50%"
- "WARNING: file L0.43[1676039845773000000,1676063836202000000] 1676063839.07s 242mb exceeds soft limit 100mb by more than 50%"
- - "**** Final Output Files (2.78gb written)"
+ - "**** Final Output Files (1.98gb written)"
- "L2 "
- - "L2.223[1676039875848666667,1676053043929833332] 1676066475.26s 141mb |---L2.223---| "
- - "L2.224[1676053043929833333,1676066212011000000] 1676066475.26s 125mb |---L2.224---| "
- - "L2.244[1675987200001000000,1675995221280934243] 1676066475.26s 100mb|L2.244-| "
- - "L2.245[1675995221280934244,1676003242560868486] 1676066475.26s 100mb |L2.245-| "
- - "L2.250[1676022715716555555,1676032446190144752] 1676066475.26s 100mb |-L2.250--| "
- - "L2.252[1676003242560868487,1676011412551749425] 1676066475.26s 100mb |L2.252-| "
- - "L2.253[1676011412551749426,1676019582542630363] 1676066475.26s 100mb |L2.253-| "
- - "L2.254[1676019582542630364,1676022715716555554] 1676066475.26s 38mb |L2.254| "
- - "L2.255[1676032446190144753,1676038389916962283] 1676066475.26s 61mb |L2.255| "
- - "L2.256[1676038389916962284,1676039875848666666] 1676066475.26s 15mb |L2.256| "
+ - "L2.220[1676039875848666667,1676049206274887385] 1676066475.26s 100mb |-L2.220-| "
+ - "L2.224[1675987200001000000,1675995221280934243] 1676066475.26s 100mb|L2.224-| "
+ - "L2.225[1675995221280934244,1676003242560868486] 1676066475.26s 100mb |L2.225-| "
+ - "L2.230[1676022715716555555,1676032446190144752] 1676066475.26s 100mb |-L2.230--| "
+ - "L2.231[1676032446190144753,1676039875848666666] 1676066475.26s 76mb |L2.231| "
+ - "L2.232[1676003242560868487,1676011412551749425] 1676066475.26s 100mb |L2.232-| "
+ - "L2.233[1676011412551749426,1676019582542630363] 1676066475.26s 100mb |L2.233-| "
+ - "L2.234[1676019582542630364,1676022715716555554] 1676066475.26s 38mb |L2.234| "
+ - "L2.235[1676049206274887386,1676059443970289442] 1676066475.26s 100mb |-L2.235--| "
+ - "L2.236[1676059443970289443,1676066212011000000] 1676066475.26s 66mb |L2.236|"
- "**** Breakdown of where bytes were written"
- - 1.23gb written by split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))
- - 253mb written by split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))
- - 61mb written by split(ReduceOverlap)
- - 627mb written by compact(ManySmallFiles)
+ - 594mb written by split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))
- 650mb written by split(VerticalSplit)
+ - 691mb written by split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))
+ - 93mb written by compact(ManySmallFiles)
"###
);
}
@@ -11491,302 +11435,313 @@ async fn very_big_overlapped_backlog() {
- "L2.398[194000,195999] 97ns 100mb |L2.398|"
- "L2.399[196000,197999] 98ns 100mb |L2.399|"
- "L2.400[198000,199999] 99ns 100mb |L2.400|"
- - "**** Final Output Files (40.58gb written)"
+ - "**** Final Output Files (40.21gb written)"
- "L2 "
- - "L2.827[0,980] 233ns 100mb|L2.827| "
- - "L2.828[981,1960] 233ns 100mb|L2.828| "
- - "L2.829[1961,1999] 233ns 4mb|L2.829| "
- - "L2.830[2000,2980] 233ns 100mb|L2.830| "
- - "L2.831[2981,3960] 233ns 100mb |L2.831| "
- - "L2.832[3961,3999] 233ns 4mb |L2.832| "
- - "L2.833[4000,4980] 233ns 100mb |L2.833| "
- - "L2.834[4981,5960] 233ns 100mb |L2.834| "
- - "L2.835[5961,5999] 233ns 4mb |L2.835| "
- - "L2.836[6000,6980] 233ns 100mb |L2.836| "
- - "L2.837[6981,7960] 233ns 100mb |L2.837| "
- - "L2.838[7961,7999] 233ns 4mb |L2.838| "
- - "L2.839[8000,8980] 233ns 100mb |L2.839| "
- - "L2.840[8981,9960] 233ns 100mb |L2.840| "
- - "L2.841[9961,9999] 233ns 4mb |L2.841| "
- - "L2.842[10000,10980] 233ns 100mb |L2.842| "
- - "L2.843[10981,11960] 233ns 100mb |L2.843| "
- - "L2.844[11961,11999] 233ns 4mb |L2.844| "
- - "L2.845[12000,12980] 233ns 100mb |L2.845| "
- - "L2.846[12981,13960] 233ns 100mb |L2.846| "
- - "L2.847[13961,13999] 233ns 4mb |L2.847| "
- - "L2.848[14000,14980] 233ns 100mb |L2.848| "
- - "L2.849[14981,15960] 233ns 100mb |L2.849| "
- - "L2.850[15961,15999] 233ns 4mb |L2.850| "
- - "L2.851[16000,16980] 233ns 100mb |L2.851| "
- - "L2.852[16981,17960] 233ns 100mb |L2.852| "
- - "L2.853[17961,17999] 233ns 4mb |L2.853| "
- - "L2.854[18000,18980] 233ns 100mb |L2.854| "
- - "L2.855[18981,19960] 233ns 100mb |L2.855| "
- - "L2.856[19961,19999] 233ns 4mb |L2.856| "
- - "L2.857[20000,20980] 233ns 100mb |L2.857| "
- - "L2.858[20981,21960] 233ns 100mb |L2.858| "
- - "L2.859[21961,21999] 233ns 4mb |L2.859| "
- - "L2.860[22000,22980] 233ns 100mb |L2.860| "
- - "L2.861[22981,23960] 233ns 100mb |L2.861| "
- - "L2.862[23961,23999] 233ns 4mb |L2.862| "
- - "L2.863[24000,24980] 233ns 100mb |L2.863| "
- - "L2.864[24981,25960] 233ns 100mb |L2.864| "
- - "L2.865[25961,25999] 233ns 4mb |L2.865| "
- - "L2.866[26000,26980] 233ns 100mb |L2.866| "
- - "L2.867[26981,27960] 233ns 100mb |L2.867| "
- - "L2.868[27961,27999] 233ns 4mb |L2.868| "
- - "L2.869[28000,28980] 233ns 100mb |L2.869| "
- - "L2.870[28981,29960] 233ns 100mb |L2.870| "
- - "L2.871[29961,29999] 233ns 4mb |L2.871| "
- - "L2.872[30000,30980] 233ns 100mb |L2.872| "
- - "L2.873[30981,31960] 233ns 100mb |L2.873| "
- - "L2.874[31961,31999] 233ns 4mb |L2.874| "
- - "L2.875[32000,32980] 233ns 100mb |L2.875| "
- - "L2.876[32981,33960] 233ns 100mb |L2.876| "
- - "L2.877[33961,33999] 233ns 4mb |L2.877| "
- - "L2.878[34000,34980] 233ns 100mb |L2.878| "
- - "L2.879[34981,35960] 233ns 100mb |L2.879| "
- - "L2.880[35961,35999] 233ns 4mb |L2.880| "
- - "L2.881[36000,36980] 233ns 100mb |L2.881| "
- - "L2.882[36981,37960] 233ns 100mb |L2.882| "
- - "L2.883[37961,37999] 233ns 4mb |L2.883| "
- - "L2.884[38000,38980] 233ns 100mb |L2.884| "
- - "L2.885[38981,39960] 233ns 100mb |L2.885| "
- - "L2.886[39961,39999] 233ns 4mb |L2.886| "
- - "L2.887[40000,40980] 233ns 100mb |L2.887| "
- - "L2.888[40981,41960] 233ns 100mb |L2.888| "
- - "L2.889[41961,41999] 233ns 4mb |L2.889| "
- - "L2.890[42000,42980] 233ns 100mb |L2.890| "
- - "L2.891[42981,43960] 233ns 100mb |L2.891| "
- - "L2.892[43961,43999] 233ns 4mb |L2.892| "
- - "L2.893[44000,44980] 233ns 100mb |L2.893| "
- - "L2.894[44981,45960] 233ns 100mb |L2.894| "
- - "L2.895[45961,45999] 233ns 4mb |L2.895| "
- - "L2.896[46000,46980] 233ns 100mb |L2.896| "
- - "L2.897[46981,47960] 233ns 100mb |L2.897| "
- - "L2.898[47961,47999] 233ns 4mb |L2.898| "
- - "L2.899[48000,48980] 233ns 100mb |L2.899| "
- - "L2.900[48981,49960] 233ns 100mb |L2.900| "
- - "L2.901[49961,49999] 233ns 4mb |L2.901| "
- - "L2.902[50000,50980] 233ns 100mb |L2.902| "
- - "L2.903[50981,51960] 233ns 100mb |L2.903| "
- - "L2.904[51961,51999] 233ns 4mb |L2.904| "
- - "L2.905[52000,52980] 233ns 100mb |L2.905| "
- - "L2.906[52981,53960] 233ns 100mb |L2.906| "
- - "L2.907[53961,53999] 233ns 4mb |L2.907| "
- - "L2.908[54000,54980] 233ns 100mb |L2.908| "
- - "L2.909[54981,55960] 233ns 100mb |L2.909| "
- - "L2.910[55961,55999] 233ns 4mb |L2.910| "
- - "L2.911[56000,56980] 233ns 100mb |L2.911| "
- - "L2.912[56981,57960] 233ns 100mb |L2.912| "
- - "L2.913[57961,57999] 233ns 4mb |L2.913| "
- - "L2.914[58000,58980] 233ns 100mb |L2.914| "
- - "L2.915[58981,59960] 233ns 100mb |L2.915| "
- - "L2.916[59961,59999] 233ns 4mb |L2.916| "
- - "L2.917[60000,60980] 233ns 100mb |L2.917| "
- - "L2.918[60981,61960] 233ns 100mb |L2.918| "
- - "L2.919[61961,61999] 233ns 4mb |L2.919| "
- - "L2.920[62000,62980] 233ns 100mb |L2.920| "
- - "L2.921[62981,63960] 233ns 100mb |L2.921| "
- - "L2.922[63961,63999] 233ns 4mb |L2.922| "
- - "L2.923[64000,64980] 233ns 100mb |L2.923| "
- - "L2.924[64981,65960] 233ns 100mb |L2.924| "
- - "L2.925[65961,65999] 233ns 4mb |L2.925| "
- - "L2.926[66000,66980] 233ns 100mb |L2.926| "
- - "L2.927[66981,67960] 233ns 100mb |L2.927| "
- - "L2.928[67961,67999] 233ns 4mb |L2.928| "
- - "L2.929[68000,68980] 233ns 100mb |L2.929| "
- - "L2.930[68981,69960] 233ns 100mb |L2.930| "
- - "L2.931[69961,69999] 233ns 4mb |L2.931| "
- - "L2.932[70000,70980] 233ns 100mb |L2.932| "
- - "L2.933[70981,71960] 233ns 100mb |L2.933| "
- - "L2.934[71961,71999] 233ns 4mb |L2.934| "
- - "L2.935[72000,72980] 233ns 100mb |L2.935| "
- - "L2.936[72981,73960] 233ns 100mb |L2.936| "
- - "L2.937[73961,73999] 233ns 4mb |L2.937| "
- - "L2.938[74000,74980] 233ns 100mb |L2.938| "
- - "L2.939[74981,75960] 233ns 100mb |L2.939| "
- - "L2.940[75961,75999] 233ns 4mb |L2.940| "
- - "L2.941[76000,76980] 233ns 100mb |L2.941| "
- - "L2.942[76981,77960] 233ns 100mb |L2.942| "
- - "L2.943[77961,77999] 233ns 4mb |L2.943| "
- - "L2.944[78000,78980] 233ns 100mb |L2.944| "
- - "L2.945[78981,79960] 233ns 100mb |L2.945| "
- - "L2.946[79961,79999] 233ns 4mb |L2.946| "
- - "L2.947[80000,80980] 233ns 100mb |L2.947| "
- - "L2.948[80981,81960] 233ns 100mb |L2.948| "
- - "L2.949[81961,81999] 233ns 4mb |L2.949| "
- - "L2.950[82000,82980] 233ns 100mb |L2.950| "
- - "L2.951[82981,83960] 233ns 100mb |L2.951| "
- - "L2.952[83961,83999] 233ns 4mb |L2.952| "
- - "L2.953[84000,84980] 233ns 100mb |L2.953| "
- - "L2.954[84981,85960] 233ns 100mb |L2.954| "
- - "L2.955[85961,85999] 233ns 4mb |L2.955| "
- - "L2.956[86000,86980] 233ns 100mb |L2.956| "
- - "L2.957[86981,87960] 233ns 100mb |L2.957| "
- - "L2.958[87961,87999] 233ns 4mb |L2.958| "
- - "L2.959[88000,88980] 233ns 100mb |L2.959| "
- - "L2.960[88981,89960] 233ns 100mb |L2.960| "
- - "L2.961[89961,89999] 233ns 4mb |L2.961| "
- - "L2.962[90000,90980] 233ns 100mb |L2.962| "
- - "L2.963[90981,91960] 233ns 100mb |L2.963| "
- - "L2.964[91961,91999] 233ns 4mb |L2.964| "
- - "L2.965[92000,92980] 233ns 100mb |L2.965| "
- - "L2.966[92981,93960] 233ns 100mb |L2.966| "
- - "L2.967[93961,93999] 233ns 4mb |L2.967| "
- - "L2.968[94000,94980] 233ns 100mb |L2.968| "
- - "L2.969[94981,95960] 233ns 100mb |L2.969| "
- - "L2.970[95961,95999] 233ns 4mb |L2.970| "
- - "L2.971[96000,96980] 233ns 100mb |L2.971| "
- - "L2.972[96981,97960] 233ns 100mb |L2.972| "
- - "L2.973[97961,97999] 233ns 4mb |L2.973| "
- - "L2.974[98000,98980] 233ns 100mb |L2.974| "
- - "L2.975[98981,99960] 233ns 100mb |L2.975| "
- - "L2.976[99961,99999] 233ns 4mb |L2.976| "
- - "L2.977[100000,100980] 233ns 100mb |L2.977| "
- - "L2.978[100981,101960] 233ns 100mb |L2.978| "
- - "L2.979[101961,101999] 233ns 4mb |L2.979| "
- - "L2.980[102000,102980] 233ns 100mb |L2.980| "
- - "L2.981[102981,103960] 233ns 100mb |L2.981| "
- - "L2.982[103961,103999] 233ns 4mb |L2.982| "
- - "L2.983[104000,104980] 233ns 100mb |L2.983| "
- - "L2.984[104981,105960] 233ns 100mb |L2.984| "
- - "L2.985[105961,105999] 233ns 4mb |L2.985| "
- - "L2.986[106000,106980] 233ns 100mb |L2.986| "
- - "L2.987[106981,107960] 233ns 100mb |L2.987| "
- - "L2.988[107961,107999] 233ns 4mb |L2.988| "
- - "L2.989[108000,108980] 233ns 100mb |L2.989| "
- - "L2.990[108981,109960] 233ns 100mb |L2.990| "
- - "L2.991[109961,109999] 233ns 4mb |L2.991| "
- - "L2.992[110000,110980] 233ns 100mb |L2.992| "
- - "L2.993[110981,111960] 233ns 100mb |L2.993| "
- - "L2.994[111961,111999] 233ns 4mb |L2.994| "
- - "L2.995[112000,112980] 233ns 100mb |L2.995| "
- - "L2.996[112981,113960] 233ns 100mb |L2.996| "
- - "L2.997[113961,113999] 233ns 4mb |L2.997| "
- - "L2.998[114000,114980] 233ns 100mb |L2.998| "
- - "L2.999[114981,115960] 233ns 100mb |L2.999| "
- - "L2.1000[115961,115999] 233ns 4mb |L2.1000| "
- - "L2.1001[116000,116980] 233ns 100mb |L2.1001| "
- - "L2.1002[116981,117960] 233ns 100mb |L2.1002| "
- - "L2.1003[117961,117999] 233ns 4mb |L2.1003| "
- - "L2.1004[118000,118980] 233ns 100mb |L2.1004| "
- - "L2.1005[118981,119960] 233ns 100mb |L2.1005| "
- - "L2.1006[119961,119999] 233ns 4mb |L2.1006| "
- - "L2.1007[120000,120980] 233ns 100mb |L2.1007| "
- - "L2.1008[120981,121960] 233ns 100mb |L2.1008| "
- - "L2.1009[121961,121999] 233ns 4mb |L2.1009| "
- - "L2.1010[122000,122980] 233ns 100mb |L2.1010| "
- - "L2.1011[122981,123960] 233ns 100mb |L2.1011| "
- - "L2.1012[123961,123999] 233ns 4mb |L2.1012| "
- - "L2.1013[124000,124980] 233ns 100mb |L2.1013| "
- - "L2.1014[124981,125960] 233ns 100mb |L2.1014| "
- - "L2.1015[125961,125999] 233ns 4mb |L2.1015| "
- - "L2.1016[126000,126980] 233ns 100mb |L2.1016| "
- - "L2.1017[126981,127960] 233ns 100mb |L2.1017| "
- - "L2.1018[127961,127999] 233ns 4mb |L2.1018| "
- - "L2.1019[128000,128980] 233ns 100mb |L2.1019| "
- - "L2.1020[128981,129960] 233ns 100mb |L2.1020| "
- - "L2.1021[129961,129999] 233ns 4mb |L2.1021| "
- - "L2.1022[130000,130980] 233ns 100mb |L2.1022| "
- - "L2.1023[130981,131960] 233ns 100mb |L2.1023| "
- - "L2.1024[131961,131999] 233ns 4mb |L2.1024| "
- - "L2.1025[132000,132942] 299ns 100mb |L2.1025| "
- - "L2.1026[132943,133884] 299ns 100mb |L2.1026| "
- - "L2.1027[133885,133999] 299ns 12mb |L2.1027| "
- - "L2.1028[134000,134874] 299ns 100mb |L2.1028| "
- - "L2.1029[134875,135748] 299ns 100mb |L2.1029| "
- - "L2.1030[135749,135999] 299ns 29mb |L2.1030| "
- - "L2.1031[136000,136874] 299ns 100mb |L2.1031| "
- - "L2.1032[136875,137748] 299ns 100mb |L2.1032| "
- - "L2.1033[137749,137999] 299ns 29mb |L2.1033| "
- - "L2.1034[138000,138874] 299ns 100mb |L2.1034| "
- - "L2.1035[138875,139748] 299ns 100mb |L2.1035| "
- - "L2.1036[139749,139999] 299ns 29mb |L2.1036| "
- - "L2.1037[140000,140874] 299ns 100mb |L2.1037| "
- - "L2.1038[140875,141748] 299ns 100mb |L2.1038| "
- - "L2.1039[141749,141999] 299ns 29mb |L2.1039| "
- - "L2.1040[142000,142874] 299ns 100mb |L2.1040| "
- - "L2.1041[142875,143748] 299ns 100mb |L2.1041| "
- - "L2.1042[143749,143999] 299ns 29mb |L2.1042| "
- - "L2.1043[144000,144874] 299ns 100mb |L2.1043| "
- - "L2.1044[144875,145748] 299ns 100mb |L2.1044| "
- - "L2.1045[145749,145999] 299ns 29mb |L2.1045| "
- - "L2.1046[146000,146874] 299ns 100mb |L2.1046| "
- - "L2.1047[146875,147748] 299ns 100mb |L2.1047| "
- - "L2.1048[147749,147999] 299ns 29mb |L2.1048| "
- - "L2.1049[148000,148874] 299ns 100mb |L2.1049| "
- - "L2.1050[148875,149748] 299ns 100mb |L2.1050| "
- - "L2.1051[149749,149999] 299ns 29mb |L2.1051| "
- - "L2.1052[150000,150874] 299ns 100mb |L2.1052| "
- - "L2.1053[150875,151748] 299ns 100mb |L2.1053| "
- - "L2.1054[151749,151999] 299ns 29mb |L2.1054| "
- - "L2.1055[152000,152874] 299ns 100mb |L2.1055| "
- - "L2.1056[152875,153748] 299ns 100mb |L2.1056| "
- - "L2.1057[153749,153999] 299ns 29mb |L2.1057| "
- - "L2.1058[154000,154874] 299ns 100mb |L2.1058| "
- - "L2.1059[154875,155748] 299ns 100mb |L2.1059| "
- - "L2.1060[155749,155999] 299ns 29mb |L2.1060| "
- - "L2.1061[156000,156874] 299ns 100mb |L2.1061| "
- - "L2.1062[156875,157748] 299ns 100mb |L2.1062| "
- - "L2.1063[157749,157999] 299ns 29mb |L2.1063| "
- - "L2.1064[158000,158874] 299ns 100mb |L2.1064| "
- - "L2.1065[158875,159748] 299ns 100mb |L2.1065| "
- - "L2.1066[159749,159999] 299ns 29mb |L2.1066| "
- - "L2.1067[160000,160874] 299ns 100mb |L2.1067| "
- - "L2.1068[160875,161748] 299ns 100mb |L2.1068| "
- - "L2.1069[161749,161999] 299ns 29mb |L2.1069| "
- - "L2.1070[162000,162874] 299ns 100mb |L2.1070| "
- - "L2.1071[162875,163748] 299ns 100mb |L2.1071| "
- - "L2.1072[163749,163999] 299ns 29mb |L2.1072| "
- - "L2.1073[164000,164874] 299ns 100mb |L2.1073| "
- - "L2.1074[164875,165748] 299ns 100mb |L2.1074| "
- - "L2.1075[165749,165999] 299ns 29mb |L2.1075| "
- - "L2.1076[166000,166874] 299ns 100mb |L2.1076| "
- - "L2.1077[166875,167748] 299ns 100mb |L2.1077| "
- - "L2.1078[167749,167999] 299ns 29mb |L2.1078| "
- - "L2.1079[168000,168874] 299ns 100mb |L2.1079| "
- - "L2.1080[168875,169748] 299ns 100mb |L2.1080| "
- - "L2.1081[169749,169999] 299ns 29mb |L2.1081| "
- - "L2.1082[170000,170874] 299ns 100mb |L2.1082| "
- - "L2.1083[170875,171748] 299ns 100mb |L2.1083| "
- - "L2.1084[171749,171999] 299ns 29mb |L2.1084| "
- - "L2.1085[172000,172874] 299ns 100mb |L2.1085| "
- - "L2.1086[172875,173748] 299ns 100mb |L2.1086| "
- - "L2.1087[173749,173999] 299ns 29mb |L2.1087| "
- - "L2.1088[174000,174874] 299ns 100mb |L2.1088| "
- - "L2.1089[174875,175748] 299ns 100mb |L2.1089| "
- - "L2.1090[175749,175999] 299ns 29mb |L2.1090| "
- - "L2.1091[176000,176874] 299ns 100mb |L2.1091| "
- - "L2.1092[176875,177748] 299ns 100mb |L2.1092| "
- - "L2.1093[177749,177999] 299ns 29mb |L2.1093| "
- - "L2.1094[178000,178874] 299ns 100mb |L2.1094| "
- - "L2.1095[178875,179748] 299ns 100mb |L2.1095| "
- - "L2.1096[179749,179999] 299ns 29mb |L2.1096| "
- - "L2.1097[180000,180874] 299ns 100mb |L2.1097|"
- - "L2.1098[180875,181748] 299ns 100mb |L2.1098|"
- - "L2.1099[181749,181999] 299ns 29mb |L2.1099|"
- - "L2.1100[182000,183554] 299ns 100mb |L2.1100|"
- - "L2.1101[183555,185108] 299ns 100mb |L2.1101|"
- - "L2.1102[185109,185999] 299ns 57mb |L2.1102|"
- - "L2.1103[186000,187554] 299ns 100mb |L2.1103|"
- - "L2.1104[187555,189108] 299ns 100mb |L2.1104|"
- - "L2.1105[189109,189999] 299ns 57mb |L2.1105|"
- - "L2.1106[190000,191554] 299ns 100mb |L2.1106|"
- - "L2.1107[191555,193108] 299ns 100mb |L2.1107|"
- - "L2.1108[193109,193999] 299ns 57mb |L2.1108|"
- - "L2.1109[194000,195554] 299ns 100mb |L2.1109|"
- - "L2.1110[195555,197108] 299ns 100mb |L2.1110|"
- - "L2.1111[197109,197999] 299ns 57mb |L2.1111|"
- - "L2.1112[198000,198981] 299ns 100mb |L2.1112|"
- - "L2.1113[198982,199962] 299ns 100mb |L2.1113|"
- - "L2.1114[199963,200000] 299ns 4mb |L2.1114|"
+ - "L2.823[0,980] 166ns 100mb|L2.823| "
+ - "L2.824[981,1960] 166ns 100mb|L2.824| "
+ - "L2.825[1961,1999] 166ns 4mb|L2.825| "
+ - "L2.826[2000,2980] 166ns 100mb|L2.826| "
+ - "L2.827[2981,3960] 166ns 100mb |L2.827| "
+ - "L2.828[3961,3999] 166ns 4mb |L2.828| "
+ - "L2.829[4000,4980] 166ns 100mb |L2.829| "
+ - "L2.830[4981,5960] 166ns 100mb |L2.830| "
+ - "L2.831[5961,5999] 166ns 4mb |L2.831| "
+ - "L2.832[6000,6980] 166ns 100mb |L2.832| "
+ - "L2.833[6981,7960] 166ns 100mb |L2.833| "
+ - "L2.834[7961,7999] 166ns 4mb |L2.834| "
+ - "L2.835[8000,8980] 166ns 100mb |L2.835| "
+ - "L2.836[8981,9960] 166ns 100mb |L2.836| "
+ - "L2.837[9961,9999] 166ns 4mb |L2.837| "
+ - "L2.838[10000,10980] 166ns 100mb |L2.838| "
+ - "L2.839[10981,11960] 166ns 100mb |L2.839| "
+ - "L2.840[11961,11999] 166ns 4mb |L2.840| "
+ - "L2.841[12000,12980] 166ns 100mb |L2.841| "
+ - "L2.842[12981,13960] 166ns 100mb |L2.842| "
+ - "L2.843[13961,13999] 166ns 4mb |L2.843| "
+ - "L2.844[14000,14980] 166ns 100mb |L2.844| "
+ - "L2.845[14981,15960] 166ns 100mb |L2.845| "
+ - "L2.846[15961,15999] 166ns 4mb |L2.846| "
+ - "L2.847[16000,16980] 166ns 100mb |L2.847| "
+ - "L2.848[16981,17960] 166ns 100mb |L2.848| "
+ - "L2.849[17961,17999] 166ns 4mb |L2.849| "
+ - "L2.850[18000,18980] 166ns 100mb |L2.850| "
+ - "L2.851[18981,19960] 166ns 100mb |L2.851| "
+ - "L2.852[19961,19999] 166ns 4mb |L2.852| "
+ - "L2.853[20000,20980] 166ns 100mb |L2.853| "
+ - "L2.854[20981,21960] 166ns 100mb |L2.854| "
+ - "L2.855[21961,21999] 166ns 4mb |L2.855| "
+ - "L2.856[22000,22980] 166ns 100mb |L2.856| "
+ - "L2.857[22981,23960] 166ns 100mb |L2.857| "
+ - "L2.858[23961,23999] 166ns 4mb |L2.858| "
+ - "L2.859[24000,24980] 166ns 100mb |L2.859| "
+ - "L2.860[24981,25960] 166ns 100mb |L2.860| "
+ - "L2.861[25961,25999] 166ns 4mb |L2.861| "
+ - "L2.862[26000,26980] 166ns 100mb |L2.862| "
+ - "L2.863[26981,27960] 166ns 100mb |L2.863| "
+ - "L2.864[27961,27999] 166ns 4mb |L2.864| "
+ - "L2.865[28000,28980] 166ns 100mb |L2.865| "
+ - "L2.866[28981,29960] 166ns 100mb |L2.866| "
+ - "L2.867[29961,29999] 166ns 4mb |L2.867| "
+ - "L2.868[30000,30980] 166ns 100mb |L2.868| "
+ - "L2.869[30981,31960] 166ns 100mb |L2.869| "
+ - "L2.870[31961,31999] 166ns 4mb |L2.870| "
+ - "L2.871[32000,32980] 166ns 100mb |L2.871| "
+ - "L2.872[32981,33960] 166ns 100mb |L2.872| "
+ - "L2.873[33961,33999] 166ns 4mb |L2.873| "
+ - "L2.874[34000,34980] 166ns 100mb |L2.874| "
+ - "L2.875[34981,35960] 166ns 100mb |L2.875| "
+ - "L2.876[35961,35999] 166ns 4mb |L2.876| "
+ - "L2.877[36000,36980] 166ns 100mb |L2.877| "
+ - "L2.878[36981,37960] 166ns 100mb |L2.878| "
+ - "L2.879[37961,37999] 166ns 4mb |L2.879| "
+ - "L2.880[38000,38980] 166ns 100mb |L2.880| "
+ - "L2.881[38981,39960] 166ns 100mb |L2.881| "
+ - "L2.882[39961,39999] 166ns 4mb |L2.882| "
+ - "L2.883[40000,40980] 166ns 100mb |L2.883| "
+ - "L2.884[40981,41960] 166ns 100mb |L2.884| "
+ - "L2.885[41961,41999] 166ns 4mb |L2.885| "
+ - "L2.886[42000,42980] 166ns 100mb |L2.886| "
+ - "L2.887[42981,43960] 166ns 100mb |L2.887| "
+ - "L2.888[43961,43999] 166ns 4mb |L2.888| "
+ - "L2.889[44000,44980] 166ns 100mb |L2.889| "
+ - "L2.890[44981,45960] 166ns 100mb |L2.890| "
+ - "L2.891[45961,45999] 166ns 4mb |L2.891| "
+ - "L2.892[46000,46980] 166ns 100mb |L2.892| "
+ - "L2.893[46981,47960] 166ns 100mb |L2.893| "
+ - "L2.894[47961,47999] 166ns 4mb |L2.894| "
+ - "L2.895[48000,48980] 166ns 100mb |L2.895| "
+ - "L2.896[48981,49960] 166ns 100mb |L2.896| "
+ - "L2.897[49961,49999] 166ns 4mb |L2.897| "
+ - "L2.898[50000,50980] 166ns 100mb |L2.898| "
+ - "L2.899[50981,51960] 166ns 100mb |L2.899| "
+ - "L2.900[51961,51999] 166ns 4mb |L2.900| "
+ - "L2.901[52000,52980] 166ns 100mb |L2.901| "
+ - "L2.902[52981,53960] 166ns 100mb |L2.902| "
+ - "L2.903[53961,53999] 166ns 4mb |L2.903| "
+ - "L2.904[54000,54980] 166ns 100mb |L2.904| "
+ - "L2.905[54981,55960] 166ns 100mb |L2.905| "
+ - "L2.906[55961,55999] 166ns 4mb |L2.906| "
+ - "L2.907[56000,56980] 166ns 100mb |L2.907| "
+ - "L2.908[56981,57960] 166ns 100mb |L2.908| "
+ - "L2.909[57961,57999] 166ns 4mb |L2.909| "
+ - "L2.910[58000,58980] 166ns 100mb |L2.910| "
+ - "L2.911[58981,59960] 166ns 100mb |L2.911| "
+ - "L2.912[59961,59999] 166ns 4mb |L2.912| "
+ - "L2.913[60000,60980] 166ns 100mb |L2.913| "
+ - "L2.914[60981,61960] 166ns 100mb |L2.914| "
+ - "L2.915[61961,61999] 166ns 4mb |L2.915| "
+ - "L2.916[62000,62980] 166ns 100mb |L2.916| "
+ - "L2.917[62981,63960] 166ns 100mb |L2.917| "
+ - "L2.918[63961,63999] 166ns 4mb |L2.918| "
+ - "L2.919[64000,64980] 166ns 100mb |L2.919| "
+ - "L2.920[64981,65960] 166ns 100mb |L2.920| "
+ - "L2.921[65961,65999] 166ns 4mb |L2.921| "
+ - "L2.922[66000,66980] 233ns 100mb |L2.922| "
+ - "L2.923[66981,67960] 233ns 100mb |L2.923| "
+ - "L2.924[67961,67999] 233ns 4mb |L2.924| "
+ - "L2.925[68000,68980] 233ns 100mb |L2.925| "
+ - "L2.926[68981,69960] 233ns 100mb |L2.926| "
+ - "L2.927[69961,69999] 233ns 4mb |L2.927| "
+ - "L2.928[70000,70980] 233ns 100mb |L2.928| "
+ - "L2.929[70981,71960] 233ns 100mb |L2.929| "
+ - "L2.930[71961,71999] 233ns 4mb |L2.930| "
+ - "L2.931[72000,72980] 233ns 100mb |L2.931| "
+ - "L2.932[72981,73960] 233ns 100mb |L2.932| "
+ - "L2.933[73961,73999] 233ns 4mb |L2.933| "
+ - "L2.934[74000,74980] 233ns 100mb |L2.934| "
+ - "L2.935[74981,75960] 233ns 100mb |L2.935| "
+ - "L2.936[75961,75999] 233ns 4mb |L2.936| "
+ - "L2.937[76000,76980] 233ns 100mb |L2.937| "
+ - "L2.938[76981,77960] 233ns 100mb |L2.938| "
+ - "L2.939[77961,77999] 233ns 4mb |L2.939| "
+ - "L2.940[78000,78980] 233ns 100mb |L2.940| "
+ - "L2.941[78981,79960] 233ns 100mb |L2.941| "
+ - "L2.942[79961,79999] 233ns 4mb |L2.942| "
+ - "L2.943[80000,80980] 233ns 100mb |L2.943| "
+ - "L2.944[80981,81960] 233ns 100mb |L2.944| "
+ - "L2.945[81961,81999] 233ns 4mb |L2.945| "
+ - "L2.946[82000,82980] 233ns 100mb |L2.946| "
+ - "L2.947[82981,83960] 233ns 100mb |L2.947| "
+ - "L2.948[83961,83999] 233ns 4mb |L2.948| "
+ - "L2.949[84000,84980] 233ns 100mb |L2.949| "
+ - "L2.950[84981,85960] 233ns 100mb |L2.950| "
+ - "L2.951[85961,85999] 233ns 4mb |L2.951| "
+ - "L2.952[86000,86980] 233ns 100mb |L2.952| "
+ - "L2.953[86981,87960] 233ns 100mb |L2.953| "
+ - "L2.954[87961,87999] 233ns 4mb |L2.954| "
+ - "L2.955[88000,88980] 233ns 100mb |L2.955| "
+ - "L2.956[88981,89960] 233ns 100mb |L2.956| "
+ - "L2.957[89961,89999] 233ns 4mb |L2.957| "
+ - "L2.958[90000,90980] 233ns 100mb |L2.958| "
+ - "L2.959[90981,91960] 233ns 100mb |L2.959| "
+ - "L2.960[91961,91999] 233ns 4mb |L2.960| "
+ - "L2.961[92000,92980] 233ns 100mb |L2.961| "
+ - "L2.962[92981,93960] 233ns 100mb |L2.962| "
+ - "L2.963[93961,93999] 233ns 4mb |L2.963| "
+ - "L2.964[94000,94980] 233ns 100mb |L2.964| "
+ - "L2.965[94981,95960] 233ns 100mb |L2.965| "
+ - "L2.966[95961,95999] 233ns 4mb |L2.966| "
+ - "L2.967[96000,96980] 233ns 100mb |L2.967| "
+ - "L2.968[96981,97960] 233ns 100mb |L2.968| "
+ - "L2.969[97961,97999] 233ns 4mb |L2.969| "
+ - "L2.970[98000,98980] 233ns 100mb |L2.970| "
+ - "L2.971[98981,99960] 233ns 100mb |L2.971| "
+ - "L2.972[99961,99999] 233ns 4mb |L2.972| "
+ - "L2.973[100000,100980] 233ns 100mb |L2.973| "
+ - "L2.974[100981,101960] 233ns 100mb |L2.974| "
+ - "L2.975[101961,101999] 233ns 4mb |L2.975| "
+ - "L2.976[102000,102980] 233ns 100mb |L2.976| "
+ - "L2.977[102981,103960] 233ns 100mb |L2.977| "
+ - "L2.978[103961,103999] 233ns 4mb |L2.978| "
+ - "L2.979[104000,104980] 233ns 100mb |L2.979| "
+ - "L2.980[104981,105960] 233ns 100mb |L2.980| "
+ - "L2.981[105961,105999] 233ns 4mb |L2.981| "
+ - "L2.982[106000,106980] 233ns 100mb |L2.982| "
+ - "L2.983[106981,107960] 233ns 100mb |L2.983| "
+ - "L2.984[107961,107999] 233ns 4mb |L2.984| "
+ - "L2.985[108000,108980] 233ns 100mb |L2.985| "
+ - "L2.986[108981,109960] 233ns 100mb |L2.986| "
+ - "L2.987[109961,109999] 233ns 4mb |L2.987| "
+ - "L2.988[110000,110980] 233ns 100mb |L2.988| "
+ - "L2.989[110981,111960] 233ns 100mb |L2.989| "
+ - "L2.990[111961,111999] 233ns 4mb |L2.990| "
+ - "L2.991[112000,112980] 233ns 100mb |L2.991| "
+ - "L2.992[112981,113960] 233ns 100mb |L2.992| "
+ - "L2.993[113961,113999] 233ns 4mb |L2.993| "
+ - "L2.994[114000,114980] 233ns 100mb |L2.994| "
+ - "L2.995[114981,115960] 233ns 100mb |L2.995| "
+ - "L2.996[115961,115999] 233ns 4mb |L2.996| "
+ - "L2.997[116000,116980] 233ns 100mb |L2.997| "
+ - "L2.998[116981,117960] 233ns 100mb |L2.998| "
+ - "L2.999[117961,117999] 233ns 4mb |L2.999| "
+ - "L2.1000[118000,118980] 233ns 100mb |L2.1000| "
+ - "L2.1001[118981,119960] 233ns 100mb |L2.1001| "
+ - "L2.1002[119961,119999] 233ns 4mb |L2.1002| "
+ - "L2.1003[120000,120980] 233ns 100mb |L2.1003| "
+ - "L2.1004[120981,121960] 233ns 100mb |L2.1004| "
+ - "L2.1005[121961,121999] 233ns 4mb |L2.1005| "
+ - "L2.1006[122000,122980] 233ns 100mb |L2.1006| "
+ - "L2.1007[122981,123960] 233ns 100mb |L2.1007| "
+ - "L2.1008[123961,123999] 233ns 4mb |L2.1008| "
+ - "L2.1009[124000,124980] 233ns 100mb |L2.1009| "
+ - "L2.1010[124981,125960] 233ns 100mb |L2.1010| "
+ - "L2.1011[125961,125999] 233ns 4mb |L2.1011| "
+ - "L2.1012[126000,126980] 233ns 100mb |L2.1012| "
+ - "L2.1013[126981,127960] 233ns 100mb |L2.1013| "
+ - "L2.1014[127961,127999] 233ns 4mb |L2.1014| "
+ - "L2.1015[128000,128980] 233ns 100mb |L2.1015| "
+ - "L2.1016[128981,129960] 233ns 100mb |L2.1016| "
+ - "L2.1017[129961,129999] 233ns 4mb |L2.1017| "
+ - "L2.1018[130000,130980] 233ns 100mb |L2.1018| "
+ - "L2.1019[130981,131960] 233ns 100mb |L2.1019| "
+ - "L2.1020[131961,131999] 233ns 4mb |L2.1020| "
+ - "L2.1021[132000,132974] 292ns 100mb |L2.1021| "
+ - "L2.1022[132975,133948] 292ns 100mb |L2.1022| "
+ - "L2.1023[133949,133999] 292ns 5mb |L2.1023| "
+ - "L2.1024[134000,134962] 292ns 100mb |L2.1024| "
+ - "L2.1025[134963,135924] 292ns 100mb |L2.1025| "
+ - "L2.1026[135925,135999] 292ns 8mb |L2.1026| "
+ - "L2.1027[136000,136962] 292ns 100mb |L2.1027| "
+ - "L2.1028[136963,137924] 292ns 100mb |L2.1028| "
+ - "L2.1029[137925,137999] 292ns 8mb |L2.1029| "
+ - "L2.1030[138000,138962] 292ns 100mb |L2.1030| "
+ - "L2.1031[138963,139924] 292ns 100mb |L2.1031| "
+ - "L2.1032[139925,139999] 292ns 8mb |L2.1032| "
+ - "L2.1033[140000,140962] 292ns 100mb |L2.1033| "
+ - "L2.1034[140963,141924] 292ns 100mb |L2.1034| "
+ - "L2.1035[141925,141999] 292ns 8mb |L2.1035| "
+ - "L2.1036[142000,142962] 292ns 100mb |L2.1036| "
+ - "L2.1037[142963,143924] 292ns 100mb |L2.1037| "
+ - "L2.1038[143925,143999] 292ns 8mb |L2.1038| "
+ - "L2.1039[144000,144962] 292ns 100mb |L2.1039| "
+ - "L2.1040[144963,145924] 292ns 100mb |L2.1040| "
+ - "L2.1041[145925,145999] 292ns 8mb |L2.1041| "
+ - "L2.1042[146000,146962] 292ns 100mb |L2.1042| "
+ - "L2.1043[146963,147924] 292ns 100mb |L2.1043| "
+ - "L2.1044[147925,147999] 292ns 8mb |L2.1044| "
+ - "L2.1045[148000,148962] 292ns 100mb |L2.1045| "
+ - "L2.1046[148963,149924] 292ns 100mb |L2.1046| "
+ - "L2.1047[149925,149999] 292ns 8mb |L2.1047| "
+ - "L2.1048[150000,150962] 292ns 100mb |L2.1048| "
+ - "L2.1049[150963,151924] 292ns 100mb |L2.1049| "
+ - "L2.1050[151925,151999] 292ns 8mb |L2.1050| "
+ - "L2.1051[152000,152962] 292ns 100mb |L2.1051| "
+ - "L2.1052[152963,153924] 292ns 100mb |L2.1052| "
+ - "L2.1053[153925,153999] 292ns 8mb |L2.1053| "
+ - "L2.1054[154000,154962] 292ns 100mb |L2.1054| "
+ - "L2.1055[154963,155924] 292ns 100mb |L2.1055| "
+ - "L2.1056[155925,155999] 292ns 8mb |L2.1056| "
+ - "L2.1057[156000,156962] 292ns 100mb |L2.1057| "
+ - "L2.1058[156963,157924] 292ns 100mb |L2.1058| "
+ - "L2.1059[157925,157999] 292ns 8mb |L2.1059| "
+ - "L2.1060[158000,158962] 292ns 100mb |L2.1060| "
+ - "L2.1061[158963,159924] 292ns 100mb |L2.1061| "
+ - "L2.1062[159925,159999] 292ns 8mb |L2.1062| "
+ - "L2.1063[160000,160962] 292ns 100mb |L2.1063| "
+ - "L2.1064[160963,161924] 292ns 100mb |L2.1064| "
+ - "L2.1065[161925,161999] 292ns 8mb |L2.1065| "
+ - "L2.1066[162000,162962] 292ns 100mb |L2.1066| "
+ - "L2.1067[162963,163924] 292ns 100mb |L2.1067| "
+ - "L2.1068[163925,163999] 292ns 8mb |L2.1068| "
+ - "L2.1069[164000,164962] 292ns 100mb |L2.1069| "
+ - "L2.1070[164963,165924] 292ns 100mb |L2.1070| "
+ - "L2.1071[165925,165999] 292ns 8mb |L2.1071| "
+ - "L2.1072[166000,166962] 292ns 100mb |L2.1072| "
+ - "L2.1073[166963,167924] 292ns 100mb |L2.1073| "
+ - "L2.1074[167925,167999] 292ns 8mb |L2.1074| "
+ - "L2.1075[168000,168962] 292ns 100mb |L2.1075| "
+ - "L2.1076[168963,169924] 292ns 100mb |L2.1076| "
+ - "L2.1077[169925,169999] 292ns 8mb |L2.1077| "
+ - "L2.1078[170000,170962] 292ns 100mb |L2.1078| "
+ - "L2.1079[170963,171924] 292ns 100mb |L2.1079| "
+ - "L2.1080[171925,171999] 292ns 8mb |L2.1080| "
+ - "L2.1081[172000,172962] 292ns 100mb |L2.1081| "
+ - "L2.1082[172963,173924] 292ns 100mb |L2.1082| "
+ - "L2.1083[173925,173999] 292ns 8mb |L2.1083| "
+ - "L2.1084[174000,174962] 292ns 100mb |L2.1084| "
+ - "L2.1085[174963,175924] 292ns 100mb |L2.1085| "
+ - "L2.1086[175925,175999] 292ns 8mb |L2.1086| "
+ - "L2.1087[176000,176962] 292ns 100mb |L2.1087| "
+ - "L2.1088[176963,177924] 292ns 100mb |L2.1088| "
+ - "L2.1089[177925,177999] 292ns 8mb |L2.1089| "
+ - "L2.1090[178000,178962] 292ns 100mb |L2.1090| "
+ - "L2.1091[178963,179924] 292ns 100mb |L2.1091| "
+ - "L2.1092[179925,179999] 292ns 8mb |L2.1092| "
+ - "L2.1093[180000,180962] 292ns 100mb |L2.1093|"
+ - "L2.1094[180963,181924] 292ns 100mb |L2.1094|"
+ - "L2.1095[181925,181999] 292ns 8mb |L2.1095|"
+ - "L2.1096[182000,183599] 292ns 86mb |L2.1096|"
+ - "L2.1097[183600,183999] 292ns 22mb |L2.1097|"
+ - "L2.1098[184000,184980] 292ns 100mb |L2.1098|"
+ - "L2.1099[184981,185960] 292ns 100mb |L2.1099|"
+ - "L2.1100[185961,185999] 292ns 4mb |L2.1100|"
+ - "L2.1101[186000,186980] 292ns 100mb |L2.1101|"
+ - "L2.1102[186981,187960] 292ns 100mb |L2.1102|"
+ - "L2.1103[187961,187999] 292ns 4mb |L2.1103|"
+ - "L2.1104[188000,188980] 292ns 100mb |L2.1104|"
+ - "L2.1105[188981,189960] 292ns 100mb |L2.1105|"
+ - "L2.1106[189961,189999] 292ns 4mb |L2.1106|"
+ - "L2.1107[190000,190980] 292ns 100mb |L2.1107|"
+ - "L2.1108[190981,191960] 292ns 100mb |L2.1108|"
+ - "L2.1109[191961,191999] 292ns 4mb |L2.1109|"
+ - "L2.1110[192000,192980] 295ns 100mb |L2.1110|"
+ - "L2.1111[192981,193960] 295ns 100mb |L2.1111|"
+ - "L2.1112[193961,193999] 295ns 4mb |L2.1112|"
+ - "L2.1113[194000,194980] 295ns 100mb |L2.1113|"
+ - "L2.1114[194981,195960] 295ns 100mb |L2.1114|"
+ - "L2.1115[195961,195999] 295ns 4mb |L2.1115|"
+ - "L2.1116[196000,196981] 299ns 100mb |L2.1116|"
+ - "L2.1117[196982,197962] 299ns 100mb |L2.1117|"
+ - "L2.1118[197963,197999] 299ns 4mb |L2.1118|"
+ - "L2.1119[198000,198981] 299ns 100mb |L2.1119|"
+ - "L2.1120[198982,199962] 299ns 100mb |L2.1120|"
+ - "L2.1121[199963,200000] 299ns 4mb |L2.1121|"
- "**** Breakdown of where bytes were written"
- - 1.21gb written by split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))
- - 1.22gb written by split(ReduceOverlap)
- - 37.76gb written by split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))
- - 400mb written by compact(ManySmallFiles)
+ - 358mb written by compact(ManySmallFiles)
+ - 38.3gb written by split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))
- 4mb written by split(VerticalSplit)
+ - 679mb written by split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))
+ - 913mb written by split(ReduceOverlap)
"###
);
}
diff --git a/data_types/src/lib.rs b/data_types/src/lib.rs
index 505d915fa3..8f87310239 100644
--- a/data_types/src/lib.rs
+++ b/data_types/src/lib.rs
@@ -627,6 +627,16 @@ impl ParquetFile {
}
false
}
+
+ /// Return true if the time range of this file overlaps with any of the given file ranges
+ pub fn overlaps_ranges(&self, ranges: &Vec<FileRange>) -> bool {
+ for range in ranges {
+ if self.min_time.get() <= range.max && self.max_time.get() >= range.min {
+ return true;
+ }
+ }
+ false
+ }
}
/// Data for a parquet file to be inserted into the catalog.
@@ -1606,7 +1616,7 @@ impl TimestampMinMax {
}
/// FileRange describes a range of files by the min/max time and the sum of their capacities.
-#[derive(Clone, Debug, Copy)]
+#[derive(Clone, Debug, Copy, PartialEq, Eq)]
pub struct FileRange {
/// The minimum time of any file in the range
pub min: i64,
|
4eccc38129ab75e3f7ca83d9299ec498d003492b
|
praveen-influx
|
2025-01-15 20:01:57
|
reproducer for the empty snapshot file issue (#25835)
|
* fix: reproducer for the empty snapshot file issue
* fix: avoid creating empty (0 dbs) snapshot file
| null |
fix: reproducer for the empty snapshot file issue (#25835)
* fix: reproducer for the empty snapshot file issue
* fix: avoid creating empty (0 dbs) snapshot file
|
diff --git a/influxdb3_catalog/src/catalog.rs b/influxdb3_catalog/src/catalog.rs
index 570baf182e..09d434436a 100644
--- a/influxdb3_catalog/src/catalog.rs
+++ b/influxdb3_catalog/src/catalog.rs
@@ -356,6 +356,14 @@ impl Catalog {
pub fn inner(&self) -> &RwLock<InnerCatalog> {
&self.inner
}
+
+ pub fn table_id(&self, db_id: &DbId, table_name: Arc<str>) -> Option<TableId> {
+ let inner = self.inner.read();
+ inner
+ .databases
+ .get(db_id)
+ .and_then(|db| db.table_name_to_id(table_name))
+ }
}
#[serde_with::serde_as]
diff --git a/influxdb3_wal/src/snapshot_tracker.rs b/influxdb3_wal/src/snapshot_tracker.rs
index c350dfda15..9699e7732b 100644
--- a/influxdb3_wal/src/snapshot_tracker.rs
+++ b/influxdb3_wal/src/snapshot_tracker.rs
@@ -92,7 +92,8 @@ impl SnapshotTracker {
}
fn should_run_snapshot(&mut self, force_snapshot: bool) -> bool {
- // wal buffer can be empty but wal periods shouldn't be
+ // When force_snapshot is set the wal_periods won't be empty, as call site always adds a
+ // no-op when wal buffer is empty and adds the wal period
if self.wal_periods.is_empty() {
if force_snapshot {
info!("cannot force a snapshot when wal periods are empty");
diff --git a/influxdb3_write/src/write_buffer/mod.rs b/influxdb3_write/src/write_buffer/mod.rs
index 4cc522153e..b4456d36a7 100644
--- a/influxdb3_write/src/write_buffer/mod.rs
+++ b/influxdb3_write/src/write_buffer/mod.rs
@@ -881,7 +881,9 @@ mod tests {
};
use object_store::local::LocalFileSystem;
use object_store::memory::InMemory;
+ use object_store::path::Path;
use object_store::{ObjectStore, PutPayload};
+ use pretty_assertions::assert_eq;
#[test]
fn parse_lp_into_buffer() {
@@ -2644,7 +2646,13 @@ mod tests {
#[test_log::test(tokio::test)]
async fn test_check_mem_and_force_snapshot() {
- let obj_store: Arc<dyn ObjectStore> = Arc::new(InMemory::new());
+ let tmp_dir = test_helpers::tmp_dir().unwrap();
+ debug!(
+ ?tmp_dir,
+ ">>> using tmp dir for test_check_mem_and_force_snapshot"
+ );
+ let obj_store: Arc<dyn ObjectStore> =
+ Arc::new(LocalFileSystem::new_with_prefix(tmp_dir).unwrap());
let (write_buffer, _, _) = setup(
Time::from_timestamp_nanos(0),
Arc::clone(&obj_store),
@@ -2688,17 +2696,130 @@ mod tests {
let total_buffer_size_bytes_before = write_buffer.buffer.get_total_size_bytes();
debug!(?total_buffer_size_bytes_before, ">>> total buffer size");
- check_mem_and_force_snapshot(&Arc::clone(&write_buffer), 100).await;
+ debug!(">>> 1st snapshot..");
+ check_mem_and_force_snapshot(&Arc::clone(&write_buffer), 50).await;
// check memory has gone down after forcing first snapshot
let total_buffer_size_bytes_after = write_buffer.buffer.get_total_size_bytes();
debug!(?total_buffer_size_bytes_after, ">>> total buffer size");
assert!(total_buffer_size_bytes_before > total_buffer_size_bytes_after);
+ assert_dbs_not_empty_in_snapshot_file(&obj_store, "test_host").await;
- // no other writes so nothing can be snapshotted, so mem should stay same
let total_buffer_size_bytes_before = total_buffer_size_bytes_after;
- check_mem_and_force_snapshot(&Arc::clone(&write_buffer), 100).await;
+ debug!(">>> 2nd snapshot..");
+ // PersistedSnapshot{
+ // writer_id: "test_host",
+ // next_file_id: ParquetFileId(1),
+ // next_db_id: DbId(1),
+ // next_table_id: TableId(1),
+ // next_column_id: ColumnId(4),
+ // snapshot_sequence_number: SnapshotSequenceNumber(2),
+ // wal_file_sequence_number: WalFileSequenceNumber(22),
+ // catalog_sequence_number: CatalogSequenceNumber(2),
+ // parquet_size_bytes: 0,
+ // row_count: 0,
+ // min_time: 9223372036854775807,
+ // max_time: -9223372036854775808,
+ // databases: SerdeVecMap({})
+ // }
+ // This snapshot file was observed when running under high memory pressure.
+ //
+ // The min/max time comes from the snapshot chunks that have been evicted from
+ // the query buffer. But when there's nothing evicted then the min/max stays
+ // the same as what they were initialized to i64::MAX/i64::MIN respectively.
+ //
+ // This however does not stop loading the data into memory as no empty
+ // parquet files are written out. But this test recreates that issue and checks
+ // object store directly to make sure inconsistent snapshot file isn't written
+ // out in the first place
+ check_mem_and_force_snapshot(&Arc::clone(&write_buffer), 50).await;
let total_buffer_size_bytes_after = write_buffer.buffer.get_total_size_bytes();
+ // no other writes so nothing can be snapshotted, so mem should stay same
assert!(total_buffer_size_bytes_before == total_buffer_size_bytes_after);
+
+ drop(write_buffer);
+ assert_dbs_not_empty_in_snapshot_file(&obj_store, "test_host").await;
+
+ // restart
+ debug!(">>> Restarting..");
+ let (write_buffer_after_restart, _, _) = setup(
+ Time::from_timestamp_nanos(300),
+ Arc::clone(&obj_store),
+ WalConfig {
+ gen1_duration: Gen1Duration::new_1m(),
+ max_write_buffer_size: 100_000,
+ flush_interval: Duration::from_millis(10),
+ snapshot_size: 10,
+ },
+ )
+ .await;
+
+ assert_dbs_not_empty_in_snapshot_file(&obj_store, "test_host").await;
+ drop(write_buffer_after_restart);
+
+ // restart
+ debug!(">>> Restarting again..");
+ let (_, _, _) = setup(
+ Time::from_timestamp_nanos(400),
+ Arc::clone(&obj_store),
+ WalConfig {
+ gen1_duration: Gen1Duration::new_1m(),
+ max_write_buffer_size: 100_000,
+ flush_interval: Duration::from_millis(10),
+ snapshot_size: 10,
+ },
+ )
+ .await;
+ assert_dbs_not_empty_in_snapshot_file(&obj_store, "test_host").await;
+ }
+
+ async fn assert_dbs_not_empty_in_snapshot_file(obj_store: &Arc<dyn ObjectStore>, host: &str) {
+ let from = Path::from(format!("{host}/snapshots/"));
+ let file_paths = load_files_from_obj_store(obj_store, &from).await;
+ debug!(?file_paths, ">>> obj store snapshots");
+ for file_path in file_paths {
+ let bytes = obj_store
+ .get(&file_path)
+ .await
+ .unwrap()
+ .bytes()
+ .await
+ .unwrap();
+ let persisted_snapshot: PersistedSnapshot = serde_json::from_slice(&bytes).unwrap();
+ // dbs not empty
+ assert!(!persisted_snapshot.databases.is_empty());
+ // min and max times aren't defaults
+ assert!(persisted_snapshot.min_time != i64::MAX);
+ assert!(persisted_snapshot.max_time != i64::MIN);
+ }
+ }
+
+ async fn load_files_from_obj_store(
+ object_store: &Arc<dyn ObjectStore>,
+ path: &Path,
+ ) -> Vec<Path> {
+ let mut paths = Vec::new();
+ let mut offset: Option<Path> = None;
+ loop {
+ let mut listing = if let Some(offset) = offset {
+ object_store.list_with_offset(Some(path), &offset)
+ } else {
+ object_store.list(Some(path))
+ };
+ let path_count = paths.len();
+
+ while let Some(item) = listing.next().await {
+ paths.push(item.unwrap().location);
+ }
+
+ if path_count == paths.len() {
+ paths.sort();
+ break;
+ }
+
+ paths.sort();
+ offset = Some(paths.last().unwrap().clone())
+ }
+ paths
}
}
diff --git a/influxdb3_write/src/write_buffer/queryable_buffer.rs b/influxdb3_write/src/write_buffer/queryable_buffer.rs
index 08ea2e5a9b..43c0f67080 100644
--- a/influxdb3_write/src/write_buffer/queryable_buffer.rs
+++ b/influxdb3_write/src/write_buffer/queryable_buffer.rs
@@ -28,7 +28,7 @@ use iox_query::frontend::reorg::ReorgPlanner;
use iox_query::QueryChunk;
use iox_time::TimeProvider;
use object_store::path::Path;
-use observability_deps::tracing::{debug, error, info};
+use observability_deps::tracing::{error, info};
use parking_lot::RwLock;
use parquet::format::FileMetaData;
use schema::sort::SortKey;
@@ -204,9 +204,6 @@ impl QueryableBuffer {
.expect("table exists");
let snapshot_chunks =
table_buffer.snapshot(table_def, snapshot_details.end_time_marker);
- for chunk in &snapshot_chunks {
- debug!(?chunk.chunk_time, num_rows_in_chunk = ?chunk.record_batch.num_rows(), ">>> removing chunk with records");
- }
for chunk in snapshot_chunks {
let table_name =
@@ -291,6 +288,7 @@ impl QueryableBuffer {
catalog.sequence_number(),
);
let mut cache_notifiers = vec![];
+ let persist_jobs_empty = persist_jobs.is_empty();
for persist_job in persist_jobs {
let path = persist_job.path.to_string();
let database_id = persist_job.database_id;
@@ -338,19 +336,53 @@ impl QueryableBuffer {
)
}
- // persist the snapshot file
- loop {
- match persister.persist_snapshot(&persisted_snapshot).await {
- Ok(_) => {
- let persisted_snapshot = Some(persisted_snapshot.clone());
- notify_snapshot_tx
- .send(persisted_snapshot)
- .expect("persisted snapshot notify tx should not be closed");
- break;
- }
- Err(e) => {
- error!(%e, "Error persisting snapshot, sleeping and retrying...");
- tokio::time::sleep(Duration::from_secs(1)).await;
+ // persist the snapshot file - only if persist jobs are present
+ // if persist_jobs is empty, then parquet file wouldn't have been
+ // written out, so it's desirable to not write empty snapshot file.
+ //
+ // How can persist jobs be empty even though snapshot is triggered?
+ //
+ // When force snapshot is set, wal_periods (tracked by
+ // snapshot_tracker) will never be empty as a no-op is added. This
+ // means even though there is a wal period the query buffer might
+ // still be empty. The reason is, when snapshots are happening very
+ // close to each other (when force snapshot is set), they could get
+ // queued to run immediately one after the other as illustrated in
+ // example series of flushes and force snapshots below,
+ //
+ // 1 (only wal flush) // triggered by flush interval 1s
+ // 2 (snapshot) // triggered by flush interval 1s
+ // 3 (force_snapshot) // triggered by mem check interval 10s
+ // 4 (force_snapshot) // triggered by mem check interval 10s
+ //
+ // Although the flush interval an mem check intervals aren't same
+ // there's a good chance under high memory pressure there will be
+ // a lot of overlapping.
+ //
+ // In this setup - after 2 (snapshot), we emptied wal buffer and as
+ // soon as snapshot is done, 3 will try to run the snapshot but wal
+ // buffer can be empty at this point, which means it adds a no-op.
+ // no-op has the current time which will be used as the
+ // end_time_marker. That would evict everything from query buffer, so
+ // when 4 (force snapshot) runs there's no data in the query
+ // buffer though it has a wal_period. When normal (i.e without
+ // force_snapshot) snapshot runs, snapshot_tracker will check if
+ // wal_periods are empty so it won't trigger a snapshot in the first
+ // place.
+ if !persist_jobs_empty {
+ loop {
+ match persister.persist_snapshot(&persisted_snapshot).await {
+ Ok(_) => {
+ let persisted_snapshot = Some(persisted_snapshot.clone());
+ notify_snapshot_tx
+ .send(persisted_snapshot)
+ .expect("persisted snapshot notify tx should not be closed");
+ break;
+ }
+ Err(e) => {
+ error!(%e, "Error persisting snapshot, sleeping and retrying...");
+ tokio::time::sleep(Duration::from_secs(1)).await;
+ }
}
}
}
@@ -363,14 +395,19 @@ impl QueryableBuffer {
for notifier in cache_notifiers.into_iter().flatten() {
let _ = notifier.await;
}
- let mut buffer = buffer.write();
- for (_, table_map) in buffer.db_to_table.iter_mut() {
- for (_, table_buffer) in table_map.iter_mut() {
- table_buffer.clear_snapshots();
+
+ // same reason as explained above, if persist jobs are empty, no snapshotting
+ // has happened so no need to clear the snapshots
+ if !persist_jobs_empty {
+ let mut buffer = buffer.write();
+ for (_, table_map) in buffer.db_to_table.iter_mut() {
+ for (_, table_buffer) in table_map.iter_mut() {
+ table_buffer.clear_snapshots();
+ }
}
- }
- persisted_files.add_persisted_snapshot_files(persisted_snapshot);
+ persisted_files.add_persisted_snapshot_files(persisted_snapshot);
+ }
});
let _ = sender.send(snapshot_details);
|
99d0530a215ae982bfe730f24a0c995b7b34dbe8
|
Joe-Blount
|
2023-06-23 04:19:06
|
compactor stuck looping with unproductive compactions (needs vertical split) (#8056)
|
* chore: adjust with_max_num_files_per_plan to more common setting
This significantly increases write amplification (see change in `written` at the conclusion of the cases)
* fix: compactor looping with unproductive compactions
* chore: formatting cleanup
* chore: fix typo in comment
* chore: add test case that compacts too many files at once
* fix: enforce max file count for compaction
* chore: insta churn from prior commit
---------
|
Co-authored-by: Dom <[email protected]>
Co-authored-by: kodiakhq[bot] <49736102+kodiakhq[bot]@users.noreply.github.com>
|
fix: compactor stuck looping with unproductive compactions (needs vertical split) (#8056)
* chore: adjust with_max_num_files_per_plan to more common setting
This significantly increases write amplification (see change in `written` at the conclusion of the cases)
* fix: compactor looping with unproductive compactions
* chore: formatting cleanup
* chore: fix typo in comment
* chore: add test case that compacts too many files at once
* fix: enforce max file count for compaction
* chore: insta churn from prior commit
---------
Co-authored-by: Dom <[email protected]>
Co-authored-by: kodiakhq[bot] <49736102+kodiakhq[bot]@users.noreply.github.com>
|
diff --git a/compactor/src/components/divide_initial/multiple_branches.rs b/compactor/src/components/divide_initial/multiple_branches.rs
index a1b57bbfa9..31322fd70b 100644
--- a/compactor/src/components/divide_initial/multiple_branches.rs
+++ b/compactor/src/components/divide_initial/multiple_branches.rs
@@ -49,14 +49,32 @@ impl DivideInitial for MultipleBranchesDivideInitial {
.collect::<Vec<_>>();
let mut branches = Vec::with_capacity(start_level_files.len());
- let mut chains: Vec<Vec<ParquetFile>>;
+ let mut chains = Vec::with_capacity(start_level_files.len());
if start_level == CompactionLevel::Initial {
- // The splitting & merging of chains in this block is what makes use of the vertical split performed by
- // high_l0_overlap_split. Without this chain based grouping, compactions would generally undo the work
- // started by splitting in high_l0_overlap_split.
- // split start_level_files into chains of overlapping files. This can happen based on min_time/max_time
- // without regard for max_l0_created_at because there are no overlaps between chains.
- chains = split_into_chains(start_level_files);
+ // L0 files can be highly overlapping, requiring 'vertical splitting' (see high_l0_overlap_split).
+ // Achieving `vertical splitting` requires we tweak the grouping here for two reasons:
+ // 1) Allow the large highly overlapped groups of L0s to remain in a single branch, so they trigger the split
+ // 2) Prevent the output of a prior split from being grouped together to undo the previous veritacal split.
+
+ // Both of these objectives need to consider the L0s as a chains of overlapping files. The chains are
+ // each a set of L0s that overlap each other, but do not overlap the other chains.
+ // Chains can be created based on min_time/max_time without regard for max_l0_created_at because there
+ // are no overlaps between chains.
+ let initial_chains = split_into_chains(start_level_files);
+
+ // Reason 1) above - keep the large groups of L0s in a single branch to facilitate later splitting.
+ for chain in initial_chains {
+ let this_chain_bytes: usize =
+ chain.iter().map(|f| f.file_size_bytes as usize).sum();
+ if this_chain_bytes > 2 * max_total_file_size_to_group {
+ // This is a very large set of overlapping L0s, its needs vertical splitting, so keep the branch intact
+ // to trigger the split.
+ branches.push(chain);
+ } else {
+ chains.push(chain);
+ }
+ }
+
// If the chains are smaller than the max compact size, combine them to get better compaction group sizes.
// This combining of chains must happen based on max_l0_created_at (it can only join adjacent chains, when
// sorted by max_l0_created_at).
@@ -65,6 +83,11 @@ impl DivideInitial for MultipleBranchesDivideInitial {
chains = vec![start_level_files];
}
+ // Reason 2) above - ensure the grouping in branches doesn't undo the vertical splitting.
+ // Assume we start with 30 files (A,B,C,...), that were each split into 3 files (A1, A2, A3, B1, ..). If we create branches
+ // from sorting all files by max_l0_created_at we'd undo the vertical splitting (A1-A3 would get compacted back into one file).
+ // Currently the contents of each chain is more like A1, B1, C1, so by grouping chains together we can preserve the previous
+ // vertical splitting.
for chain in chains {
let start_level_files = order_files(chain, start_level);
@@ -183,11 +206,11 @@ mod tests {
#[should_panic(
expected = "Size of a file 50 is larger than the max size limit to compact. Please adjust the settings"
)]
- fn test_divide_size_limit_too_sall() {
+ fn test_divide_size_limit_too_small() {
let round_info = RoundInfo::ManySmallFiles {
start_level: CompactionLevel::Initial,
max_num_files_to_group: 10,
- max_total_file_size_to_group: 10,
+ max_total_file_size_to_group: 40,
};
let divide = MultipleBranchesDivideInitial::new();
diff --git a/compactor/src/components/file_classifier/split_based.rs b/compactor/src/components/file_classifier/split_based.rs
index 7637276589..b85edaa765 100644
--- a/compactor/src/components/file_classifier/split_based.rs
+++ b/compactor/src/components/file_classifier/split_based.rs
@@ -3,7 +3,10 @@ use std::fmt::Display;
use data_types::{CompactionLevel, ParquetFile};
use crate::{
- components::{files_split::FilesSplit, split_or_compact::SplitOrCompact},
+ components::{
+ divide_initial::multiple_branches::order_files, files_split::FilesSplit,
+ split_or_compact::SplitOrCompact,
+ },
file_classification::{
CompactReason, FileClassification, FilesForProgress, FilesToSplitOrCompact,
},
@@ -128,7 +131,11 @@ where
let target_level = round_info.target_level();
if round_info.is_many_small_files() {
- return file_classification_for_many_files(files_to_compact, target_level);
+ return file_classification_for_many_files(
+ round_info.max_num_files_to_group().unwrap(),
+ files_to_compact,
+ target_level,
+ );
}
// Split files into files_to_compact, files_to_upgrade, and files_to_keep
@@ -172,7 +179,8 @@ where
}
fn file_classification_for_many_files(
- files_to_compact: Vec<ParquetFile>,
+ max_num_files_to_group: usize,
+ files: Vec<ParquetFile>,
target_level: CompactionLevel,
) -> FileClassification {
// Verify all input files are in the target_level
@@ -181,12 +189,29 @@ fn file_classification_for_many_files(
);
assert!(
- files_to_compact
- .iter()
- .all(|f| f.compaction_level == target_level),
+ files.iter().all(|f| f.compaction_level == target_level),
"{err_msg}"
);
+ let mut files_to_compact = vec![];
+ let mut files_to_keep: Vec<ParquetFile> = vec![];
+
+ // Enforce max_num_files_to_group
+ if files.len() > max_num_files_to_group {
+ let ordered_files = order_files(files, target_level.prev());
+ ordered_files
+ .chunks(max_num_files_to_group)
+ .for_each(|chunk| {
+ if files_to_compact.is_empty() {
+ files_to_compact = chunk.to_vec();
+ } else {
+ files_to_keep.append(chunk.to_vec().as_mut());
+ }
+ });
+ } else {
+ files_to_compact = files;
+ }
+
let files_to_make_progress_on = FilesForProgress {
upgrade: vec![],
split_or_compact: FilesToSplitOrCompact::Compact(
@@ -198,6 +223,6 @@ fn file_classification_for_many_files(
FileClassification {
target_level,
files_to_make_progress_on,
- files_to_keep: vec![],
+ files_to_keep,
}
}
diff --git a/compactor/src/components/hardcoded.rs b/compactor/src/components/hardcoded.rs
index f64143fde7..8dfc067c30 100644
--- a/compactor/src/components/hardcoded.rs
+++ b/compactor/src/components/hardcoded.rs
@@ -380,6 +380,7 @@ fn make_file_classifier(config: &Config) -> Arc<dyn FileClassifier> {
UpgradeSplit::new(config.max_desired_file_size_bytes),
LoggingSplitOrCompactWrapper::new(MetricsSplitOrCompactWrapper::new(
SplitCompact::new(
+ config.max_num_files_per_plan,
config.max_compact_size_bytes(),
config.max_desired_file_size_bytes,
),
diff --git a/compactor/src/components/round_info_source/mod.rs b/compactor/src/components/round_info_source/mod.rs
index c90b99d31f..271c768108 100644
--- a/compactor/src/components/round_info_source/mod.rs
+++ b/compactor/src/components/round_info_source/mod.rs
@@ -72,11 +72,12 @@ impl LevelBasedRoundInfo {
}
/// Returns true if number of files of the given start_level and
- /// their overlapped files in next level is over limit
+ /// their overlapped files in next level is over limit, and if those
+ /// files are sufficiently small.
///
/// over the limit means that the maximum number of files that a subsequent compaction
/// branch may choose to compact in a single plan would exceed `max_num_files_per_plan`
- pub fn too_many_files_to_compact(
+ pub fn too_many_small_files_to_compact(
&self,
files: &[ParquetFile],
start_level: CompactionLevel,
@@ -86,6 +87,10 @@ impl LevelBasedRoundInfo {
.filter(|f| f.compaction_level == start_level)
.collect::<Vec<_>>();
let num_start_level = start_level_files.len();
+ let size_start_level: usize = start_level_files
+ .iter()
+ .map(|f| f.file_size_bytes as usize)
+ .sum();
let next_level_files = files
.iter()
@@ -97,6 +102,14 @@ impl LevelBasedRoundInfo {
// plan, run a pre-phase to reduce the number of files first
let num_overlapped_files = get_num_overlapped_files(start_level_files, next_level_files);
if num_start_level + num_overlapped_files > self.max_num_files_per_plan {
+ if size_start_level / num_start_level
+ > self.max_total_file_size_per_plan / self.max_num_files_per_plan
+ {
+ // Average start level file size is more than the average implied by max bytes & files per plan.
+ // Even though there are "many files", this is not "many small files".
+ // There isn't much (perhaps not any) file reduction to be done, so don't try.
+ return false;
+ }
return true;
}
@@ -113,7 +126,7 @@ impl RoundInfoSource for LevelBasedRoundInfo {
) -> Result<RoundInfo, DynError> {
let start_level = get_start_level(files);
- if self.too_many_files_to_compact(files, start_level) {
+ if self.too_many_small_files_to_compact(files, start_level) {
return Ok(RoundInfo::ManySmallFiles {
start_level,
max_num_files_to_group: self.max_num_files_per_plan,
@@ -200,7 +213,7 @@ mod tests {
use crate::components::round_info_source::LevelBasedRoundInfo;
#[test]
- fn test_too_many_files_to_compact() {
+ fn test_too_many_small_files_to_compact() {
// L0 files
let f1 = ParquetFileBuilder::new(1)
.with_time_range(0, 100)
@@ -229,18 +242,20 @@ mod tests {
// f1 and f2 are not over limit
assert!(!round_info
- .too_many_files_to_compact(&[f1.clone(), f2.clone()], CompactionLevel::Initial));
+ .too_many_small_files_to_compact(&[f1.clone(), f2.clone()], CompactionLevel::Initial));
// f1, f2 and f3 are not over limit
- assert!(!round_info.too_many_files_to_compact(
+ assert!(!round_info.too_many_small_files_to_compact(
&[f1.clone(), f2.clone(), f3.clone()],
CompactionLevel::Initial
));
// f1, f2 and f4 are over limit
- assert!(round_info.too_many_files_to_compact(
+ assert!(round_info.too_many_small_files_to_compact(
&[f1.clone(), f2.clone(), f4.clone()],
CompactionLevel::Initial
));
// f1, f2, f3 and f4 are over limit
- assert!(round_info.too_many_files_to_compact(&[f1, f2, f3, f4], CompactionLevel::Initial));
+ assert!(
+ round_info.too_many_small_files_to_compact(&[f1, f2, f3, f4], CompactionLevel::Initial)
+ );
}
}
diff --git a/compactor/src/components/split_or_compact/files_to_compact.rs b/compactor/src/components/split_or_compact/files_to_compact.rs
index 355be14dca..0da9f99920 100644
--- a/compactor/src/components/split_or_compact/files_to_compact.rs
+++ b/compactor/src/components/split_or_compact/files_to_compact.rs
@@ -65,6 +65,7 @@ use crate::components::{
/// - files_to_keep: None
///
pub fn limit_files_to_compact(
+ max_compact_files: usize,
max_compact_size: usize,
files: Vec<ParquetFile>,
target_level: CompactionLevel,
@@ -120,7 +121,9 @@ pub fn limit_files_to_compact(
.sum::<i64>();
// If total size is under limit, add this file and its overlapped files to files_to_compact
- if total_size + size <= max_compact_size as i64 {
+ if total_size + size <= max_compact_size as i64
+ && start_level_files_to_compact.len() < max_compact_files
+ {
start_level_files_to_compact.push(file);
target_level_files_to_compact
.extend(overlapped_files.into_iter().cloned().collect::<Vec<_>>());
@@ -242,12 +245,13 @@ mod tests {
use crate::components::split_or_compact::files_to_compact::limit_files_to_compact;
const MAX_SIZE: usize = 100;
+ const MAX_COUNT: usize = 20;
#[test]
fn test_compact_empty() {
let files = vec![];
let keep_and_split_or_compact =
- limit_files_to_compact(MAX_SIZE, files, CompactionLevel::Initial);
+ limit_files_to_compact(MAX_COUNT, MAX_SIZE, files, CompactionLevel::Initial);
let files_to_compact = keep_and_split_or_compact.files_to_compact();
let files_to_further_split = keep_and_split_or_compact.files_to_further_split();
@@ -266,7 +270,7 @@ mod tests {
// Target is L0 while all files are in L1 --> panic
let _keep_and_split_or_compact =
- limit_files_to_compact(MAX_SIZE, files, CompactionLevel::Initial);
+ limit_files_to_compact(MAX_COUNT, MAX_SIZE, files, CompactionLevel::Initial);
}
#[test]
@@ -294,8 +298,12 @@ mod tests {
);
// panic because it only handle at most 2 levels next to each other
- let _keep_and_split_or_compact =
- limit_files_to_compact(MAX_SIZE, files, CompactionLevel::FileNonOverlapped);
+ let _keep_and_split_or_compact = limit_files_to_compact(
+ MAX_COUNT,
+ MAX_SIZE,
+ files,
+ CompactionLevel::FileNonOverlapped,
+ );
}
#[test]
@@ -319,8 +327,12 @@ mod tests {
);
// size limit > total size --> files to compact = all L0s and overalapped L1s
- let _keep_and_split_or_compact =
- limit_files_to_compact(MAX_SIZE * 5 + 1, files, CompactionLevel::FileNonOverlapped);
+ let _keep_and_split_or_compact = limit_files_to_compact(
+ MAX_COUNT,
+ MAX_SIZE * 5 + 1,
+ files,
+ CompactionLevel::FileNonOverlapped,
+ );
}
#[test]
@@ -342,8 +354,12 @@ mod tests {
);
// size limit > total size --> files to compact = all L0s and overalapped L1s
- let keep_and_split_or_compact =
- limit_files_to_compact(MAX_SIZE * 5 + 1, files, CompactionLevel::FileNonOverlapped);
+ let keep_and_split_or_compact = limit_files_to_compact(
+ MAX_COUNT,
+ MAX_SIZE * 5 + 1,
+ files,
+ CompactionLevel::FileNonOverlapped,
+ );
let files_to_compact = keep_and_split_or_compact.files_to_compact();
let files_to_further_split = keep_and_split_or_compact.files_to_further_split();
@@ -390,8 +406,12 @@ mod tests {
);
// size limit too small to compact anything
- let keep_and_split_or_compact =
- limit_files_to_compact(MAX_SIZE, files, CompactionLevel::FileNonOverlapped);
+ let keep_and_split_or_compact = limit_files_to_compact(
+ MAX_COUNT,
+ MAX_SIZE,
+ files,
+ CompactionLevel::FileNonOverlapped,
+ );
let files_to_compact = keep_and_split_or_compact.files_to_compact();
let files_to_further_split = keep_and_split_or_compact.files_to_further_split();
@@ -440,8 +460,12 @@ mod tests {
);
// size limit < total size --> only enough to compact L0.1 with L1.12
- let keep_and_split_or_compact =
- limit_files_to_compact(MAX_SIZE * 3, files, CompactionLevel::FileNonOverlapped);
+ let keep_and_split_or_compact = limit_files_to_compact(
+ MAX_COUNT,
+ MAX_SIZE * 3,
+ files,
+ CompactionLevel::FileNonOverlapped,
+ );
let files_to_compact = keep_and_split_or_compact.files_to_compact();
let files_to_further_split = keep_and_split_or_compact.files_to_further_split();
@@ -490,8 +514,12 @@ mod tests {
);
// size limit < total size --> only enough to compact L0.1, L0.2 with L1.12 and L1.13
- let keep_and_split_or_compact =
- limit_files_to_compact(MAX_SIZE * 4, files, CompactionLevel::FileNonOverlapped);
+ let keep_and_split_or_compact = limit_files_to_compact(
+ MAX_COUNT,
+ MAX_SIZE * 4,
+ files,
+ CompactionLevel::FileNonOverlapped,
+ );
let files_to_compact = keep_and_split_or_compact.files_to_compact();
let files_to_further_split = keep_and_split_or_compact.files_to_further_split();
@@ -547,8 +575,12 @@ mod tests {
// --------------------
// size limit = MAX_SIZE to force the first choice: splitting L0.1 with L1.11
- let keep_and_split_or_compact =
- limit_files_to_compact(MAX_SIZE, files.clone(), CompactionLevel::FileNonOverlapped);
+ let keep_and_split_or_compact = limit_files_to_compact(
+ MAX_COUNT,
+ MAX_SIZE,
+ files.clone(),
+ CompactionLevel::FileNonOverlapped,
+ );
let files_to_compact = keep_and_split_or_compact.files_to_compact();
let files_to_further_split = keep_and_split_or_compact.files_to_further_split();
@@ -581,6 +613,7 @@ mod tests {
// --------------------
// size limit = MAX_SIZE * 3 to force the second choice, L0.1 with L1.11
let keep_and_split_or_compact = limit_files_to_compact(
+ MAX_COUNT,
MAX_SIZE * 3,
files.clone(),
CompactionLevel::FileNonOverlapped,
@@ -618,6 +651,7 @@ mod tests {
// size limit = MAX_SIZE * 4 to force the second choice, L0.1 with L1.11, because it still not enough to for second choice
let keep_and_split_or_compact = limit_files_to_compact(
+ MAX_COUNT,
MAX_SIZE * 4,
files.clone(),
CompactionLevel::FileNonOverlapped,
@@ -654,6 +688,7 @@ mod tests {
// --------------------
// size limit = MAX_SIZE * 5 to force the third choice, L0.1, L0.2 with L1.11, L1.12, L1.13
let keep_and_split_or_compact = limit_files_to_compact(
+ MAX_COUNT,
MAX_SIZE * 5,
files.clone(),
CompactionLevel::FileNonOverlapped,
@@ -688,8 +723,12 @@ mod tests {
// --------------------
// size limit >= total size to force the forth choice compacting everything: L0.1, L0.2, L0.3 with L1.11, L1.12, L1.13
- let keep_and_split_or_compact =
- limit_files_to_compact(MAX_SIZE * 6, files, CompactionLevel::FileNonOverlapped);
+ let keep_and_split_or_compact = limit_files_to_compact(
+ MAX_COUNT,
+ MAX_SIZE * 6,
+ files,
+ CompactionLevel::FileNonOverlapped,
+ );
let files_to_compact = keep_and_split_or_compact.files_to_compact();
let files_to_further_split = keep_and_split_or_compact.files_to_further_split();
@@ -749,7 +788,7 @@ mod tests {
// --------------------
// size limit = MAX_SIZE to force the first choice: splitting L1.1 & L2.11
let keep_and_split_or_compact =
- limit_files_to_compact(MAX_SIZE, files.clone(), CompactionLevel::Final);
+ limit_files_to_compact(MAX_COUNT, MAX_SIZE, files.clone(), CompactionLevel::Final);
let files_to_compact = keep_and_split_or_compact.files_to_compact();
let files_to_further_split = keep_and_split_or_compact.files_to_further_split();
@@ -781,8 +820,12 @@ mod tests {
// --------------------
// size limit = MAX_SIZE * 3 to force the second choice,: compact L1.1 with L2.11
- let keep_and_split_or_compact =
- limit_files_to_compact(MAX_SIZE * 3, files.clone(), CompactionLevel::Final);
+ let keep_and_split_or_compact = limit_files_to_compact(
+ MAX_COUNT,
+ MAX_SIZE * 3,
+ files.clone(),
+ CompactionLevel::Final,
+ );
let files_to_compact = keep_and_split_or_compact.files_to_compact();
let files_to_further_split = keep_and_split_or_compact.files_to_further_split();
@@ -814,8 +857,12 @@ mod tests {
// --------------------
// size limit = MAX_SIZE * 3 to force the second choice, compact L1.1 with L1.12, because it still not enough to for third choice
- let keep_and_split_or_compact =
- limit_files_to_compact(MAX_SIZE * 3, files.clone(), CompactionLevel::Final);
+ let keep_and_split_or_compact = limit_files_to_compact(
+ MAX_COUNT,
+ MAX_SIZE * 3,
+ files.clone(),
+ CompactionLevel::Final,
+ );
let files_to_compact = keep_and_split_or_compact.files_to_compact();
let files_to_further_split = keep_and_split_or_compact.files_to_further_split();
@@ -847,8 +894,12 @@ mod tests {
// --------------------
// size limit = MAX_SIZE * 5 to force the third choice, L1.1, L1.2 with L2.11, L2.12, L2.13
- let keep_and_split_or_compact =
- limit_files_to_compact(MAX_SIZE * 5, files.clone(), CompactionLevel::Final);
+ let keep_and_split_or_compact = limit_files_to_compact(
+ MAX_COUNT,
+ MAX_SIZE * 5,
+ files.clone(),
+ CompactionLevel::Final,
+ );
let files_to_compact = keep_and_split_or_compact.files_to_compact();
let files_to_further_split = keep_and_split_or_compact.files_to_further_split();
@@ -881,7 +932,7 @@ mod tests {
// --------------------
// size limit >= total size to force the forth choice compacting everything: L1.1, L1.2, L1.3 with L2.11, L2.12, L2.13
let keep_and_split_or_compact =
- limit_files_to_compact(MAX_SIZE * 6, files, CompactionLevel::Final);
+ limit_files_to_compact(MAX_COUNT, MAX_SIZE * 6, files, CompactionLevel::Final);
let files_to_compact = keep_and_split_or_compact.files_to_compact();
let files_to_further_split = keep_and_split_or_compact.files_to_further_split();
diff --git a/compactor/src/components/split_or_compact/metrics.rs b/compactor/src/components/split_or_compact/metrics.rs
index 4bda93d4e0..d7d158ad43 100644
--- a/compactor/src/components/split_or_compact/metrics.rs
+++ b/compactor/src/components/split_or_compact/metrics.rs
@@ -117,7 +117,7 @@ mod tests {
let files = vec![];
let p_info = Arc::new(PartitionInfoBuilder::new().build());
let split_compact = MetricsSplitOrCompactWrapper::new(
- SplitCompact::new(MAX_FILE, MAX_FILE as u64),
+ SplitCompact::new(MAX_FILE, MAX_FILE, MAX_FILE as u64),
®istry,
);
let (_files_to_split_or_compact, _files_to_keep) =
@@ -150,7 +150,7 @@ mod tests {
let files = create_overlapped_l0_l1_files_2(MAX_FILE as i64);
let p_info = Arc::new(PartitionInfoBuilder::new().build());
let split_compact = MetricsSplitOrCompactWrapper::new(
- SplitCompact::new(MAX_FILE, MAX_FILE as u64),
+ SplitCompact::new(MAX_FILE, MAX_FILE, MAX_FILE as u64),
®istry,
);
let (_files_to_split_or_compact, _files_to_keep) =
@@ -184,7 +184,7 @@ mod tests {
let files = create_overlapped_l1_l2_files_2(MAX_FILE as i64);
let p_info = Arc::new(PartitionInfoBuilder::new().build());
let split_compact = MetricsSplitOrCompactWrapper::new(
- SplitCompact::new(MAX_FILE * 3, MAX_FILE as u64),
+ SplitCompact::new(MAX_FILE, MAX_FILE * 3, MAX_FILE as u64),
®istry,
);
let (_files_to_split_or_compact, _files_to_keep) =
diff --git a/compactor/src/components/split_or_compact/split_compact.rs b/compactor/src/components/split_or_compact/split_compact.rs
index 91f3bfd849..0cca79efdc 100644
--- a/compactor/src/components/split_or_compact/split_compact.rs
+++ b/compactor/src/components/split_or_compact/split_compact.rs
@@ -16,13 +16,19 @@ use super::{
#[derive(Debug)]
pub struct SplitCompact {
+ max_compact_files: usize,
max_compact_size: usize,
max_desired_file_size: u64,
}
impl SplitCompact {
- pub fn new(max_compact_size: usize, max_desired_file_size: u64) -> Self {
+ pub fn new(
+ max_compact_files: usize,
+ max_compact_size: usize,
+ max_desired_file_size: u64,
+ ) -> Self {
Self {
+ max_compact_files,
max_compact_size,
max_desired_file_size,
}
@@ -42,7 +48,7 @@ impl Display for SplitCompact {
impl SplitOrCompact for SplitCompact {
/// Return (`[files_to_split_or_compact]`, `[files_to_keep]`) of given files
///
- /// Verify if the the give files are over the max_compact_size limit, then:
+ /// Verify if the the given files are over the max_compact_size or file count limit, then:
/// (1).If >max_compact_size files overlap each other (i.e. they all overlap, not just each one
/// overlapping its neighbors), perform a 'vertical split' on all overlapping files.
/// (2).Find start-level files that can be split to reduce the number of overlapped
@@ -70,9 +76,17 @@ impl SplitOrCompact for SplitCompact {
);
}
- // Compact all in one run if total size is less than max_compact_size
+ // Compact all in one run if total size and file count are under the limit.
let total_size: i64 = files.iter().map(|f| f.file_size_bytes).sum();
- if total_size as usize <= self.max_compact_size {
+ let start_level_files: usize = files
+ .iter()
+ .filter(|f| f.compaction_level == target_level.prev())
+ .collect::<Vec<&ParquetFile>>()
+ .len();
+
+ if total_size as usize <= self.max_compact_size
+ && start_level_files < self.max_compact_files
+ {
return (
FilesToSplitOrCompact::Compact(
files,
@@ -108,8 +122,12 @@ impl SplitOrCompact for SplitCompact {
// (3) No start level split is needed, which means every start-level file overlaps with at most one target-level file
// Need to limit number of files to compact to stay under compact size limit
- let keep_and_split_or_compact =
- limit_files_to_compact(self.max_compact_size, files_not_to_split, target_level);
+ let keep_and_split_or_compact = limit_files_to_compact(
+ self.max_compact_files,
+ self.max_compact_size,
+ files_not_to_split,
+ target_level,
+ );
let files_to_compact = keep_and_split_or_compact.files_to_compact();
let files_to_further_split = keep_and_split_or_compact.files_to_further_split();
@@ -168,12 +186,13 @@ mod tests {
};
const FILE_SIZE: usize = 100;
+ const FILE_COUNT: usize = 20;
#[test]
fn test_empty() {
let files = vec![];
let p_info = Arc::new(PartitionInfoBuilder::new().build());
- let split_compact = SplitCompact::new(FILE_SIZE, FILE_SIZE as u64);
+ let split_compact = SplitCompact::new(FILE_COUNT, FILE_SIZE, FILE_SIZE as u64);
let (files_to_split_or_compact, files_to_keep) =
split_compact.apply(&p_info, files, CompactionLevel::Initial);
@@ -205,7 +224,7 @@ mod tests {
);
let p_info = Arc::new(PartitionInfoBuilder::new().build());
- let split_compact = SplitCompact::new(FILE_SIZE, FILE_SIZE as u64);
+ let split_compact = SplitCompact::new(FILE_COUNT, FILE_SIZE, FILE_SIZE as u64);
let (_files_to_split_or_compact, _files_to_keep) =
split_compact.apply(&p_info, files, CompactionLevel::Final);
}
@@ -231,7 +250,8 @@ mod tests {
let max_desired_file_size =
FILE_SIZE - (FILE_SIZE as f64 * PERCENTAGE_OF_SOFT_EXCEEDED) as usize - 30;
let max_compact_size = 3 * max_desired_file_size;
- let split_compact = SplitCompact::new(max_compact_size, max_desired_file_size as u64);
+ let split_compact =
+ SplitCompact::new(FILE_COUNT, max_compact_size, max_desired_file_size as u64);
let (files_to_split_or_compact, files_to_keep) =
split_compact.apply(&p_info, files, CompactionLevel::Final);
@@ -293,7 +313,7 @@ mod tests {
// size limit > total size --> compact all
let p_info = Arc::new(PartitionInfoBuilder::new().build());
- let split_compact = SplitCompact::new(FILE_SIZE * 6 + 1, FILE_SIZE as u64);
+ let split_compact = SplitCompact::new(FILE_COUNT, FILE_SIZE * 6 + 1, FILE_SIZE as u64);
let (files_to_split_or_compact, files_to_keep) =
split_compact.apply(&p_info, files, CompactionLevel::FileNonOverlapped);
@@ -340,7 +360,7 @@ mod tests {
// hit size limit -> split start_level files that overlap with more than 1 target_level files
let p_info = Arc::new(PartitionInfoBuilder::new().build());
- let split_compact = SplitCompact::new(FILE_SIZE * 3, FILE_SIZE as u64);
+ let split_compact = SplitCompact::new(FILE_COUNT, FILE_SIZE * 3, FILE_SIZE as u64);
let (files_to_split_or_compact, files_to_keep) =
split_compact.apply(&p_info, files, CompactionLevel::FileNonOverlapped);
@@ -388,7 +408,7 @@ mod tests {
// hit max_compact_size limit on files that overlap just L0.1, and split that set of files into something manageable.
let p_info = Arc::new(PartitionInfoBuilder::new().build());
- let split_compact = SplitCompact::new(FILE_SIZE, FILE_SIZE as u64);
+ let split_compact = SplitCompact::new(FILE_COUNT, FILE_SIZE, FILE_SIZE as u64);
let (files_to_split_or_compact, files_to_keep) =
split_compact.apply(&p_info, files, CompactionLevel::FileNonOverlapped);
@@ -435,7 +455,7 @@ mod tests {
// hit size limit and nthign to split --> limit number if files to compact
let p_info = Arc::new(PartitionInfoBuilder::new().build());
- let split_compact = SplitCompact::new(FILE_SIZE * 3, FILE_SIZE as u64);
+ let split_compact = SplitCompact::new(FILE_COUNT, FILE_SIZE * 3, FILE_SIZE as u64);
let (files_to_split_or_compact, files_to_keep) =
split_compact.apply(&p_info, files, CompactionLevel::Final);
diff --git a/compactor/src/round_info.rs b/compactor/src/round_info.rs
index b4939b955e..dd6f2d4798 100644
--- a/compactor/src/round_info.rs
+++ b/compactor/src/round_info.rs
@@ -51,4 +51,15 @@ impl RoundInfo {
pub fn is_many_small_files(&self) -> bool {
matches!(self, Self::ManySmallFiles { .. })
}
+
+ /// return max_num_files_to_group, when available.
+ pub fn max_num_files_to_group(&self) -> Option<usize> {
+ match self {
+ Self::TargetLevel { .. } => None,
+ Self::ManySmallFiles {
+ max_num_files_to_group,
+ ..
+ } => Some(*max_num_files_to_group),
+ }
+ }
}
diff --git a/compactor/tests/layouts/accumulated_size.rs b/compactor/tests/layouts/accumulated_size.rs
index 0995217246..6f30f7da73 100644
--- a/compactor/tests/layouts/accumulated_size.rs
+++ b/compactor/tests/layouts/accumulated_size.rs
@@ -330,12 +330,12 @@ async fn small_l1_plus_nonoverlapping_l0s_two_runs() {
- "L0.5[41,49] 51ns 10kb |----L0.5----| "
- "L1 "
- "L1.1[0,10] 11ns 40kb |------L1.1------| "
- - "**** Simulation run 0, type=compact(TotalSizeLessThanMaxCompactSize). 4 Input Files, 40kb total:"
+ - "**** Simulation run 0, type=compact(FoundSubsetLessThanMaxCompactSize). 4 Input Files, 40kb total:"
- "L0, all files 10kb "
- - "L0.5[41,49] 51ns |------L0.5------| "
- - "L0.4[31,39] 41ns |------L0.4------| "
- - "L0.3[21,29] 31ns |------L0.3------| "
- "L0.2[11,19] 21ns |------L0.2------| "
+ - "L0.3[21,29] 31ns |------L0.3------| "
+ - "L0.4[31,39] 41ns |------L0.4------| "
+ - "L0.5[41,49] 51ns |------L0.5------| "
- "**** 1 Output Files (parquet_file_id not yet assigned), 40kb total:"
- "L1, all files 40kb "
- "L1.?[11,49] 51ns |------------------------------------------L1.?------------------------------------------|"
diff --git a/compactor/tests/layouts/backfill.rs b/compactor/tests/layouts/backfill.rs
index d55e924b68..26105dbd88 100644
--- a/compactor/tests/layouts/backfill.rs
+++ b/compactor/tests/layouts/backfill.rs
@@ -21,7 +21,7 @@ async fn random_backfill_empty_partition() {
let setup = layout_setup_builder()
.await
.with_max_desired_file_size_bytes(MAX_DESIRED_FILE_SIZE)
- .with_max_num_files_per_plan(200)
+ .with_max_num_files_per_plan(20)
.build()
.await;
@@ -137,4639 +137,887 @@ async fn random_backfill_empty_partition() {
- "L0.49[76,932] 1.05us |-----------------------------------L0.49------------------------------------| "
- "L0.50[42,986] 1.05us |---------------------------------------L0.50----------------------------------------| "
- "L0.51[0,1] 999ns |L0.51| "
- - "**** Simulation run 0, type=split(HighL0OverlapSingleFile)(split_times=[356, 670]). 1 Input Files, 10mb total:"
+ - "**** Simulation run 0, type=compact(ManySmallFiles). 1 Input Files, 10mb total:"
- "L0, all files 10mb "
- - "L0.1[76,932] 1us |------------------------------------------L0.1------------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[76,356] 1us 3mb |-----------L0.?------------| "
- - "L0.?[357,670] 1us 4mb |-------------L0.?-------------| "
- - "L0.?[671,932] 1us 3mb |----------L0.?-----------| "
- - "**** Simulation run 1, type=split(HighL0OverlapSingleFile)(split_times=[356, 670]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.2[42,986] 1us |------------------------------------------L0.2------------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[42,356] 1us 3mb |-----------L0.?------------| "
- - "L0.?[357,670] 1us 3mb |-----------L0.?------------| "
- - "L0.?[671,986] 1us 3mb |------------L0.?------------| "
- - "**** Simulation run 2, type=split(HighL0OverlapSingleFile)(split_times=[356, 670]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.3[173,950] 1us |------------------------------------------L0.3------------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[173,356] 1us 2mb |-------L0.?--------| "
- - "L0.?[357,670] 1us 4mb |---------------L0.?---------------| "
- - "L0.?[671,950] 1us 4mb |-------------L0.?-------------| "
- - "**** Simulation run 3, type=split(HighL0OverlapSingleFile)(split_times=[356]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.4[50,629] 1us |------------------------------------------L0.4------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[50,356] 1us 5mb |--------------------L0.?---------------------| "
- - "L0.?[357,629] 1us 5mb |------------------L0.?------------------| "
- - "**** Simulation run 4, type=split(HighL0OverlapSingleFile)(split_times=[356, 670]). 1 Input Files, 10mb total:"
+ - "L0.51[0,1] 999ns |-----------------------------------------L0.51------------------------------------------|"
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 10mb total:"
- "L0, all files 10mb "
- - "L0.5[76,932] 1us |------------------------------------------L0.5------------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[76,356] 1us 3mb |-----------L0.?------------| "
- - "L0.?[357,670] 1us 4mb |-------------L0.?-------------| "
- - "L0.?[671,932] 1us 3mb |----------L0.?-----------| "
- - "**** Simulation run 5, type=split(HighL0OverlapSingleFile)(split_times=[356, 670]). 1 Input Files, 10mb total:"
+ - "L0.?[0,1] 999ns |------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 1 files: L0.51"
+ - " Creating 1 files"
+ - "**** Simulation run 1, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[514]). 20 Input Files, 200mb total:"
- "L0, all files 10mb "
+ - "L0.1[76,932] 1us |-------------------------------------L0.1--------------------------------------| "
+ - "L0.2[42,986] 1us |------------------------------------------L0.2------------------------------------------|"
+ - "L0.3[173,950] 1us |----------------------------------L0.3----------------------------------| "
+ - "L0.4[50,629] 1us |------------------------L0.4-------------------------| "
+ - "L0.5[76,932] 1us |-------------------------------------L0.5--------------------------------------| "
- "L0.6[42,986] 1us |------------------------------------------L0.6------------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[42,356] 1us 3mb |-----------L0.?------------| "
- - "L0.?[357,670] 1us 3mb |-----------L0.?------------| "
- - "L0.?[671,986] 1us 3mb |------------L0.?------------| "
- - "**** Simulation run 6, type=split(HighL0OverlapSingleFile)(split_times=[356, 670]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.7[173,950] 1.01us |------------------------------------------L0.7------------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[173,356] 1.01us 2mb |-------L0.?--------| "
- - "L0.?[357,670] 1.01us 4mb |---------------L0.?---------------| "
- - "L0.?[671,950] 1.01us 4mb |-------------L0.?-------------| "
- - "**** Simulation run 7, type=split(HighL0OverlapSingleFile)(split_times=[356]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.8[50,629] 1.01us |------------------------------------------L0.8------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[50,356] 1.01us 5mb |--------------------L0.?---------------------| "
- - "L0.?[357,629] 1.01us 5mb |------------------L0.?------------------| "
- - "**** Simulation run 8, type=split(HighL0OverlapSingleFile)(split_times=[356, 670]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.9[76,932] 1.01us |------------------------------------------L0.9------------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[76,356] 1.01us 3mb |-----------L0.?------------| "
- - "L0.?[357,670] 1.01us 4mb |-------------L0.?-------------| "
- - "L0.?[671,932] 1.01us 3mb |----------L0.?-----------| "
- - "**** Simulation run 9, type=split(HighL0OverlapSingleFile)(split_times=[356, 670]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
+ - "L0.7[173,950] 1.01us |----------------------------------L0.7----------------------------------| "
+ - "L0.8[50,629] 1.01us |------------------------L0.8-------------------------| "
+ - "L0.9[76,932] 1.01us |-------------------------------------L0.9--------------------------------------| "
- "L0.10[42,986] 1.01us |-----------------------------------------L0.10------------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[42,356] 1.01us 3mb |-----------L0.?------------| "
- - "L0.?[357,670] 1.01us 3mb |-----------L0.?------------| "
- - "L0.?[671,986] 1.01us 3mb |------------L0.?------------| "
- - "**** Simulation run 10, type=split(HighL0OverlapSingleFile)(split_times=[356, 670]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.11[173,950] 1.01us |-----------------------------------------L0.11------------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[173,356] 1.01us 2mb |-------L0.?--------| "
- - "L0.?[357,670] 1.01us 4mb |---------------L0.?---------------| "
- - "L0.?[671,950] 1.01us 4mb |-------------L0.?-------------| "
- - "**** Simulation run 11, type=split(HighL0OverlapSingleFile)(split_times=[356]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.12[50,629] 1.01us |-----------------------------------------L0.12------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[50,356] 1.01us 5mb |--------------------L0.?---------------------| "
- - "L0.?[357,629] 1.01us 5mb |------------------L0.?------------------| "
- - "**** Simulation run 12, type=split(HighL0OverlapSingleFile)(split_times=[356, 670]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.13[76,932] 1.01us |-----------------------------------------L0.13------------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[76,356] 1.01us 3mb |-----------L0.?------------| "
- - "L0.?[357,670] 1.01us 4mb |-------------L0.?-------------| "
- - "L0.?[671,932] 1.01us 3mb |----------L0.?-----------| "
- - "**** Simulation run 13, type=split(HighL0OverlapSingleFile)(split_times=[356, 670]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
+ - "L0.11[173,950] 1.01us |---------------------------------L0.11----------------------------------| "
+ - "L0.12[50,629] 1.01us |------------------------L0.12------------------------| "
+ - "L0.13[76,932] 1.01us |-------------------------------------L0.13-------------------------------------| "
- "L0.14[42,986] 1.01us |-----------------------------------------L0.14------------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[42,356] 1.01us 3mb |-----------L0.?------------| "
- - "L0.?[357,670] 1.01us 3mb |-----------L0.?------------| "
- - "L0.?[671,986] 1.01us 3mb |------------L0.?------------| "
- - "**** Simulation run 14, type=split(HighL0OverlapSingleFile)(split_times=[356, 670]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.15[173,950] 1.01us |-----------------------------------------L0.15------------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[173,356] 1.01us 2mb |-------L0.?--------| "
- - "L0.?[357,670] 1.01us 4mb |---------------L0.?---------------| "
- - "L0.?[671,950] 1.01us 4mb |-------------L0.?-------------| "
- - "**** Simulation run 15, type=split(HighL0OverlapSingleFile)(split_times=[356]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.16[50,629] 1.01us |-----------------------------------------L0.16------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[50,356] 1.01us 5mb |--------------------L0.?---------------------| "
- - "L0.?[357,629] 1.01us 5mb |------------------L0.?------------------| "
- - "**** Simulation run 16, type=split(HighL0OverlapSingleFile)(split_times=[356, 670]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.17[76,932] 1.02us |-----------------------------------------L0.17------------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[76,356] 1.02us 3mb |-----------L0.?------------| "
- - "L0.?[357,670] 1.02us 4mb |-------------L0.?-------------| "
- - "L0.?[671,932] 1.02us 3mb |----------L0.?-----------| "
- - "**** Simulation run 17, type=split(HighL0OverlapSingleFile)(split_times=[356, 670]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
+ - "L0.15[173,950] 1.01us |---------------------------------L0.15----------------------------------| "
+ - "L0.16[50,629] 1.01us |------------------------L0.16------------------------| "
+ - "L0.17[76,932] 1.02us |-------------------------------------L0.17-------------------------------------| "
- "L0.18[42,986] 1.02us |-----------------------------------------L0.18------------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[42,356] 1.02us 3mb |-----------L0.?------------| "
- - "L0.?[357,670] 1.02us 3mb |-----------L0.?------------| "
- - "L0.?[671,986] 1.02us 3mb |------------L0.?------------| "
- - "**** Simulation run 18, type=split(HighL0OverlapSingleFile)(split_times=[356, 670]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.19[173,950] 1.02us |-----------------------------------------L0.19------------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[173,356] 1.02us 2mb |-------L0.?--------| "
- - "L0.?[357,670] 1.02us 4mb |---------------L0.?---------------| "
- - "L0.?[671,950] 1.02us 4mb |-------------L0.?-------------| "
- - "**** Simulation run 19, type=split(HighL0OverlapSingleFile)(split_times=[356]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.20[50,629] 1.02us |-----------------------------------------L0.20------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[50,356] 1.02us 5mb |--------------------L0.?---------------------| "
- - "L0.?[357,629] 1.02us 5mb |------------------L0.?------------------| "
- - "**** Simulation run 20, type=split(HighL0OverlapSingleFile)(split_times=[356, 670]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.21[76,932] 1.02us |-----------------------------------------L0.21------------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[76,356] 1.02us 3mb |-----------L0.?------------| "
- - "L0.?[357,670] 1.02us 4mb |-------------L0.?-------------| "
- - "L0.?[671,932] 1.02us 3mb |----------L0.?-----------| "
- - "**** Simulation run 21, type=split(HighL0OverlapSingleFile)(split_times=[356, 670]). 1 Input Files, 10mb total:"
+ - "L0.19[173,950] 1.02us |---------------------------------L0.19----------------------------------| "
+ - "L0.20[50,629] 1.02us |------------------------L0.20------------------------| "
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 200mb total:"
+ - "L0, all files 100mb "
+ - "L0.?[42,514] 1.02us |-------------------L0.?--------------------| "
+ - "L0.?[515,986] 1.02us |-------------------L0.?-------------------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.1, L0.2, L0.3, L0.4, L0.5, L0.6, L0.7, L0.8, L0.9, L0.10, L0.11, L0.12, L0.13, L0.14, L0.15, L0.16, L0.17, L0.18, L0.19, L0.20"
+ - " Creating 2 files"
+ - "**** Simulation run 2, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[514]). 20 Input Files, 200mb total:"
- "L0, all files 10mb "
+ - "L0.21[76,932] 1.02us |-------------------------------------L0.21-------------------------------------| "
- "L0.22[42,986] 1.02us |-----------------------------------------L0.22------------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[42,356] 1.02us 3mb |-----------L0.?------------| "
- - "L0.?[357,670] 1.02us 3mb |-----------L0.?------------| "
- - "L0.?[671,986] 1.02us 3mb |------------L0.?------------| "
- - "**** Simulation run 22, type=split(HighL0OverlapSingleFile)(split_times=[356, 670]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.23[173,950] 1.02us |-----------------------------------------L0.23------------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[173,356] 1.02us 2mb |-------L0.?--------| "
- - "L0.?[357,670] 1.02us 4mb |---------------L0.?---------------| "
- - "L0.?[671,950] 1.02us 4mb |-------------L0.?-------------| "
- - "**** Simulation run 23, type=split(HighL0OverlapSingleFile)(split_times=[356]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.24[50,629] 1.02us |-----------------------------------------L0.24------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[50,356] 1.02us 5mb |--------------------L0.?---------------------| "
- - "L0.?[357,629] 1.02us 5mb |------------------L0.?------------------| "
- - "**** Simulation run 24, type=split(HighL0OverlapSingleFile)(split_times=[356, 670]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.25[76,932] 1.02us |-----------------------------------------L0.25------------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[76,356] 1.02us 3mb |-----------L0.?------------| "
- - "L0.?[357,670] 1.02us 4mb |-------------L0.?-------------| "
- - "L0.?[671,932] 1.02us 3mb |----------L0.?-----------| "
- - "**** Simulation run 25, type=split(HighL0OverlapSingleFile)(split_times=[356, 670]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
+ - "L0.23[173,950] 1.02us |---------------------------------L0.23----------------------------------| "
+ - "L0.24[50,629] 1.02us |------------------------L0.24------------------------| "
+ - "L0.25[76,932] 1.02us |-------------------------------------L0.25-------------------------------------| "
- "L0.26[42,986] 1.02us |-----------------------------------------L0.26------------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[42,356] 1.02us 3mb |-----------L0.?------------| "
- - "L0.?[357,670] 1.02us 3mb |-----------L0.?------------| "
- - "L0.?[671,986] 1.02us 3mb |------------L0.?------------| "
- - "**** Simulation run 26, type=split(HighL0OverlapSingleFile)(split_times=[356, 670]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.27[173,950] 1.03us |-----------------------------------------L0.27------------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[173,356] 1.03us 2mb |-------L0.?--------| "
- - "L0.?[357,670] 1.03us 4mb |---------------L0.?---------------| "
- - "L0.?[671,950] 1.03us 4mb |-------------L0.?-------------| "
- - "**** Simulation run 27, type=split(HighL0OverlapSingleFile)(split_times=[356]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.28[50,629] 1.03us |-----------------------------------------L0.28------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[50,356] 1.03us 5mb |--------------------L0.?---------------------| "
- - "L0.?[357,629] 1.03us 5mb |------------------L0.?------------------| "
- - "**** Simulation run 28, type=split(HighL0OverlapSingleFile)(split_times=[356, 670]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.29[76,932] 1.03us |-----------------------------------------L0.29------------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[76,356] 1.03us 3mb |-----------L0.?------------| "
- - "L0.?[357,670] 1.03us 4mb |-------------L0.?-------------| "
- - "L0.?[671,932] 1.03us 3mb |----------L0.?-----------| "
- - "**** Simulation run 29, type=split(HighL0OverlapSingleFile)(split_times=[356, 670]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
+ - "L0.27[173,950] 1.03us |---------------------------------L0.27----------------------------------| "
+ - "L0.28[50,629] 1.03us |------------------------L0.28------------------------| "
+ - "L0.29[76,932] 1.03us |-------------------------------------L0.29-------------------------------------| "
- "L0.30[42,986] 1.03us |-----------------------------------------L0.30------------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[42,356] 1.03us 3mb |-----------L0.?------------| "
- - "L0.?[357,670] 1.03us 3mb |-----------L0.?------------| "
- - "L0.?[671,986] 1.03us 3mb |------------L0.?------------| "
- - "**** Simulation run 30, type=split(HighL0OverlapSingleFile)(split_times=[356, 670]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.31[173,950] 1.03us |-----------------------------------------L0.31------------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[173,356] 1.03us 2mb |-------L0.?--------| "
- - "L0.?[357,670] 1.03us 4mb |---------------L0.?---------------| "
- - "L0.?[671,950] 1.03us 4mb |-------------L0.?-------------| "
- - "**** Simulation run 31, type=split(HighL0OverlapSingleFile)(split_times=[356]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.32[50,629] 1.03us |-----------------------------------------L0.32------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[50,356] 1.03us 5mb |--------------------L0.?---------------------| "
- - "L0.?[357,629] 1.03us 5mb |------------------L0.?------------------| "
- - "**** Simulation run 32, type=split(HighL0OverlapSingleFile)(split_times=[356, 670]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.33[76,932] 1.03us |-----------------------------------------L0.33------------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[76,356] 1.03us 3mb |-----------L0.?------------| "
- - "L0.?[357,670] 1.03us 4mb |-------------L0.?-------------| "
- - "L0.?[671,932] 1.03us 3mb |----------L0.?-----------| "
- - "**** Simulation run 33, type=split(HighL0OverlapSingleFile)(split_times=[356, 670]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
+ - "L0.31[173,950] 1.03us |---------------------------------L0.31----------------------------------| "
+ - "L0.32[50,629] 1.03us |------------------------L0.32------------------------| "
+ - "L0.33[76,932] 1.03us |-------------------------------------L0.33-------------------------------------| "
- "L0.34[42,986] 1.03us |-----------------------------------------L0.34------------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[42,356] 1.03us 3mb |-----------L0.?------------| "
- - "L0.?[357,670] 1.03us 3mb |-----------L0.?------------| "
- - "L0.?[671,986] 1.03us 3mb |------------L0.?------------| "
- - "**** Simulation run 34, type=split(HighL0OverlapSingleFile)(split_times=[356, 670]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.35[173,950] 1.03us |-----------------------------------------L0.35------------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[173,356] 1.03us 2mb |-------L0.?--------| "
- - "L0.?[357,670] 1.03us 4mb |---------------L0.?---------------| "
- - "L0.?[671,950] 1.03us 4mb |-------------L0.?-------------| "
- - "**** Simulation run 35, type=split(HighL0OverlapSingleFile)(split_times=[356]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.36[50,629] 1.03us |-----------------------------------------L0.36------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[50,356] 1.03us 5mb |--------------------L0.?---------------------| "
- - "L0.?[357,629] 1.03us 5mb |------------------L0.?------------------| "
- - "**** Simulation run 36, type=split(HighL0OverlapSingleFile)(split_times=[356, 670]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.37[76,932] 1.04us |-----------------------------------------L0.37------------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[76,356] 1.04us 3mb |-----------L0.?------------| "
- - "L0.?[357,670] 1.04us 4mb |-------------L0.?-------------| "
- - "L0.?[671,932] 1.04us 3mb |----------L0.?-----------| "
- - "**** Simulation run 37, type=split(HighL0OverlapSingleFile)(split_times=[356, 670]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
+ - "L0.35[173,950] 1.03us |---------------------------------L0.35----------------------------------| "
+ - "L0.36[50,629] 1.03us |------------------------L0.36------------------------| "
+ - "L0.37[76,932] 1.04us |-------------------------------------L0.37-------------------------------------| "
- "L0.38[42,986] 1.04us |-----------------------------------------L0.38------------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[42,356] 1.04us 3mb |-----------L0.?------------| "
- - "L0.?[357,670] 1.04us 3mb |-----------L0.?------------| "
- - "L0.?[671,986] 1.04us 3mb |------------L0.?------------| "
- - "**** Simulation run 38, type=split(HighL0OverlapSingleFile)(split_times=[356, 670]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.39[173,950] 1.04us |-----------------------------------------L0.39------------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[173,356] 1.04us 2mb |-------L0.?--------| "
- - "L0.?[357,670] 1.04us 4mb |---------------L0.?---------------| "
- - "L0.?[671,950] 1.04us 4mb |-------------L0.?-------------| "
- - "**** Simulation run 39, type=split(HighL0OverlapSingleFile)(split_times=[356]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.40[50,629] 1.04us |-----------------------------------------L0.40------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[50,356] 1.04us 5mb |--------------------L0.?---------------------| "
- - "L0.?[357,629] 1.04us 5mb |------------------L0.?------------------| "
- - "**** Simulation run 40, type=split(HighL0OverlapSingleFile)(split_times=[356, 670]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.41[76,932] 1.04us |-----------------------------------------L0.41------------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[76,356] 1.04us 3mb |-----------L0.?------------| "
- - "L0.?[357,670] 1.04us 4mb |-------------L0.?-------------| "
- - "L0.?[671,932] 1.04us 3mb |----------L0.?-----------| "
- - "**** Simulation run 41, type=split(HighL0OverlapSingleFile)(split_times=[356, 670]). 1 Input Files, 10mb total:"
+ - "L0.39[173,950] 1.04us |---------------------------------L0.39----------------------------------| "
+ - "L0.40[50,629] 1.04us |------------------------L0.40------------------------| "
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 200mb total:"
+ - "L0, all files 100mb "
+ - "L0.?[42,514] 1.04us |-------------------L0.?--------------------| "
+ - "L0.?[515,986] 1.04us |-------------------L0.?-------------------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.21, L0.22, L0.23, L0.24, L0.25, L0.26, L0.27, L0.28, L0.29, L0.30, L0.31, L0.32, L0.33, L0.34, L0.35, L0.36, L0.37, L0.38, L0.39, L0.40"
+ - " Creating 2 files"
+ - "**** Simulation run 3, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[797]). 10 Input Files, 100mb total:"
- "L0, all files 10mb "
+ - "L0.41[76,932] 1.04us |-------------------------------------L0.41-------------------------------------| "
- "L0.42[42,986] 1.04us |-----------------------------------------L0.42------------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[42,356] 1.04us 3mb |-----------L0.?------------| "
- - "L0.?[357,670] 1.04us 3mb |-----------L0.?------------| "
- - "L0.?[671,986] 1.04us 3mb |------------L0.?------------| "
- - "**** Simulation run 42, type=split(HighL0OverlapSingleFile)(split_times=[356, 670]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.43[173,950] 1.04us |-----------------------------------------L0.43------------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[173,356] 1.04us 2mb |-------L0.?--------| "
- - "L0.?[357,670] 1.04us 4mb |---------------L0.?---------------| "
- - "L0.?[671,950] 1.04us 4mb |-------------L0.?-------------| "
- - "**** Simulation run 43, type=split(HighL0OverlapSingleFile)(split_times=[356]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.44[50,629] 1.04us |-----------------------------------------L0.44------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[50,356] 1.04us 5mb |--------------------L0.?---------------------| "
- - "L0.?[357,629] 1.04us 5mb |------------------L0.?------------------| "
- - "**** Simulation run 44, type=split(HighL0OverlapSingleFile)(split_times=[356, 670]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.45[76,932] 1.04us |-----------------------------------------L0.45------------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[76,356] 1.04us 3mb |-----------L0.?------------| "
- - "L0.?[357,670] 1.04us 4mb |-------------L0.?-------------| "
- - "L0.?[671,932] 1.04us 3mb |----------L0.?-----------| "
- - "**** Simulation run 45, type=split(HighL0OverlapSingleFile)(split_times=[356, 670]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
+ - "L0.43[173,950] 1.04us |---------------------------------L0.43----------------------------------| "
+ - "L0.44[50,629] 1.04us |------------------------L0.44------------------------| "
+ - "L0.45[76,932] 1.04us |-------------------------------------L0.45-------------------------------------| "
- "L0.46[42,986] 1.05us |-----------------------------------------L0.46------------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[42,356] 1.05us 3mb |-----------L0.?------------| "
- - "L0.?[357,670] 1.05us 3mb |-----------L0.?------------| "
- - "L0.?[671,986] 1.05us 3mb |------------L0.?------------| "
- - "**** Simulation run 46, type=split(HighL0OverlapSingleFile)(split_times=[356, 670]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.47[173,950] 1.05us |-----------------------------------------L0.47------------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[173,356] 1.05us 2mb |-------L0.?--------| "
- - "L0.?[357,670] 1.05us 4mb |---------------L0.?---------------| "
- - "L0.?[671,950] 1.05us 4mb |-------------L0.?-------------| "
- - "**** Simulation run 47, type=split(HighL0OverlapSingleFile)(split_times=[356]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.48[50,629] 1.05us |-----------------------------------------L0.48------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[50,356] 1.05us 5mb |--------------------L0.?---------------------| "
- - "L0.?[357,629] 1.05us 5mb |------------------L0.?------------------| "
- - "**** Simulation run 48, type=split(HighL0OverlapSingleFile)(split_times=[356, 670]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.49[76,932] 1.05us |-----------------------------------------L0.49------------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[76,356] 1.05us 3mb |-----------L0.?------------| "
- - "L0.?[357,670] 1.05us 4mb |-------------L0.?-------------| "
- - "L0.?[671,932] 1.05us 3mb |----------L0.?-----------| "
- - "**** Simulation run 49, type=split(HighL0OverlapSingleFile)(split_times=[356, 670]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
+ - "L0.47[173,950] 1.05us |---------------------------------L0.47----------------------------------| "
+ - "L0.48[50,629] 1.05us |------------------------L0.48------------------------| "
+ - "L0.49[76,932] 1.05us |-------------------------------------L0.49-------------------------------------| "
- "L0.50[42,986] 1.05us |-----------------------------------------L0.50------------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[42,356] 1.05us 3mb |-----------L0.?------------| "
- - "L0.?[357,670] 1.05us 3mb |-----------L0.?------------| "
- - "L0.?[671,986] 1.05us 3mb |------------L0.?------------| "
- - "Committing partition 1:"
- - " Soft Deleting 50 files: L0.1, L0.2, L0.3, L0.4, L0.5, L0.6, L0.7, L0.8, L0.9, L0.10, L0.11, L0.12, L0.13, L0.14, L0.15, L0.16, L0.17, L0.18, L0.19, L0.20, L0.21, L0.22, L0.23, L0.24, L0.25, L0.26, L0.27, L0.28, L0.29, L0.30, L0.31, L0.32, L0.33, L0.34, L0.35, L0.36, L0.37, L0.38, L0.39, L0.40, L0.41, L0.42, L0.43, L0.44, L0.45, L0.46, L0.47, L0.48, L0.49, L0.50"
- - " Creating 138 files"
- - "**** Simulation run 50, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[329, 658]). 81 Input Files, 300mb total:"
- - "L0 "
- - "L0.51[0,1] 999ns 10mb |L0.51| "
- - "L0.52[76,356] 1us 3mb |---------L0.52---------| "
- - "L0.53[357,670] 1us 4mb |----------L0.53-----------| "
- - "L0.54[671,932] 1us 3mb |--------L0.54--------| "
- - "L0.55[42,356] 1us 3mb |----------L0.55-----------| "
- - "L0.56[357,670] 1us 3mb |----------L0.56-----------| "
- - "L0.57[671,986] 1us 3mb |----------L0.57-----------| "
- - "L0.58[173,356] 1us 2mb |----L0.58-----| "
- - "L0.59[357,670] 1us 4mb |----------L0.59-----------| "
- - "L0.60[671,950] 1us 4mb |---------L0.60---------| "
- - "L0.61[50,356] 1us 5mb |----------L0.61----------| "
- - "L0.62[357,629] 1us 5mb |--------L0.62---------| "
- - "L0.63[76,356] 1us 3mb |---------L0.63---------| "
- - "L0.64[357,670] 1us 4mb |----------L0.64-----------| "
- - "L0.65[671,932] 1us 3mb |--------L0.65--------| "
- - "L0.66[42,356] 1us 3mb |----------L0.66-----------| "
- - "L0.67[357,670] 1us 3mb |----------L0.67-----------| "
- - "L0.68[671,986] 1us 3mb |----------L0.68-----------| "
- - "L0.69[173,356] 1.01us 2mb |----L0.69-----| "
- - "L0.70[357,670] 1.01us 4mb |----------L0.70-----------| "
- - "L0.71[671,950] 1.01us 4mb |---------L0.71---------| "
- - "L0.72[50,356] 1.01us 5mb |----------L0.72----------| "
- - "L0.73[357,629] 1.01us 5mb |--------L0.73---------| "
- - "L0.74[76,356] 1.01us 3mb |---------L0.74---------| "
- - "L0.75[357,670] 1.01us 4mb |----------L0.75-----------| "
- - "L0.76[671,932] 1.01us 3mb |--------L0.76--------| "
- - "L0.77[42,356] 1.01us 3mb |----------L0.77-----------| "
- - "L0.78[357,670] 1.01us 3mb |----------L0.78-----------| "
- - "L0.79[671,986] 1.01us 3mb |----------L0.79-----------| "
- - "L0.80[173,356] 1.01us 2mb |----L0.80-----| "
- - "L0.81[357,670] 1.01us 4mb |----------L0.81-----------| "
- - "L0.82[671,950] 1.01us 4mb |---------L0.82---------| "
- - "L0.83[50,356] 1.01us 5mb |----------L0.83----------| "
- - "L0.84[357,629] 1.01us 5mb |--------L0.84---------| "
- - "L0.85[76,356] 1.01us 3mb |---------L0.85---------| "
- - "L0.86[357,670] 1.01us 4mb |----------L0.86-----------| "
- - "L0.87[671,932] 1.01us 3mb |--------L0.87--------| "
- - "L0.88[42,356] 1.01us 3mb |----------L0.88-----------| "
- - "L0.89[357,670] 1.01us 3mb |----------L0.89-----------| "
- - "L0.90[671,986] 1.01us 3mb |----------L0.90-----------| "
- - "L0.91[173,356] 1.01us 2mb |----L0.91-----| "
- - "L0.92[357,670] 1.01us 4mb |----------L0.92-----------| "
- - "L0.93[671,950] 1.01us 4mb |---------L0.93---------| "
- - "L0.94[50,356] 1.01us 5mb |----------L0.94----------| "
- - "L0.95[357,629] 1.01us 5mb |--------L0.95---------| "
- - "L0.96[76,356] 1.02us 3mb |---------L0.96---------| "
- - "L0.97[357,670] 1.02us 4mb |----------L0.97-----------| "
- - "L0.98[671,932] 1.02us 3mb |--------L0.98--------| "
- - "L0.99[42,356] 1.02us 3mb |----------L0.99-----------| "
- - "L0.100[357,670] 1.02us 3mb |----------L0.100----------| "
- - "L0.101[671,986] 1.02us 3mb |----------L0.101----------| "
- - "L0.102[173,356] 1.02us 2mb |----L0.102----| "
- - "L0.103[357,670] 1.02us 4mb |----------L0.103----------| "
- - "L0.104[671,950] 1.02us 4mb |--------L0.104---------| "
- - "L0.105[50,356] 1.02us 5mb |---------L0.105----------| "
- - "L0.106[357,629] 1.02us 5mb |--------L0.106--------| "
- - "L0.107[76,356] 1.02us 3mb |--------L0.107---------| "
- - "L0.108[357,670] 1.02us 4mb |----------L0.108----------| "
- - "L0.109[671,932] 1.02us 3mb |-------L0.109--------| "
- - "L0.110[42,356] 1.02us 3mb |----------L0.110----------| "
- - "L0.111[357,670] 1.02us 3mb |----------L0.111----------| "
- - "L0.112[671,986] 1.02us 3mb |----------L0.112----------| "
- - "L0.113[173,356] 1.02us 2mb |----L0.113----| "
- - "L0.114[357,670] 1.02us 4mb |----------L0.114----------| "
- - "L0.115[671,950] 1.02us 4mb |--------L0.115---------| "
- - "L0.116[50,356] 1.02us 5mb |---------L0.116----------| "
- - "L0.117[357,629] 1.02us 5mb |--------L0.117--------| "
- - "L0.118[76,356] 1.02us 3mb |--------L0.118---------| "
- - "L0.119[357,670] 1.02us 4mb |----------L0.119----------| "
- - "L0.120[671,932] 1.02us 3mb |-------L0.120--------| "
- - "L0.121[42,356] 1.02us 3mb |----------L0.121----------| "
- - "L0.122[357,670] 1.02us 3mb |----------L0.122----------| "
- - "L0.123[671,986] 1.02us 3mb |----------L0.123----------| "
- - "L0.124[173,356] 1.03us 2mb |----L0.124----| "
- - "L0.125[357,670] 1.03us 4mb |----------L0.125----------| "
- - "L0.126[671,950] 1.03us 4mb |--------L0.126---------| "
- - "L0.127[50,356] 1.03us 5mb |---------L0.127----------| "
- - "L0.128[357,629] 1.03us 5mb |--------L0.128--------| "
- - "L0.129[76,356] 1.03us 3mb |--------L0.129---------| "
- - "L0.130[357,670] 1.03us 4mb |----------L0.130----------| "
- - "L0.131[671,932] 1.03us 3mb |-------L0.131--------| "
- - "**** 3 Output Files (parquet_file_id not yet assigned), 300mb total:"
- - "L1 "
- - "L1.?[0,329] 1.03us 100mb |------------L1.?------------| "
- - "L1.?[330,658] 1.03us 100mb |-----------L1.?------------| "
- - "L1.?[659,986] 1.03us 100mb |-----------L1.?------------| "
- - "Committing partition 1:"
- - " Soft Deleting 81 files: L0.51, L0.52, L0.53, L0.54, L0.55, L0.56, L0.57, L0.58, L0.59, L0.60, L0.61, L0.62, L0.63, L0.64, L0.65, L0.66, L0.67, L0.68, L0.69, L0.70, L0.71, L0.72, L0.73, L0.74, L0.75, L0.76, L0.77, L0.78, L0.79, L0.80, L0.81, L0.82, L0.83, L0.84, L0.85, L0.86, L0.87, L0.88, L0.89, L0.90, L0.91, L0.92, L0.93, L0.94, L0.95, L0.96, L0.97, L0.98, L0.99, L0.100, L0.101, L0.102, L0.103, L0.104, L0.105, L0.106, L0.107, L0.108, L0.109, L0.110, L0.111, L0.112, L0.113, L0.114, L0.115, L0.116, L0.117, L0.118, L0.119, L0.120, L0.121, L0.122, L0.123, L0.124, L0.125, L0.126, L0.127, L0.128, L0.129, L0.130, L0.131"
- - " Creating 3 files"
- - "**** Simulation run 51, type=split(ReduceOverlap)(split_times=[658]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.133[357,670] 1.03us |-----------------------------------------L0.133-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[357,658] 1.03us 3mb |----------------------------------------L0.?----------------------------------------| "
- - "L0.?[659,670] 1.03us 130kb |L0.?|"
- - "**** Simulation run 52, type=split(ReduceOverlap)(split_times=[329]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.132[42,356] 1.03us |-----------------------------------------L0.132-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[42,329] 1.03us 3mb |--------------------------------------L0.?--------------------------------------| "
- - "L0.?[330,356] 1.03us 293kb |L0.?-| "
- - "**** Simulation run 53, type=split(ReduceOverlap)(split_times=[658]). 1 Input Files, 4mb total:"
- - "L0, all files 4mb "
- - "L0.136[357,670] 1.03us |-----------------------------------------L0.136-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
- - "L0 "
- - "L0.?[357,658] 1.03us 4mb |----------------------------------------L0.?----------------------------------------| "
- - "L0.?[659,670] 1.03us 158kb |L0.?|"
- - "**** Simulation run 54, type=split(ReduceOverlap)(split_times=[329]). 1 Input Files, 2mb total:"
- - "L0, all files 2mb "
- - "L0.135[173,356] 1.03us |-----------------------------------------L0.135-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 2mb total:"
- - "L0 "
- - "L0.?[173,329] 1.03us 2mb |-----------------------------------L0.?-----------------------------------| "
- - "L0.?[330,356] 1.03us 356kb |---L0.?---| "
- - "**** Simulation run 55, type=split(ReduceOverlap)(split_times=[329]). 1 Input Files, 5mb total:"
- - "L0, all files 5mb "
- - "L0.138[50,356] 1.03us |-----------------------------------------L0.138-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 5mb total:"
- - "L0 "
- - "L0.?[50,329] 1.03us 5mb |--------------------------------------L0.?--------------------------------------| "
- - "L0.?[330,356] 1.03us 478kb |L0.?-| "
- - "**** Simulation run 56, type=split(ReduceOverlap)(split_times=[658]). 1 Input Files, 4mb total:"
- - "L0, all files 4mb "
- - "L0.141[357,670] 1.03us |-----------------------------------------L0.141-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
- - "L0 "
- - "L0.?[357,658] 1.03us 4mb |----------------------------------------L0.?----------------------------------------| "
- - "L0.?[659,670] 1.03us 144kb |L0.?|"
- - "**** Simulation run 57, type=split(ReduceOverlap)(split_times=[329]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.140[76,356] 1.03us |-----------------------------------------L0.140-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[76,329] 1.03us 3mb |-------------------------------------L0.?--------------------------------------| "
- - "L0.?[330,356] 1.03us 323kb |-L0.?-| "
- - "**** Simulation run 58, type=split(ReduceOverlap)(split_times=[658]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.144[357,670] 1.03us |-----------------------------------------L0.144-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[357,658] 1.03us 3mb |----------------------------------------L0.?----------------------------------------| "
- - "L0.?[659,670] 1.03us 130kb |L0.?|"
- - "**** Simulation run 59, type=split(ReduceOverlap)(split_times=[329]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.143[42,356] 1.03us |-----------------------------------------L0.143-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[42,329] 1.03us 3mb |--------------------------------------L0.?--------------------------------------| "
- - "L0.?[330,356] 1.03us 293kb |L0.?-| "
- - "**** Simulation run 60, type=split(ReduceOverlap)(split_times=[658]). 1 Input Files, 4mb total:"
- - "L0, all files 4mb "
- - "L0.147[357,670] 1.03us |-----------------------------------------L0.147-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
- - "L0 "
- - "L0.?[357,658] 1.03us 4mb |----------------------------------------L0.?----------------------------------------| "
- - "L0.?[659,670] 1.03us 158kb |L0.?|"
- - "**** Simulation run 61, type=split(ReduceOverlap)(split_times=[329]). 1 Input Files, 2mb total:"
- - "L0, all files 2mb "
- - "L0.146[173,356] 1.03us |-----------------------------------------L0.146-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 2mb total:"
- - "L0 "
- - "L0.?[173,329] 1.03us 2mb |-----------------------------------L0.?-----------------------------------| "
- - "L0.?[330,356] 1.03us 356kb |---L0.?---| "
- - "**** Simulation run 62, type=split(ReduceOverlap)(split_times=[329]). 1 Input Files, 5mb total:"
- - "L0, all files 5mb "
- - "L0.149[50,356] 1.03us |-----------------------------------------L0.149-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 5mb total:"
- - "L0 "
- - "L0.?[50,329] 1.03us 5mb |--------------------------------------L0.?--------------------------------------| "
- - "L0.?[330,356] 1.03us 478kb |L0.?-| "
- - "**** Simulation run 63, type=split(ReduceOverlap)(split_times=[658]). 1 Input Files, 4mb total:"
- - "L0, all files 4mb "
- - "L0.152[357,670] 1.04us |-----------------------------------------L0.152-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
- - "L0 "
- - "L0.?[357,658] 1.04us 4mb |----------------------------------------L0.?----------------------------------------| "
- - "L0.?[659,670] 1.04us 144kb |L0.?|"
- - "**** Simulation run 64, type=split(ReduceOverlap)(split_times=[329]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.151[76,356] 1.04us |-----------------------------------------L0.151-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[76,329] 1.04us 3mb |-------------------------------------L0.?--------------------------------------| "
- - "L0.?[330,356] 1.04us 323kb |-L0.?-| "
- - "**** Simulation run 65, type=split(ReduceOverlap)(split_times=[658]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.155[357,670] 1.04us |-----------------------------------------L0.155-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[357,658] 1.04us 3mb |----------------------------------------L0.?----------------------------------------| "
- - "L0.?[659,670] 1.04us 130kb |L0.?|"
- - "**** Simulation run 66, type=split(ReduceOverlap)(split_times=[329]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.154[42,356] 1.04us |-----------------------------------------L0.154-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[42,329] 1.04us 3mb |--------------------------------------L0.?--------------------------------------| "
- - "L0.?[330,356] 1.04us 293kb |L0.?-| "
- - "**** Simulation run 67, type=split(ReduceOverlap)(split_times=[658]). 1 Input Files, 4mb total:"
- - "L0, all files 4mb "
- - "L0.158[357,670] 1.04us |-----------------------------------------L0.158-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
- - "L0 "
- - "L0.?[357,658] 1.04us 4mb |----------------------------------------L0.?----------------------------------------| "
- - "L0.?[659,670] 1.04us 158kb |L0.?|"
- - "**** Simulation run 68, type=split(ReduceOverlap)(split_times=[329]). 1 Input Files, 2mb total:"
- - "L0, all files 2mb "
- - "L0.157[173,356] 1.04us |-----------------------------------------L0.157-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 2mb total:"
- - "L0 "
- - "L0.?[173,329] 1.04us 2mb |-----------------------------------L0.?-----------------------------------| "
- - "L0.?[330,356] 1.04us 356kb |---L0.?---| "
- - "**** Simulation run 69, type=split(ReduceOverlap)(split_times=[329]). 1 Input Files, 5mb total:"
- - "L0, all files 5mb "
- - "L0.160[50,356] 1.04us |-----------------------------------------L0.160-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 5mb total:"
- - "L0 "
- - "L0.?[50,329] 1.04us 5mb |--------------------------------------L0.?--------------------------------------| "
- - "L0.?[330,356] 1.04us 478kb |L0.?-| "
- - "**** Simulation run 70, type=split(ReduceOverlap)(split_times=[658]). 1 Input Files, 4mb total:"
- - "L0, all files 4mb "
- - "L0.163[357,670] 1.04us |-----------------------------------------L0.163-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
- - "L0 "
- - "L0.?[357,658] 1.04us 4mb |----------------------------------------L0.?----------------------------------------| "
- - "L0.?[659,670] 1.04us 144kb |L0.?|"
- - "**** Simulation run 71, type=split(ReduceOverlap)(split_times=[329]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.162[76,356] 1.04us |-----------------------------------------L0.162-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[76,329] 1.04us 3mb |-------------------------------------L0.?--------------------------------------| "
- - "L0.?[330,356] 1.04us 323kb |-L0.?-| "
- - "**** Simulation run 72, type=split(ReduceOverlap)(split_times=[658]). 1 Input Files, 4mb total:"
- - "L0, all files 4mb "
- - "L0.169[357,670] 1.04us |-----------------------------------------L0.169-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
- - "L0 "
- - "L0.?[357,658] 1.04us 4mb |----------------------------------------L0.?----------------------------------------| "
- - "L0.?[659,670] 1.04us 158kb |L0.?|"
- - "**** Simulation run 73, type=split(ReduceOverlap)(split_times=[329]). 1 Input Files, 2mb total:"
- - "L0, all files 2mb "
- - "L0.168[173,356] 1.04us |-----------------------------------------L0.168-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 2mb total:"
- - "L0 "
- - "L0.?[173,329] 1.04us 2mb |-----------------------------------L0.?-----------------------------------| "
- - "L0.?[330,356] 1.04us 356kb |---L0.?---| "
- - "**** Simulation run 74, type=split(ReduceOverlap)(split_times=[329]). 1 Input Files, 5mb total:"
- - "L0, all files 5mb "
- - "L0.171[50,356] 1.04us |-----------------------------------------L0.171-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 5mb total:"
- - "L0 "
- - "L0.?[50,329] 1.04us 5mb |--------------------------------------L0.?--------------------------------------| "
- - "L0.?[330,356] 1.04us 478kb |L0.?-| "
- - "**** Simulation run 75, type=split(ReduceOverlap)(split_times=[658]). 1 Input Files, 4mb total:"
- - "L0, all files 4mb "
- - "L0.174[357,670] 1.04us |-----------------------------------------L0.174-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
- - "L0 "
- - "L0.?[357,658] 1.04us 4mb |----------------------------------------L0.?----------------------------------------| "
- - "L0.?[659,670] 1.04us 144kb |L0.?|"
- - "**** Simulation run 76, type=split(ReduceOverlap)(split_times=[329]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.173[76,356] 1.04us |-----------------------------------------L0.173-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[76,329] 1.04us 3mb |-------------------------------------L0.?--------------------------------------| "
- - "L0.?[330,356] 1.04us 323kb |-L0.?-| "
- - "**** Simulation run 77, type=split(ReduceOverlap)(split_times=[658]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.177[357,670] 1.05us |-----------------------------------------L0.177-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[357,658] 1.05us 3mb |----------------------------------------L0.?----------------------------------------| "
- - "L0.?[659,670] 1.05us 130kb |L0.?|"
- - "**** Simulation run 78, type=split(ReduceOverlap)(split_times=[329]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.176[42,356] 1.05us |-----------------------------------------L0.176-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[42,329] 1.05us 3mb |--------------------------------------L0.?--------------------------------------| "
- - "L0.?[330,356] 1.05us 293kb |L0.?-| "
- - "**** Simulation run 79, type=split(ReduceOverlap)(split_times=[658]). 1 Input Files, 4mb total:"
- - "L0, all files 4mb "
- - "L0.180[357,670] 1.05us |-----------------------------------------L0.180-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
- - "L0 "
- - "L0.?[357,658] 1.05us 4mb |----------------------------------------L0.?----------------------------------------| "
- - "L0.?[659,670] 1.05us 158kb |L0.?|"
- - "**** Simulation run 80, type=split(ReduceOverlap)(split_times=[658]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.166[357,670] 1.04us |-----------------------------------------L0.166-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[357,658] 1.04us 3mb |----------------------------------------L0.?----------------------------------------| "
- - "L0.?[659,670] 1.04us 130kb |L0.?|"
- - "**** Simulation run 81, type=split(ReduceOverlap)(split_times=[329]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.165[42,356] 1.04us |-----------------------------------------L0.165-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[42,329] 1.04us 3mb |--------------------------------------L0.?--------------------------------------| "
- - "L0.?[330,356] 1.04us 293kb |L0.?-| "
- - "**** Simulation run 82, type=split(ReduceOverlap)(split_times=[329]). 1 Input Files, 2mb total:"
- - "L0, all files 2mb "
- - "L0.179[173,356] 1.05us |-----------------------------------------L0.179-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 2mb total:"
- - "L0 "
- - "L0.?[173,329] 1.05us 2mb |-----------------------------------L0.?-----------------------------------| "
- - "L0.?[330,356] 1.05us 356kb |---L0.?---| "
- - "**** Simulation run 83, type=split(ReduceOverlap)(split_times=[329]). 1 Input Files, 5mb total:"
- - "L0, all files 5mb "
- - "L0.182[50,356] 1.05us |-----------------------------------------L0.182-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 5mb total:"
- - "L0 "
- - "L0.?[50,329] 1.05us 5mb |--------------------------------------L0.?--------------------------------------| "
- - "L0.?[330,356] 1.05us 478kb |L0.?-| "
- - "**** Simulation run 84, type=split(ReduceOverlap)(split_times=[658]). 1 Input Files, 4mb total:"
- - "L0, all files 4mb "
- - "L0.185[357,670] 1.05us |-----------------------------------------L0.185-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
- - "L0 "
- - "L0.?[357,658] 1.05us 4mb |----------------------------------------L0.?----------------------------------------| "
- - "L0.?[659,670] 1.05us 144kb |L0.?|"
- - "**** Simulation run 85, type=split(ReduceOverlap)(split_times=[329]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.184[76,356] 1.05us |-----------------------------------------L0.184-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[76,329] 1.05us 3mb |-------------------------------------L0.?--------------------------------------| "
- - "L0.?[330,356] 1.05us 323kb |-L0.?-| "
- - "**** Simulation run 86, type=split(ReduceOverlap)(split_times=[658]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.188[357,670] 1.05us |-----------------------------------------L0.188-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[357,658] 1.05us 3mb |----------------------------------------L0.?----------------------------------------| "
- - "L0.?[659,670] 1.05us 130kb |L0.?|"
- - "**** Simulation run 87, type=split(ReduceOverlap)(split_times=[329]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.187[42,356] 1.05us |-----------------------------------------L0.187-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[42,329] 1.05us 3mb |--------------------------------------L0.?--------------------------------------| "
- - "L0.?[330,356] 1.05us 293kb |L0.?-| "
- - "Committing partition 1:"
- - " Soft Deleting 37 files: L0.132, L0.133, L0.135, L0.136, L0.138, L0.140, L0.141, L0.143, L0.144, L0.146, L0.147, L0.149, L0.151, L0.152, L0.154, L0.155, L0.157, L0.158, L0.160, L0.162, L0.163, L0.165, L0.166, L0.168, L0.169, L0.171, L0.173, L0.174, L0.176, L0.177, L0.179, L0.180, L0.182, L0.184, L0.185, L0.187, L0.188"
- - " Creating 74 files"
- - "**** Simulation run 88, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[319, 638]). 5 Input Files, 206mb total:"
- - "L0 "
- - "L0.195[42,329] 1.03us 3mb |---------------L0.195----------------| "
- - "L0.196[330,356] 1.03us 293kb |L0.196| "
- - "L0.193[357,658] 1.03us 3mb |----------------L0.193-----------------| "
- - "L1 "
- - "L1.190[0,329] 1.03us 100mb|------------------L1.190-------------------| "
- - "L1.191[330,658] 1.03us 100mb |------------------L1.191------------------| "
- - "**** 3 Output Files (parquet_file_id not yet assigned), 206mb total:"
- - "L1 "
- - "L1.?[0,319] 1.03us 100mb |------------------L1.?-------------------| "
- - "L1.?[320,638] 1.03us 100mb |------------------L1.?-------------------| "
- - "L1.?[639,658] 1.03us 7mb |L1.?|"
- - "Committing partition 1:"
- - " Soft Deleting 5 files: L1.190, L1.191, L0.193, L0.195, L0.196"
- - " Creating 3 files"
- - "**** Simulation run 89, type=split(ReduceOverlap)(split_times=[638]). 1 Input Files, 4mb total:"
- - "L0, all files 4mb "
- - "L0.197[357,658] 1.03us |-----------------------------------------L0.197-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
- - "L0 "
- - "L0.?[357,638] 1.03us 4mb |---------------------------------------L0.?---------------------------------------| "
- - "L0.?[639,658] 1.03us 264kb |L0.?|"
- - "**** Simulation run 90, type=split(ReduceOverlap)(split_times=[319]). 1 Input Files, 2mb total:"
- - "L0, all files 2mb "
- - "L0.199[173,329] 1.03us |-----------------------------------------L0.199-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 2mb total:"
- - "L0 "
- - "L0.?[173,319] 1.03us 2mb |---------------------------------------L0.?---------------------------------------| "
- - "L0.?[320,329] 1.03us 132kb |L0.?|"
- - "**** Simulation run 91, type=split(ReduceOverlap)(split_times=[319]). 1 Input Files, 5mb total:"
- - "L0, all files 5mb "
- - "L0.201[50,329] 1.03us |-----------------------------------------L0.201-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 5mb total:"
- - "L0 "
- - "L0.?[50,319] 1.03us 5mb |----------------------------------------L0.?----------------------------------------| "
- - "L0.?[320,329] 1.03us 177kb |L0.?|"
- - "**** Simulation run 92, type=split(ReduceOverlap)(split_times=[638]). 1 Input Files, 4mb total:"
- - "L0, all files 4mb "
- - "L0.203[357,658] 1.03us |-----------------------------------------L0.203-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
- - "L0 "
- - "L0.?[357,638] 1.03us 3mb |---------------------------------------L0.?---------------------------------------| "
- - "L0.?[639,658] 1.03us 239kb |L0.?|"
- - "**** Simulation run 93, type=split(ReduceOverlap)(split_times=[319]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.205[76,329] 1.03us |-----------------------------------------L0.205-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[76,319] 1.03us 3mb |----------------------------------------L0.?----------------------------------------| "
- - "L0.?[320,329] 1.03us 120kb |L0.?|"
- - "**** Simulation run 94, type=split(ReduceOverlap)(split_times=[638]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.207[357,658] 1.03us |-----------------------------------------L0.207-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[357,638] 1.03us 3mb |---------------------------------------L0.?---------------------------------------| "
- - "L0.?[639,658] 1.03us 217kb |L0.?|"
- - "**** Simulation run 95, type=split(ReduceOverlap)(split_times=[319]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.209[42,329] 1.03us |-----------------------------------------L0.209-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[42,319] 1.03us 3mb |----------------------------------------L0.?----------------------------------------| "
- - "L0.?[320,329] 1.03us 108kb |L0.?|"
- - "**** Simulation run 96, type=split(ReduceOverlap)(split_times=[638]). 1 Input Files, 4mb total:"
- - "L0, all files 4mb "
- - "L0.211[357,658] 1.03us |-----------------------------------------L0.211-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
- - "L0 "
- - "L0.?[357,638] 1.03us 4mb |---------------------------------------L0.?---------------------------------------| "
- - "L0.?[639,658] 1.03us 264kb |L0.?|"
- - "**** Simulation run 97, type=split(ReduceOverlap)(split_times=[319]). 1 Input Files, 2mb total:"
- - "L0, all files 2mb "
- - "L0.213[173,329] 1.03us |-----------------------------------------L0.213-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 2mb total:"
- - "L0 "
- - "L0.?[173,319] 1.03us 2mb |---------------------------------------L0.?---------------------------------------| "
- - "L0.?[320,329] 1.03us 132kb |L0.?|"
- - "**** Simulation run 98, type=split(ReduceOverlap)(split_times=[319]). 1 Input Files, 5mb total:"
- - "L0, all files 5mb "
- - "L0.215[50,329] 1.03us |-----------------------------------------L0.215-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 5mb total:"
- - "L0 "
- - "L0.?[50,319] 1.03us 5mb |----------------------------------------L0.?----------------------------------------| "
- - "L0.?[320,329] 1.03us 177kb |L0.?|"
- - "**** Simulation run 99, type=split(ReduceOverlap)(split_times=[638]). 1 Input Files, 4mb total:"
- - "L0, all files 4mb "
- - "L0.217[357,658] 1.04us |-----------------------------------------L0.217-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
- - "L0 "
- - "L0.?[357,638] 1.04us 3mb |---------------------------------------L0.?---------------------------------------| "
- - "L0.?[639,658] 1.04us 239kb |L0.?|"
- - "**** Simulation run 100, type=split(ReduceOverlap)(split_times=[319]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.219[76,329] 1.04us |-----------------------------------------L0.219-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[76,319] 1.04us 3mb |----------------------------------------L0.?----------------------------------------| "
- - "L0.?[320,329] 1.04us 120kb |L0.?|"
- - "**** Simulation run 101, type=split(ReduceOverlap)(split_times=[638]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.221[357,658] 1.04us |-----------------------------------------L0.221-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[357,638] 1.04us 3mb |---------------------------------------L0.?---------------------------------------| "
- - "L0.?[639,658] 1.04us 217kb |L0.?|"
- - "**** Simulation run 102, type=split(ReduceOverlap)(split_times=[319]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.223[42,329] 1.04us |-----------------------------------------L0.223-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[42,319] 1.04us 3mb |----------------------------------------L0.?----------------------------------------| "
- - "L0.?[320,329] 1.04us 108kb |L0.?|"
- - "**** Simulation run 103, type=split(ReduceOverlap)(split_times=[638]). 1 Input Files, 4mb total:"
- - "L0, all files 4mb "
- - "L0.225[357,658] 1.04us |-----------------------------------------L0.225-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
- - "L0 "
- - "L0.?[357,638] 1.04us 4mb |---------------------------------------L0.?---------------------------------------| "
- - "L0.?[639,658] 1.04us 264kb |L0.?|"
- - "**** Simulation run 104, type=split(ReduceOverlap)(split_times=[319]). 1 Input Files, 2mb total:"
- - "L0, all files 2mb "
- - "L0.227[173,329] 1.04us |-----------------------------------------L0.227-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 2mb total:"
- - "L0 "
- - "L0.?[173,319] 1.04us 2mb |---------------------------------------L0.?---------------------------------------| "
- - "L0.?[320,329] 1.04us 132kb |L0.?|"
- - "**** Simulation run 105, type=split(ReduceOverlap)(split_times=[319]). 1 Input Files, 5mb total:"
- - "L0, all files 5mb "
- - "L0.229[50,329] 1.04us |-----------------------------------------L0.229-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 5mb total:"
- - "L0 "
- - "L0.?[50,319] 1.04us 5mb |----------------------------------------L0.?----------------------------------------| "
- - "L0.?[320,329] 1.04us 177kb |L0.?|"
- - "**** Simulation run 106, type=split(ReduceOverlap)(split_times=[638]). 1 Input Files, 4mb total:"
- - "L0, all files 4mb "
- - "L0.231[357,658] 1.04us |-----------------------------------------L0.231-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
- - "L0 "
- - "L0.?[357,638] 1.04us 3mb |---------------------------------------L0.?---------------------------------------| "
- - "L0.?[639,658] 1.04us 239kb |L0.?|"
- - "**** Simulation run 107, type=split(ReduceOverlap)(split_times=[319]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.233[76,329] 1.04us |-----------------------------------------L0.233-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[76,319] 1.04us 3mb |----------------------------------------L0.?----------------------------------------| "
- - "L0.?[320,329] 1.04us 120kb |L0.?|"
- - "**** Simulation run 108, type=split(ReduceOverlap)(split_times=[638]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.251[357,658] 1.04us |-----------------------------------------L0.251-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[357,638] 1.04us 3mb |---------------------------------------L0.?---------------------------------------| "
- - "L0.?[639,658] 1.04us 217kb |L0.?|"
- - "**** Simulation run 109, type=split(ReduceOverlap)(split_times=[319]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.253[42,329] 1.04us |-----------------------------------------L0.253-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[42,319] 1.04us 3mb |----------------------------------------L0.?----------------------------------------| "
- - "L0.?[320,329] 1.04us 108kb |L0.?|"
- - "**** Simulation run 110, type=split(ReduceOverlap)(split_times=[638]). 1 Input Files, 4mb total:"
- - "L0, all files 4mb "
- - "L0.235[357,658] 1.04us |-----------------------------------------L0.235-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
- - "L0 "
- - "L0.?[357,638] 1.04us 4mb |---------------------------------------L0.?---------------------------------------| "
- - "L0.?[639,658] 1.04us 264kb |L0.?|"
- - "**** Simulation run 111, type=split(ReduceOverlap)(split_times=[319]). 1 Input Files, 2mb total:"
- - "L0, all files 2mb "
- - "L0.237[173,329] 1.04us |-----------------------------------------L0.237-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 2mb total:"
- - "L0 "
- - "L0.?[173,319] 1.04us 2mb |---------------------------------------L0.?---------------------------------------| "
- - "L0.?[320,329] 1.04us 132kb |L0.?|"
- - "**** Simulation run 112, type=split(ReduceOverlap)(split_times=[319]). 1 Input Files, 5mb total:"
- - "L0, all files 5mb "
- - "L0.239[50,329] 1.04us |-----------------------------------------L0.239-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 5mb total:"
- - "L0 "
- - "L0.?[50,319] 1.04us 5mb |----------------------------------------L0.?----------------------------------------| "
- - "L0.?[320,329] 1.04us 177kb |L0.?|"
- - "**** Simulation run 113, type=split(ReduceOverlap)(split_times=[638]). 1 Input Files, 4mb total:"
- - "L0, all files 4mb "
- - "L0.241[357,658] 1.04us |-----------------------------------------L0.241-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
- - "L0 "
- - "L0.?[357,638] 1.04us 3mb |---------------------------------------L0.?---------------------------------------| "
- - "L0.?[639,658] 1.04us 239kb |L0.?|"
- - "**** Simulation run 114, type=split(ReduceOverlap)(split_times=[319]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.243[76,329] 1.04us |-----------------------------------------L0.243-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[76,319] 1.04us 3mb |----------------------------------------L0.?----------------------------------------| "
- - "L0.?[320,329] 1.04us 120kb |L0.?|"
- - "**** Simulation run 115, type=split(ReduceOverlap)(split_times=[638]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.245[357,658] 1.05us |-----------------------------------------L0.245-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[357,638] 1.05us 3mb |---------------------------------------L0.?---------------------------------------| "
- - "L0.?[639,658] 1.05us 217kb |L0.?|"
- - "**** Simulation run 116, type=split(ReduceOverlap)(split_times=[319]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.247[42,329] 1.05us |-----------------------------------------L0.247-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[42,319] 1.05us 3mb |----------------------------------------L0.?----------------------------------------| "
- - "L0.?[320,329] 1.05us 108kb |L0.?|"
- - "**** Simulation run 117, type=split(ReduceOverlap)(split_times=[638]). 1 Input Files, 4mb total:"
- - "L0, all files 4mb "
- - "L0.249[357,658] 1.05us |-----------------------------------------L0.249-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
- - "L0 "
- - "L0.?[357,638] 1.05us 4mb |---------------------------------------L0.?---------------------------------------| "
- - "L0.?[639,658] 1.05us 264kb |L0.?|"
- - "**** Simulation run 118, type=split(ReduceOverlap)(split_times=[319]). 1 Input Files, 2mb total:"
- - "L0, all files 2mb "
- - "L0.255[173,329] 1.05us |-----------------------------------------L0.255-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 2mb total:"
- - "L0 "
- - "L0.?[173,319] 1.05us 2mb |---------------------------------------L0.?---------------------------------------| "
- - "L0.?[320,329] 1.05us 132kb |L0.?|"
- - "**** Simulation run 119, type=split(ReduceOverlap)(split_times=[319]). 1 Input Files, 5mb total:"
- - "L0, all files 5mb "
- - "L0.257[50,329] 1.05us |-----------------------------------------L0.257-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 5mb total:"
- - "L0 "
- - "L0.?[50,319] 1.05us 5mb |----------------------------------------L0.?----------------------------------------| "
- - "L0.?[320,329] 1.05us 177kb |L0.?|"
- - "**** Simulation run 120, type=split(ReduceOverlap)(split_times=[638]). 1 Input Files, 4mb total:"
- - "L0, all files 4mb "
- - "L0.259[357,658] 1.05us |-----------------------------------------L0.259-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
- - "L0 "
- - "L0.?[357,638] 1.05us 3mb |---------------------------------------L0.?---------------------------------------| "
- - "L0.?[639,658] 1.05us 239kb |L0.?|"
- - "**** Simulation run 121, type=split(ReduceOverlap)(split_times=[319]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.261[76,329] 1.05us |-----------------------------------------L0.261-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[76,319] 1.05us 3mb |----------------------------------------L0.?----------------------------------------| "
- - "L0.?[320,329] 1.05us 120kb |L0.?|"
- - "**** Simulation run 122, type=split(ReduceOverlap)(split_times=[638]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.263[357,658] 1.05us |-----------------------------------------L0.263-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[357,638] 1.05us 3mb |---------------------------------------L0.?---------------------------------------| "
- - "L0.?[639,658] 1.05us 217kb |L0.?|"
- - "**** Simulation run 123, type=split(ReduceOverlap)(split_times=[319]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.265[42,329] 1.05us |-----------------------------------------L0.265-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[42,319] 1.05us 3mb |----------------------------------------L0.?----------------------------------------| "
- - "L0.?[320,329] 1.05us 108kb |L0.?|"
- - "Committing partition 1:"
- - " Soft Deleting 35 files: L0.197, L0.199, L0.201, L0.203, L0.205, L0.207, L0.209, L0.211, L0.213, L0.215, L0.217, L0.219, L0.221, L0.223, L0.225, L0.227, L0.229, L0.231, L0.233, L0.235, L0.237, L0.239, L0.241, L0.243, L0.245, L0.247, L0.249, L0.251, L0.253, L0.255, L0.257, L0.259, L0.261, L0.263, L0.265"
- - " Creating 70 files"
- - "**** Simulation run 124, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[920]). 3 Input Files, 104mb total:"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
- "L0 "
- - "L0.194[659,670] 1.03us 130kb|L0.194| "
- - "L0.134[671,986] 1.03us 3mb |---------------------------------------L0.134---------------------------------------| "
- - "L1 "
- - "L1.192[659,986] 1.03us 100mb|-----------------------------------------L1.192-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 104mb total:"
- - "L1 "
- - "L1.?[659,920] 1.03us 83mb|--------------------------------L1.?---------------------------------| "
- - "L1.?[921,986] 1.03us 21mb |-----L1.?------| "
+ - "L0.?[42,797] 1.05us 80mb |--------------------------------L0.?---------------------------------| "
+ - "L0.?[798,986] 1.05us 20mb |-----L0.?------| "
- "Committing partition 1:"
- - " Soft Deleting 3 files: L0.134, L1.192, L0.194"
+ - " Soft Deleting 10 files: L0.41, L0.42, L0.43, L0.44, L0.45, L0.46, L0.47, L0.48, L0.49, L0.50"
- " Creating 2 files"
- - "**** Simulation run 125, type=split(ReduceOverlap)(split_times=[920]). 1 Input Files, 4mb total:"
- - "L0, all files 4mb "
- - "L0.137[671,950] 1.03us |-----------------------------------------L0.137-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
- - "L0 "
- - "L0.?[671,920] 1.03us 3mb |-------------------------------------L0.?-------------------------------------| "
- - "L0.?[921,950] 1.03us 398kb |-L0.?--| "
- - "**** Simulation run 126, type=split(ReduceOverlap)(split_times=[920]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.142[671,932] 1.03us |-----------------------------------------L0.142-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[671,920] 1.03us 3mb |---------------------------------------L0.?----------------------------------------| "
- - "L0.?[921,932] 1.03us 145kb |L0.?|"
- - "**** Simulation run 127, type=split(ReduceOverlap)(split_times=[920]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.145[671,986] 1.03us |-----------------------------------------L0.145-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[671,920] 1.03us 3mb |--------------------------------L0.?---------------------------------| "
- - "L0.?[921,986] 1.03us 720kb |------L0.?------| "
- - "**** Simulation run 128, type=split(ReduceOverlap)(split_times=[920]). 1 Input Files, 4mb total:"
- - "L0, all files 4mb "
- - "L0.148[671,950] 1.03us |-----------------------------------------L0.148-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
- - "L0 "
- - "L0.?[671,920] 1.03us 3mb |-------------------------------------L0.?-------------------------------------| "
- - "L0.?[921,950] 1.03us 398kb |-L0.?--| "
- - "**** Simulation run 129, type=split(ReduceOverlap)(split_times=[920]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.153[671,932] 1.04us |-----------------------------------------L0.153-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[671,920] 1.04us 3mb |---------------------------------------L0.?----------------------------------------| "
- - "L0.?[921,932] 1.04us 145kb |L0.?|"
- - "**** Simulation run 130, type=split(ReduceOverlap)(split_times=[920]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.156[671,986] 1.04us |-----------------------------------------L0.156-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[671,920] 1.04us 3mb |--------------------------------L0.?---------------------------------| "
- - "L0.?[921,986] 1.04us 720kb |------L0.?------| "
- - "**** Simulation run 131, type=split(ReduceOverlap)(split_times=[920]). 1 Input Files, 4mb total:"
- - "L0, all files 4mb "
- - "L0.159[671,950] 1.04us |-----------------------------------------L0.159-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
- - "L0 "
- - "L0.?[671,920] 1.04us 3mb |-------------------------------------L0.?-------------------------------------| "
- - "L0.?[921,950] 1.04us 398kb |-L0.?--| "
- - "**** Simulation run 132, type=split(ReduceOverlap)(split_times=[920]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.164[671,932] 1.04us |-----------------------------------------L0.164-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[671,920] 1.04us 3mb |---------------------------------------L0.?----------------------------------------| "
- - "L0.?[921,932] 1.04us 145kb |L0.?|"
- - "**** Simulation run 133, type=split(ReduceOverlap)(split_times=[920]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.167[671,986] 1.04us |-----------------------------------------L0.167-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[671,920] 1.04us 3mb |--------------------------------L0.?---------------------------------| "
- - "L0.?[921,986] 1.04us 720kb |------L0.?------| "
- - "**** Simulation run 134, type=split(ReduceOverlap)(split_times=[920]). 1 Input Files, 4mb total:"
- - "L0, all files 4mb "
- - "L0.170[671,950] 1.04us |-----------------------------------------L0.170-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
- - "L0 "
- - "L0.?[671,920] 1.04us 3mb |-------------------------------------L0.?-------------------------------------| "
- - "L0.?[921,950] 1.04us 398kb |-L0.?--| "
- - "**** Simulation run 135, type=split(ReduceOverlap)(split_times=[920]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.175[671,932] 1.04us |-----------------------------------------L0.175-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[671,920] 1.04us 3mb |---------------------------------------L0.?----------------------------------------| "
- - "L0.?[921,932] 1.04us 145kb |L0.?|"
- - "**** Simulation run 136, type=split(ReduceOverlap)(split_times=[920]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.178[671,986] 1.05us |-----------------------------------------L0.178-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[671,920] 1.05us 3mb |--------------------------------L0.?---------------------------------| "
- - "L0.?[921,986] 1.05us 720kb |------L0.?------| "
- - "**** Simulation run 137, type=split(ReduceOverlap)(split_times=[920]). 1 Input Files, 4mb total:"
- - "L0, all files 4mb "
- - "L0.181[671,950] 1.05us |-----------------------------------------L0.181-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
- - "L0 "
- - "L0.?[671,920] 1.05us 3mb |-------------------------------------L0.?-------------------------------------| "
- - "L0.?[921,950] 1.05us 398kb |-L0.?--| "
- - "**** Simulation run 138, type=split(ReduceOverlap)(split_times=[920]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.186[671,932] 1.05us |-----------------------------------------L0.186-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[671,920] 1.05us 3mb |---------------------------------------L0.?----------------------------------------| "
- - "L0.?[921,932] 1.05us 145kb |L0.?|"
- - "**** Simulation run 139, type=split(ReduceOverlap)(split_times=[920]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.189[671,986] 1.05us |-----------------------------------------L0.189-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[671,920] 1.05us 3mb |--------------------------------L0.?---------------------------------| "
- - "L0.?[921,986] 1.05us 720kb |------L0.?------| "
- - "Committing partition 1:"
- - " Soft Deleting 15 files: L0.137, L0.142, L0.145, L0.148, L0.153, L0.156, L0.159, L0.164, L0.167, L0.170, L0.175, L0.178, L0.181, L0.186, L0.189"
- - " Creating 30 files"
- - "**** Simulation run 140, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[308, 616]). 11 Input Files, 299mb total:"
- - "L0 "
- - "L0.272[173,319] 1.03us 2mb |---L0.272---| "
- - "L0.273[320,329] 1.03us 132kb |L0.273| "
- - "L0.200[330,356] 1.03us 356kb |L0.200| "
- - "L0.270[357,638] 1.03us 4mb |---------L0.270----------| "
- - "L0.271[639,658] 1.03us 264kb |L0.271| "
- - "L0.198[659,670] 1.03us 158kb |L0.198| "
- - "L0.342[671,920] 1.03us 3mb |--------L0.342--------| "
- - "L1 "
- - "L1.267[0,319] 1.03us 100mb|-----------L1.267------------| "
- - "L1.268[320,638] 1.03us 100mb |-----------L1.268------------| "
- - "L1.269[639,658] 1.03us 7mb |L1.269| "
- - "L1.340[659,920] 1.03us 83mb |--------L1.340---------| "
- - "**** 3 Output Files (parquet_file_id not yet assigned), 299mb total:"
- - "L1 "
- - "L1.?[0,308] 1.03us 100mb |------------L1.?------------| "
- - "L1.?[309,616] 1.03us 100mb |------------L1.?------------| "
- - "L1.?[617,920] 1.03us 99mb |-----------L1.?------------| "
- - "Committing partition 1:"
- - " Soft Deleting 11 files: L0.198, L0.200, L1.267, L1.268, L1.269, L0.270, L0.271, L0.272, L0.273, L1.340, L0.342"
- - " Creating 3 files"
- - "**** Simulation run 141, type=split(ReduceOverlap)(split_times=[616]). 1 Input Files, 5mb total:"
- - "L0, all files 5mb "
- - "L0.139[357,629] 1.03us |-----------------------------------------L0.139-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 5mb total:"
- - "L0 "
- - "L0.?[357,616] 1.03us 4mb |---------------------------------------L0.?----------------------------------------| "
- - "L0.?[617,629] 1.03us 231kb |L0.?|"
- - "**** Simulation run 142, type=split(ReduceOverlap)(split_times=[308]). 1 Input Files, 5mb total:"
- - "L0, all files 5mb "
- - "L0.274[50,319] 1.03us |-----------------------------------------L0.274-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 5mb total:"
- - "L0 "
- - "L0.?[50,308] 1.03us 4mb |----------------------------------------L0.?----------------------------------------| "
- - "L0.?[309,319] 1.03us 195kb |L0.?|"
- - "**** Simulation run 143, type=split(ReduceOverlap)(split_times=[616]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.276[357,638] 1.03us |-----------------------------------------L0.276-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[357,616] 1.03us 3mb |--------------------------------------L0.?--------------------------------------| "
- - "L0.?[617,638] 1.03us 263kb |L0.?| "
- - "**** Simulation run 144, type=split(ReduceOverlap)(split_times=[308]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.278[76,319] 1.03us |-----------------------------------------L0.278-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[76,308] 1.03us 3mb |---------------------------------------L0.?----------------------------------------| "
- - "L0.?[309,319] 1.03us 132kb |L0.?|"
- - "**** Simulation run 145, type=split(ReduceOverlap)(split_times=[616]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.280[357,638] 1.03us |-----------------------------------------L0.280-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[357,616] 1.03us 3mb |--------------------------------------L0.?--------------------------------------| "
- - "L0.?[617,638] 1.03us 239kb |L0.?| "
- - "**** Simulation run 146, type=split(ReduceOverlap)(split_times=[308]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.282[42,319] 1.03us |-----------------------------------------L0.282-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[42,308] 1.03us 3mb |----------------------------------------L0.?----------------------------------------| "
- - "L0.?[309,319] 1.03us 119kb |L0.?|"
- - "**** Simulation run 147, type=split(ReduceOverlap)(split_times=[616]). 1 Input Files, 4mb total:"
- - "L0, all files 4mb "
- - "L0.284[357,638] 1.03us |-----------------------------------------L0.284-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
- - "L0 "
- - "L0.?[357,616] 1.03us 3mb |--------------------------------------L0.?--------------------------------------| "
- - "L0.?[617,638] 1.03us 290kb |L0.?| "
- - "**** Simulation run 148, type=split(ReduceOverlap)(split_times=[308]). 1 Input Files, 2mb total:"
- - "L0, all files 2mb "
- - "L0.286[173,319] 1.03us |-----------------------------------------L0.286-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 2mb total:"
- - "L0 "
- - "L0.?[173,308] 1.03us 2mb |--------------------------------------L0.?---------------------------------------| "
- - "L0.?[309,319] 1.03us 145kb |L0.?| "
- - "**** Simulation run 149, type=split(ReduceOverlap)(split_times=[616]). 1 Input Files, 5mb total:"
- - "L0, all files 5mb "
- - "L0.150[357,629] 1.03us |-----------------------------------------L0.150-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 5mb total:"
- - "L0 "
- - "L0.?[357,616] 1.03us 4mb |---------------------------------------L0.?----------------------------------------| "
- - "L0.?[617,629] 1.03us 231kb |L0.?|"
- - "**** Simulation run 150, type=split(ReduceOverlap)(split_times=[308]). 1 Input Files, 5mb total:"
- - "L0, all files 5mb "
- - "L0.288[50,319] 1.03us |-----------------------------------------L0.288-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 5mb total:"
- - "L0 "
- - "L0.?[50,308] 1.03us 4mb |----------------------------------------L0.?----------------------------------------| "
- - "L0.?[309,319] 1.03us 195kb |L0.?|"
- - "**** Simulation run 151, type=split(ReduceOverlap)(split_times=[616]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.290[357,638] 1.04us |-----------------------------------------L0.290-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[357,616] 1.04us 3mb |--------------------------------------L0.?--------------------------------------| "
- - "L0.?[617,638] 1.04us 263kb |L0.?| "
- - "**** Simulation run 152, type=split(ReduceOverlap)(split_times=[308]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.292[76,319] 1.04us |-----------------------------------------L0.292-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[76,308] 1.04us 3mb |---------------------------------------L0.?----------------------------------------| "
- - "L0.?[309,319] 1.04us 132kb |L0.?|"
- - "**** Simulation run 153, type=split(ReduceOverlap)(split_times=[616]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.294[357,638] 1.04us |-----------------------------------------L0.294-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[357,616] 1.04us 3mb |--------------------------------------L0.?--------------------------------------| "
- - "L0.?[617,638] 1.04us 239kb |L0.?| "
- - "**** Simulation run 154, type=split(ReduceOverlap)(split_times=[308]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.296[42,319] 1.04us |-----------------------------------------L0.296-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[42,308] 1.04us 3mb |----------------------------------------L0.?----------------------------------------| "
- - "L0.?[309,319] 1.04us 119kb |L0.?|"
- - "**** Simulation run 155, type=split(ReduceOverlap)(split_times=[616]). 1 Input Files, 4mb total:"
- - "L0, all files 4mb "
- - "L0.298[357,638] 1.04us |-----------------------------------------L0.298-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
- - "L0 "
- - "L0.?[357,616] 1.04us 3mb |--------------------------------------L0.?--------------------------------------| "
- - "L0.?[617,638] 1.04us 290kb |L0.?| "
- - "**** Simulation run 156, type=split(ReduceOverlap)(split_times=[308]). 1 Input Files, 2mb total:"
- - "L0, all files 2mb "
- - "L0.300[173,319] 1.04us |-----------------------------------------L0.300-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 2mb total:"
- - "L0 "
- - "L0.?[173,308] 1.04us 2mb |--------------------------------------L0.?---------------------------------------| "
- - "L0.?[309,319] 1.04us 145kb |L0.?| "
- - "**** Simulation run 157, type=split(ReduceOverlap)(split_times=[616]). 1 Input Files, 5mb total:"
- - "L0, all files 5mb "
- - "L0.161[357,629] 1.04us |-----------------------------------------L0.161-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 5mb total:"
- - "L0 "
- - "L0.?[357,616] 1.04us 4mb |---------------------------------------L0.?----------------------------------------| "
- - "L0.?[617,629] 1.04us 231kb |L0.?|"
- - "**** Simulation run 158, type=split(ReduceOverlap)(split_times=[308]). 1 Input Files, 5mb total:"
- - "L0, all files 5mb "
- - "L0.302[50,319] 1.04us |-----------------------------------------L0.302-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 5mb total:"
- - "L0 "
- - "L0.?[50,308] 1.04us 4mb |----------------------------------------L0.?----------------------------------------| "
- - "L0.?[309,319] 1.04us 195kb |L0.?|"
- - "**** Simulation run 159, type=split(ReduceOverlap)(split_times=[616]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.304[357,638] 1.04us |-----------------------------------------L0.304-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[357,616] 1.04us 3mb |--------------------------------------L0.?--------------------------------------| "
- - "L0.?[617,638] 1.04us 263kb |L0.?| "
- - "**** Simulation run 160, type=split(ReduceOverlap)(split_times=[308]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.306[76,319] 1.04us |-----------------------------------------L0.306-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[76,308] 1.04us 3mb |---------------------------------------L0.?----------------------------------------| "
- - "L0.?[309,319] 1.04us 132kb |L0.?|"
- - "**** Simulation run 161, type=split(ReduceOverlap)(split_times=[616]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.308[357,638] 1.04us |-----------------------------------------L0.308-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[357,616] 1.04us 3mb |--------------------------------------L0.?--------------------------------------| "
- - "L0.?[617,638] 1.04us 239kb |L0.?| "
- - "**** Simulation run 162, type=split(ReduceOverlap)(split_times=[308]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.310[42,319] 1.04us |-----------------------------------------L0.310-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[42,308] 1.04us 3mb |----------------------------------------L0.?----------------------------------------| "
- - "L0.?[309,319] 1.04us 119kb |L0.?|"
- - "**** Simulation run 163, type=split(ReduceOverlap)(split_times=[616]). 1 Input Files, 4mb total:"
- - "L0, all files 4mb "
- - "L0.312[357,638] 1.04us |-----------------------------------------L0.312-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
- - "L0 "
- - "L0.?[357,616] 1.04us 3mb |--------------------------------------L0.?--------------------------------------| "
- - "L0.?[617,638] 1.04us 290kb |L0.?| "
- - "**** Simulation run 164, type=split(ReduceOverlap)(split_times=[308]). 1 Input Files, 2mb total:"
- - "L0, all files 2mb "
- - "L0.314[173,319] 1.04us |-----------------------------------------L0.314-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 2mb total:"
- - "L0 "
- - "L0.?[173,308] 1.04us 2mb |--------------------------------------L0.?---------------------------------------| "
- - "L0.?[309,319] 1.04us 145kb |L0.?| "
- - "**** Simulation run 165, type=split(ReduceOverlap)(split_times=[616]). 1 Input Files, 5mb total:"
- - "L0, all files 5mb "
- - "L0.172[357,629] 1.04us |-----------------------------------------L0.172-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 5mb total:"
- - "L0 "
- - "L0.?[357,616] 1.04us 4mb |---------------------------------------L0.?----------------------------------------| "
- - "L0.?[617,629] 1.04us 231kb |L0.?|"
- - "**** Simulation run 166, type=split(ReduceOverlap)(split_times=[308]). 1 Input Files, 5mb total:"
- - "L0, all files 5mb "
- - "L0.316[50,319] 1.04us |-----------------------------------------L0.316-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 5mb total:"
- - "L0 "
- - "L0.?[50,308] 1.04us 4mb |----------------------------------------L0.?----------------------------------------| "
- - "L0.?[309,319] 1.04us 195kb |L0.?|"
- - "**** Simulation run 167, type=split(ReduceOverlap)(split_times=[616]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.318[357,638] 1.04us |-----------------------------------------L0.318-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[357,616] 1.04us 3mb |--------------------------------------L0.?--------------------------------------| "
- - "L0.?[617,638] 1.04us 263kb |L0.?| "
- - "**** Simulation run 168, type=split(ReduceOverlap)(split_times=[308]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.320[76,319] 1.04us |-----------------------------------------L0.320-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[76,308] 1.04us 3mb |---------------------------------------L0.?----------------------------------------| "
- - "L0.?[309,319] 1.04us 132kb |L0.?|"
- - "**** Simulation run 169, type=split(ReduceOverlap)(split_times=[616]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.322[357,638] 1.05us |-----------------------------------------L0.322-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[357,616] 1.05us 3mb |--------------------------------------L0.?--------------------------------------| "
- - "L0.?[617,638] 1.05us 239kb |L0.?| "
- - "**** Simulation run 170, type=split(ReduceOverlap)(split_times=[308]). 1 Input Files, 2mb total:"
- - "L0, all files 2mb "
- - "L0.328[173,319] 1.05us |-----------------------------------------L0.328-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 2mb total:"
- - "L0 "
- - "L0.?[173,308] 1.05us 2mb |--------------------------------------L0.?---------------------------------------| "
- - "L0.?[309,319] 1.05us 145kb |L0.?| "
- - "**** Simulation run 171, type=split(ReduceOverlap)(split_times=[616]). 1 Input Files, 5mb total:"
- - "L0, all files 5mb "
- - "L0.183[357,629] 1.05us |-----------------------------------------L0.183-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 5mb total:"
- - "L0 "
- - "L0.?[357,616] 1.05us 4mb |---------------------------------------L0.?----------------------------------------| "
- - "L0.?[617,629] 1.05us 231kb |L0.?|"
- - "**** Simulation run 172, type=split(ReduceOverlap)(split_times=[308]). 1 Input Files, 5mb total:"
- - "L0, all files 5mb "
- - "L0.330[50,319] 1.05us |-----------------------------------------L0.330-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 5mb total:"
- - "L0 "
- - "L0.?[50,308] 1.05us 4mb |----------------------------------------L0.?----------------------------------------| "
- - "L0.?[309,319] 1.05us 195kb |L0.?|"
- - "**** Simulation run 173, type=split(ReduceOverlap)(split_times=[616]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.332[357,638] 1.05us |-----------------------------------------L0.332-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[357,616] 1.05us 3mb |--------------------------------------L0.?--------------------------------------| "
- - "L0.?[617,638] 1.05us 263kb |L0.?| "
- - "**** Simulation run 174, type=split(ReduceOverlap)(split_times=[308]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.334[76,319] 1.05us |-----------------------------------------L0.334-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[76,308] 1.05us 3mb |---------------------------------------L0.?----------------------------------------| "
- - "L0.?[309,319] 1.05us 132kb |L0.?|"
- - "**** Simulation run 175, type=split(ReduceOverlap)(split_times=[616]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.336[357,638] 1.05us |-----------------------------------------L0.336-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[357,616] 1.05us 3mb |--------------------------------------L0.?--------------------------------------| "
- - "L0.?[617,638] 1.05us 239kb |L0.?| "
- - "**** Simulation run 176, type=split(ReduceOverlap)(split_times=[308]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.338[42,319] 1.05us |-----------------------------------------L0.338-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[42,308] 1.05us 3mb |----------------------------------------L0.?----------------------------------------| "
- - "L0.?[309,319] 1.05us 119kb |L0.?|"
- - "**** Simulation run 177, type=split(ReduceOverlap)(split_times=[308]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.324[42,319] 1.05us |-----------------------------------------L0.324-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[42,308] 1.05us 3mb |----------------------------------------L0.?----------------------------------------| "
- - "L0.?[309,319] 1.05us 119kb |L0.?|"
- - "**** Simulation run 178, type=split(ReduceOverlap)(split_times=[616]). 1 Input Files, 4mb total:"
- - "L0, all files 4mb "
- - "L0.326[357,638] 1.05us |-----------------------------------------L0.326-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
- - "L0 "
- - "L0.?[357,616] 1.05us 3mb |--------------------------------------L0.?--------------------------------------| "
- - "L0.?[617,638] 1.05us 290kb |L0.?| "
- - "Committing partition 1:"
- - " Soft Deleting 38 files: L0.139, L0.150, L0.161, L0.172, L0.183, L0.274, L0.276, L0.278, L0.280, L0.282, L0.284, L0.286, L0.288, L0.290, L0.292, L0.294, L0.296, L0.298, L0.300, L0.302, L0.304, L0.306, L0.308, L0.310, L0.312, L0.314, L0.316, L0.318, L0.320, L0.322, L0.324, L0.326, L0.328, L0.330, L0.332, L0.334, L0.336, L0.338"
- - " Creating 76 files"
- - "**** Simulation run 179, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[973]). 2 Input Files, 21mb total:"
- - "L0 "
- - "L0.343[921,950] 1.03us 398kb|----------------L0.343----------------| "
- - "L1 "
- - "L1.341[921,986] 1.03us 21mb|-----------------------------------------L1.341-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 21mb total:"
- - "L1 "
- - "L1.?[921,973] 1.03us 17mb|---------------------------------L1.?---------------------------------| "
- - "L1.?[974,986] 1.03us 4mb |-----L1.?-----| "
- - "Committing partition 1:"
- - " Soft Deleting 2 files: L1.341, L0.343"
- - " Creating 2 files"
- - "**** Simulation run 180, type=split(ReduceOverlap)(split_times=[973]). 1 Input Files, 720kb total:"
- - "L0, all files 720kb "
- - "L0.347[921,986] 1.03us |-----------------------------------------L0.347-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 720kb total:"
- - "L0 "
- - "L0.?[921,973] 1.03us 576kb|---------------------------------L0.?---------------------------------| "
- - "L0.?[974,986] 1.03us 144kb |-----L0.?-----| "
- - "**** Simulation run 181, type=split(ReduceOverlap)(split_times=[973]). 1 Input Files, 720kb total:"
- - "L0, all files 720kb "
- - "L0.353[921,986] 1.04us |-----------------------------------------L0.353-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 720kb total:"
- - "L0 "
- - "L0.?[921,973] 1.04us 576kb|---------------------------------L0.?---------------------------------| "
- - "L0.?[974,986] 1.04us 144kb |-----L0.?-----| "
- - "**** Simulation run 182, type=split(ReduceOverlap)(split_times=[973]). 1 Input Files, 720kb total:"
- - "L0, all files 720kb "
- - "L0.359[921,986] 1.04us |-----------------------------------------L0.359-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 720kb total:"
- - "L0 "
- - "L0.?[921,973] 1.04us 576kb|---------------------------------L0.?---------------------------------| "
- - "L0.?[974,986] 1.04us 144kb |-----L0.?-----| "
- - "**** Simulation run 183, type=split(ReduceOverlap)(split_times=[973]). 1 Input Files, 720kb total:"
- - "L0, all files 720kb "
- - "L0.365[921,986] 1.05us |-----------------------------------------L0.365-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 720kb total:"
- - "L0 "
- - "L0.?[921,973] 1.05us 576kb|---------------------------------L0.?---------------------------------| "
- - "L0.?[974,986] 1.05us 144kb |-----L0.?-----| "
- - "**** Simulation run 184, type=split(ReduceOverlap)(split_times=[973]). 1 Input Files, 720kb total:"
- - "L0, all files 720kb "
- - "L0.371[921,986] 1.05us |-----------------------------------------L0.371-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 720kb total:"
- - "L0 "
- - "L0.?[921,973] 1.05us 576kb|---------------------------------L0.?---------------------------------| "
- - "L0.?[974,986] 1.05us 144kb |-----L0.?-----| "
- - "Committing partition 1:"
- - " Soft Deleting 5 files: L0.347, L0.353, L0.359, L0.365, L0.371"
- - " Creating 10 files"
- - "**** Simulation run 185, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[295, 590]). 7 Input Files, 209mb total:"
- - "L0 "
- - "L0.377[50,308] 1.03us 4mb |--------------L0.377---------------| "
- - "L0.378[309,319] 1.03us 195kb |L0.378| "
- - "L0.275[320,329] 1.03us 177kb |L0.275| "
- - "L0.202[330,356] 1.03us 478kb |L0.202| "
- - "L0.375[357,616] 1.03us 4mb |--------------L0.375---------------| "
- - "L1 "
- - "L1.372[0,308] 1.03us 100mb|------------------L1.372-------------------| "
- - "L1.373[309,616] 1.03us 100mb |------------------L1.373------------------| "
- - "**** 3 Output Files (parquet_file_id not yet assigned), 209mb total:"
- - "L1 "
- - "L1.?[0,295] 1.03us 100mb |------------------L1.?-------------------| "
- - "L1.?[296,590] 1.03us 100mb |------------------L1.?------------------| "
- - "L1.?[591,616] 1.03us 9mb |L1.?|"
- - "Committing partition 1:"
- - " Soft Deleting 7 files: L0.202, L0.275, L1.372, L1.373, L0.375, L0.377, L0.378"
- - " Creating 3 files"
- - "**** Simulation run 186, type=split(ReduceOverlap)(split_times=[590]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.379[357,616] 1.03us |-----------------------------------------L0.379-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[357,590] 1.03us 3mb |-------------------------------------L0.?-------------------------------------| "
- - "L0.?[591,616] 1.03us 311kb |-L0.?-| "
- - "**** Simulation run 187, type=split(ReduceOverlap)(split_times=[295]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.381[76,308] 1.03us |-----------------------------------------L0.381-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[76,295] 1.03us 3mb |---------------------------------------L0.?---------------------------------------| "
- - "L0.?[296,308] 1.03us 156kb |L0.?|"
- - "**** Simulation run 188, type=split(ReduceOverlap)(split_times=[590]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.383[357,616] 1.03us |-----------------------------------------L0.383-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[357,590] 1.03us 2mb |-------------------------------------L0.?-------------------------------------| "
- - "L0.?[591,616] 1.03us 282kb |-L0.?-| "
- - "**** Simulation run 189, type=split(ReduceOverlap)(split_times=[295]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.385[42,308] 1.03us |-----------------------------------------L0.385-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[42,295] 1.03us 3mb |---------------------------------------L0.?----------------------------------------| "
- - "L0.?[296,308] 1.03us 141kb |L0.?|"
- - "**** Simulation run 190, type=split(ReduceOverlap)(split_times=[590]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.387[357,616] 1.03us |-----------------------------------------L0.387-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[357,590] 1.03us 3mb |-------------------------------------L0.?-------------------------------------| "
- - "L0.?[591,616] 1.03us 343kb |-L0.?-| "
- - "**** Simulation run 191, type=split(ReduceOverlap)(split_times=[295]). 1 Input Files, 2mb total:"
- - "L0, all files 2mb "
- - "L0.389[173,308] 1.03us |-----------------------------------------L0.389-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 2mb total:"
- - "L0 "
- - "L0.?[173,295] 1.03us 2mb |-------------------------------------L0.?--------------------------------------| "
- - "L0.?[296,308] 1.03us 171kb |-L0.?-|"
- - "**** Simulation run 192, type=split(ReduceOverlap)(split_times=[590]). 1 Input Files, 4mb total:"
- - "L0, all files 4mb "
- - "L0.391[357,616] 1.03us |-----------------------------------------L0.391-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
- - "L0 "
- - "L0.?[357,590] 1.03us 4mb |-------------------------------------L0.?-------------------------------------| "
- - "L0.?[591,616] 1.03us 462kb |-L0.?-| "
- - "**** Simulation run 193, type=split(ReduceOverlap)(split_times=[295]). 1 Input Files, 4mb total:"
- - "L0, all files 4mb "
- - "L0.393[50,308] 1.03us |-----------------------------------------L0.393-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
- - "L0 "
- - "L0.?[50,295] 1.03us 4mb |---------------------------------------L0.?----------------------------------------| "
- - "L0.?[296,308] 1.03us 230kb |L0.?|"
- - "**** Simulation run 194, type=split(ReduceOverlap)(split_times=[590]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.395[357,616] 1.04us |-----------------------------------------L0.395-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[357,590] 1.04us 3mb |-------------------------------------L0.?-------------------------------------| "
- - "L0.?[591,616] 1.04us 311kb |-L0.?-| "
- - "**** Simulation run 195, type=split(ReduceOverlap)(split_times=[295]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.397[76,308] 1.04us |-----------------------------------------L0.397-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[76,295] 1.04us 3mb |---------------------------------------L0.?---------------------------------------| "
- - "L0.?[296,308] 1.04us 156kb |L0.?|"
- - "**** Simulation run 196, type=split(ReduceOverlap)(split_times=[590]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.399[357,616] 1.04us |-----------------------------------------L0.399-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[357,590] 1.04us 2mb |-------------------------------------L0.?-------------------------------------| "
- - "L0.?[591,616] 1.04us 282kb |-L0.?-| "
- - "**** Simulation run 197, type=split(ReduceOverlap)(split_times=[295]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.401[42,308] 1.04us |-----------------------------------------L0.401-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[42,295] 1.04us 3mb |---------------------------------------L0.?----------------------------------------| "
- - "L0.?[296,308] 1.04us 141kb |L0.?|"
- - "**** Simulation run 198, type=split(ReduceOverlap)(split_times=[590]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.403[357,616] 1.04us |-----------------------------------------L0.403-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[357,590] 1.04us 3mb |-------------------------------------L0.?-------------------------------------| "
- - "L0.?[591,616] 1.04us 343kb |-L0.?-| "
- - "**** Simulation run 199, type=split(ReduceOverlap)(split_times=[295]). 1 Input Files, 2mb total:"
- - "L0, all files 2mb "
- - "L0.405[173,308] 1.04us |-----------------------------------------L0.405-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 2mb total:"
- - "L0 "
- - "L0.?[173,295] 1.04us 2mb |-------------------------------------L0.?--------------------------------------| "
- - "L0.?[296,308] 1.04us 171kb |-L0.?-|"
- - "**** Simulation run 200, type=split(ReduceOverlap)(split_times=[590]). 1 Input Files, 4mb total:"
- - "L0, all files 4mb "
- - "L0.407[357,616] 1.04us |-----------------------------------------L0.407-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
- - "L0 "
- - "L0.?[357,590] 1.04us 4mb |-------------------------------------L0.?-------------------------------------| "
- - "L0.?[591,616] 1.04us 462kb |-L0.?-| "
- - "**** Simulation run 201, type=split(ReduceOverlap)(split_times=[295]). 1 Input Files, 4mb total:"
- - "L0, all files 4mb "
- - "L0.409[50,308] 1.04us |-----------------------------------------L0.409-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
- - "L0 "
- - "L0.?[50,295] 1.04us 4mb |---------------------------------------L0.?----------------------------------------| "
- - "L0.?[296,308] 1.04us 230kb |L0.?|"
- - "**** Simulation run 202, type=split(ReduceOverlap)(split_times=[590]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.411[357,616] 1.04us |-----------------------------------------L0.411-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[357,590] 1.04us 3mb |-------------------------------------L0.?-------------------------------------| "
- - "L0.?[591,616] 1.04us 311kb |-L0.?-| "
- - "**** Simulation run 203, type=split(ReduceOverlap)(split_times=[295]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.413[76,308] 1.04us |-----------------------------------------L0.413-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[76,295] 1.04us 3mb |---------------------------------------L0.?---------------------------------------| "
- - "L0.?[296,308] 1.04us 156kb |L0.?|"
- - "**** Simulation run 204, type=split(ReduceOverlap)(split_times=[590]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.415[357,616] 1.04us |-----------------------------------------L0.415-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[357,590] 1.04us 2mb |-------------------------------------L0.?-------------------------------------| "
- - "L0.?[591,616] 1.04us 282kb |-L0.?-| "
- - "**** Simulation run 205, type=split(ReduceOverlap)(split_times=[295]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.417[42,308] 1.04us |-----------------------------------------L0.417-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[42,295] 1.04us 3mb |---------------------------------------L0.?----------------------------------------| "
- - "L0.?[296,308] 1.04us 141kb |L0.?|"
- - "**** Simulation run 206, type=split(ReduceOverlap)(split_times=[590]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.419[357,616] 1.04us |-----------------------------------------L0.419-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[357,590] 1.04us 3mb |-------------------------------------L0.?-------------------------------------| "
- - "L0.?[591,616] 1.04us 343kb |-L0.?-| "
- - "**** Simulation run 207, type=split(ReduceOverlap)(split_times=[295]). 1 Input Files, 2mb total:"
- - "L0, all files 2mb "
- - "L0.421[173,308] 1.04us |-----------------------------------------L0.421-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 2mb total:"
- - "L0 "
- - "L0.?[173,295] 1.04us 2mb |-------------------------------------L0.?--------------------------------------| "
- - "L0.?[296,308] 1.04us 171kb |-L0.?-|"
- - "**** Simulation run 208, type=split(ReduceOverlap)(split_times=[590]). 1 Input Files, 4mb total:"
- - "L0, all files 4mb "
- - "L0.423[357,616] 1.04us |-----------------------------------------L0.423-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
- - "L0 "
- - "L0.?[357,590] 1.04us 4mb |-------------------------------------L0.?-------------------------------------| "
- - "L0.?[591,616] 1.04us 462kb |-L0.?-| "
- - "**** Simulation run 209, type=split(ReduceOverlap)(split_times=[295]). 1 Input Files, 4mb total:"
- - "L0, all files 4mb "
- - "L0.425[50,308] 1.04us |-----------------------------------------L0.425-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
- - "L0 "
- - "L0.?[50,295] 1.04us 4mb |---------------------------------------L0.?----------------------------------------| "
- - "L0.?[296,308] 1.04us 230kb |L0.?|"
- - "**** Simulation run 210, type=split(ReduceOverlap)(split_times=[590]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.427[357,616] 1.04us |-----------------------------------------L0.427-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[357,590] 1.04us 3mb |-------------------------------------L0.?-------------------------------------| "
- - "L0.?[591,616] 1.04us 311kb |-L0.?-| "
- - "**** Simulation run 211, type=split(ReduceOverlap)(split_times=[295]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.429[76,308] 1.04us |-----------------------------------------L0.429-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[76,295] 1.04us 3mb |---------------------------------------L0.?---------------------------------------| "
- - "L0.?[296,308] 1.04us 156kb |L0.?|"
- - "**** Simulation run 212, type=split(ReduceOverlap)(split_times=[590]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.431[357,616] 1.05us |-----------------------------------------L0.431-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[357,590] 1.05us 2mb |-------------------------------------L0.?-------------------------------------| "
- - "L0.?[591,616] 1.05us 282kb |-L0.?-| "
- - "**** Simulation run 213, type=split(ReduceOverlap)(split_times=[295]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.447[42,308] 1.05us |-----------------------------------------L0.447-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[42,295] 1.05us 3mb |---------------------------------------L0.?----------------------------------------| "
- - "L0.?[296,308] 1.05us 141kb |L0.?|"
- - "**** Simulation run 214, type=split(ReduceOverlap)(split_times=[590]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.449[357,616] 1.05us |-----------------------------------------L0.449-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[357,590] 1.05us 3mb |-------------------------------------L0.?-------------------------------------| "
- - "L0.?[591,616] 1.05us 343kb |-L0.?-| "
- - "**** Simulation run 215, type=split(ReduceOverlap)(split_times=[295]). 1 Input Files, 2mb total:"
- - "L0, all files 2mb "
- - "L0.433[173,308] 1.05us |-----------------------------------------L0.433-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 2mb total:"
- - "L0 "
- - "L0.?[173,295] 1.05us 2mb |-------------------------------------L0.?--------------------------------------| "
- - "L0.?[296,308] 1.05us 171kb |-L0.?-|"
- - "**** Simulation run 216, type=split(ReduceOverlap)(split_times=[590]). 1 Input Files, 4mb total:"
- - "L0, all files 4mb "
- - "L0.435[357,616] 1.05us |-----------------------------------------L0.435-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
- - "L0 "
- - "L0.?[357,590] 1.05us 4mb |-------------------------------------L0.?-------------------------------------| "
- - "L0.?[591,616] 1.05us 462kb |-L0.?-| "
- - "**** Simulation run 217, type=split(ReduceOverlap)(split_times=[295]). 1 Input Files, 4mb total:"
- - "L0, all files 4mb "
- - "L0.437[50,308] 1.05us |-----------------------------------------L0.437-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
- - "L0 "
- - "L0.?[50,295] 1.05us 4mb |---------------------------------------L0.?----------------------------------------| "
- - "L0.?[296,308] 1.05us 230kb |L0.?|"
- - "**** Simulation run 218, type=split(ReduceOverlap)(split_times=[590]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.439[357,616] 1.05us |-----------------------------------------L0.439-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[357,590] 1.05us 3mb |-------------------------------------L0.?-------------------------------------| "
- - "L0.?[591,616] 1.05us 311kb |-L0.?-| "
- - "**** Simulation run 219, type=split(ReduceOverlap)(split_times=[295]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.441[76,308] 1.05us |-----------------------------------------L0.441-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[76,295] 1.05us 3mb |---------------------------------------L0.?---------------------------------------| "
- - "L0.?[296,308] 1.05us 156kb |L0.?|"
- - "**** Simulation run 220, type=split(ReduceOverlap)(split_times=[590]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.443[357,616] 1.05us |-----------------------------------------L0.443-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[357,590] 1.05us 2mb |-------------------------------------L0.?-------------------------------------| "
- - "L0.?[591,616] 1.05us 282kb |-L0.?-| "
- - "**** Simulation run 221, type=split(ReduceOverlap)(split_times=[295]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.445[42,308] 1.05us |-----------------------------------------L0.445-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[42,295] 1.05us 3mb |---------------------------------------L0.?----------------------------------------| "
- - "L0.?[296,308] 1.05us 141kb |L0.?|"
- - "Committing partition 1:"
- - " Soft Deleting 36 files: L0.379, L0.381, L0.383, L0.385, L0.387, L0.389, L0.391, L0.393, L0.395, L0.397, L0.399, L0.401, L0.403, L0.405, L0.407, L0.409, L0.411, L0.413, L0.415, L0.417, L0.419, L0.421, L0.423, L0.425, L0.427, L0.429, L0.431, L0.433, L0.435, L0.437, L0.439, L0.441, L0.443, L0.445, L0.447, L0.449"
- - " Creating 72 files"
- - "**** Simulation run 222, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[578]). 200 Input Files, 176mb total:"
- - "L0 "
- - "L0.376[617,629] 1.03us 231kb |L0.376| "
- - "L0.468[76,295] 1.03us 3mb |------L0.468------| "
- - "L0.469[296,308] 1.03us 156kb |L0.469| "
- - "L0.382[309,319] 1.03us 132kb |L0.382| "
- - "L0.279[320,329] 1.03us 120kb |L0.279| "
- - "L0.206[330,356] 1.03us 323kb |L0.206| "
- - "L0.466[357,590] 1.03us 3mb |-------L0.466-------| "
- - "L0.467[591,616] 1.03us 311kb |L0.467| "
- - "L0.380[617,638] 1.03us 263kb |L0.380| "
- - "L0.277[639,658] 1.03us 239kb |L0.277| "
- - "L0.204[659,670] 1.03us 144kb |L0.204| "
- - "L0.344[671,920] 1.03us 3mb |-------L0.344--------| "
- - "L0.345[921,932] 1.03us 145kb |L0.345|"
- - "L0.472[42,295] 1.03us 3mb|--------L0.472--------| "
- - "L0.473[296,308] 1.03us 141kb |L0.473| "
- - "L0.386[309,319] 1.03us 119kb |L0.386| "
- - "L0.283[320,329] 1.03us 108kb |L0.283| "
- - "L0.210[330,356] 1.03us 293kb |L0.210| "
- - "L0.470[357,590] 1.03us 2mb |-------L0.470-------| "
- - "L0.471[591,616] 1.03us 282kb |L0.471| "
- - "L0.384[617,638] 1.03us 239kb |L0.384| "
- - "L0.281[639,658] 1.03us 217kb |L0.281| "
- - "L0.208[659,670] 1.03us 130kb |L0.208| "
- - "L0.346[671,920] 1.03us 3mb |-------L0.346--------| "
- - "L0.453[921,973] 1.03us 576kb |L0.453|"
- - "L0.454[974,986] 1.03us 144kb |L0.454|"
- - "L0.476[173,295] 1.03us 2mb |-L0.476--| "
- - "L0.477[296,308] 1.03us 171kb |L0.477| "
- - "L0.390[309,319] 1.03us 145kb |L0.390| "
- - "L0.287[320,329] 1.03us 132kb |L0.287| "
- - "L0.214[330,356] 1.03us 356kb |L0.214| "
- - "L0.474[357,590] 1.03us 3mb |-------L0.474-------| "
- - "L0.475[591,616] 1.03us 343kb |L0.475| "
- - "L0.388[617,638] 1.03us 290kb |L0.388| "
- - "L0.285[639,658] 1.03us 264kb |L0.285| "
- - "L0.212[659,670] 1.03us 158kb |L0.212| "
- - "L0.348[671,920] 1.03us 3mb |-------L0.348--------| "
- - "L0.349[921,950] 1.03us 398kb |L0.349|"
- - "L0.480[50,295] 1.03us 4mb|-------L0.480--------| "
- - "L0.481[296,308] 1.03us 230kb |L0.481| "
- - "L0.394[309,319] 1.03us 195kb |L0.394| "
- - "L0.289[320,329] 1.03us 177kb |L0.289| "
- - "L0.216[330,356] 1.03us 478kb |L0.216| "
- - "L0.478[357,590] 1.03us 4mb |-------L0.478-------| "
- - "L0.479[591,616] 1.03us 462kb |L0.479| "
- - "L0.392[617,629] 1.03us 231kb |L0.392| "
- - "L0.484[76,295] 1.04us 3mb |------L0.484------| "
- - "L0.485[296,308] 1.04us 156kb |L0.485| "
- - "L0.398[309,319] 1.04us 132kb |L0.398| "
- - "L0.293[320,329] 1.04us 120kb |L0.293| "
- - "L0.220[330,356] 1.04us 323kb |L0.220| "
- - "L0.482[357,590] 1.04us 3mb |-------L0.482-------| "
- - "L0.483[591,616] 1.04us 311kb |L0.483| "
- - "L0.396[617,638] 1.04us 263kb |L0.396| "
- - "L0.291[639,658] 1.04us 239kb |L0.291| "
- - "L0.218[659,670] 1.04us 144kb |L0.218| "
- - "L0.350[671,920] 1.04us 3mb |-------L0.350--------| "
- - "L0.351[921,932] 1.04us 145kb |L0.351|"
- - "L0.488[42,295] 1.04us 3mb|--------L0.488--------| "
- - "L0.489[296,308] 1.04us 141kb |L0.489| "
- - "L0.402[309,319] 1.04us 119kb |L0.402| "
- - "L0.297[320,329] 1.04us 108kb |L0.297| "
- - "L0.224[330,356] 1.04us 293kb |L0.224| "
- - "L0.486[357,590] 1.04us 2mb |-------L0.486-------| "
- - "L0.487[591,616] 1.04us 282kb |L0.487| "
- - "L0.400[617,638] 1.04us 239kb |L0.400| "
- - "L0.295[639,658] 1.04us 217kb |L0.295| "
- - "L0.222[659,670] 1.04us 130kb |L0.222| "
- - "L0.352[671,920] 1.04us 3mb |-------L0.352--------| "
- - "L0.455[921,973] 1.04us 576kb |L0.455|"
- - "L0.456[974,986] 1.04us 144kb |L0.456|"
- - "L0.492[173,295] 1.04us 2mb |-L0.492--| "
- - "L0.493[296,308] 1.04us 171kb |L0.493| "
- - "L0.406[309,319] 1.04us 145kb |L0.406| "
- - "L0.301[320,329] 1.04us 132kb |L0.301| "
- - "L0.228[330,356] 1.04us 356kb |L0.228| "
- - "L0.490[357,590] 1.04us 3mb |-------L0.490-------| "
- - "L0.491[591,616] 1.04us 343kb |L0.491| "
- - "L0.404[617,638] 1.04us 290kb |L0.404| "
- - "L0.299[639,658] 1.04us 264kb |L0.299| "
- - "L0.226[659,670] 1.04us 158kb |L0.226| "
- - "L0.354[671,920] 1.04us 3mb |-------L0.354--------| "
- - "L0.355[921,950] 1.04us 398kb |L0.355|"
- - "L0.496[50,295] 1.04us 4mb|-------L0.496--------| "
- - "L0.497[296,308] 1.04us 230kb |L0.497| "
- - "L0.410[309,319] 1.04us 195kb |L0.410| "
- - "L0.303[320,329] 1.04us 177kb |L0.303| "
- - "L0.230[330,356] 1.04us 478kb |L0.230| "
- - "L0.494[357,590] 1.04us 4mb |-------L0.494-------| "
- - "L0.495[591,616] 1.04us 462kb |L0.495| "
- - "L0.408[617,629] 1.04us 231kb |L0.408| "
- - "L0.500[76,295] 1.04us 3mb |------L0.500------| "
- - "L0.501[296,308] 1.04us 156kb |L0.501| "
- - "L0.414[309,319] 1.04us 132kb |L0.414| "
- - "L0.307[320,329] 1.04us 120kb |L0.307| "
- - "L0.234[330,356] 1.04us 323kb |L0.234| "
- - "L0.498[357,590] 1.04us 3mb |-------L0.498-------| "
- - "L0.499[591,616] 1.04us 311kb |L0.499| "
- - "L0.412[617,638] 1.04us 263kb |L0.412| "
- - "L0.305[639,658] 1.04us 239kb |L0.305| "
- - "L0.232[659,670] 1.04us 144kb |L0.232| "
- - "L0.356[671,920] 1.04us 3mb |-------L0.356--------| "
- - "L0.357[921,932] 1.04us 145kb |L0.357|"
- - "L0.504[42,295] 1.04us 3mb|--------L0.504--------| "
- - "L0.505[296,308] 1.04us 141kb |L0.505| "
- - "L0.418[309,319] 1.04us 119kb |L0.418| "
- - "L0.311[320,329] 1.04us 108kb |L0.311| "
- - "L0.254[330,356] 1.04us 293kb |L0.254| "
- - "L0.502[357,590] 1.04us 2mb |-------L0.502-------| "
- - "L0.503[591,616] 1.04us 282kb |L0.503| "
- - "L0.416[617,638] 1.04us 239kb |L0.416| "
- - "L0.309[639,658] 1.04us 217kb |L0.309| "
- - "L0.252[659,670] 1.04us 130kb |L0.252| "
- - "L0.358[671,920] 1.04us 3mb |-------L0.358--------| "
- - "L0.457[921,973] 1.04us 576kb |L0.457|"
- - "L0.458[974,986] 1.04us 144kb |L0.458|"
- - "L0.508[173,295] 1.04us 2mb |-L0.508--| "
- - "L0.509[296,308] 1.04us 171kb |L0.509| "
- - "L0.422[309,319] 1.04us 145kb |L0.422| "
- - "L0.315[320,329] 1.04us 132kb |L0.315| "
- - "L0.238[330,356] 1.04us 356kb |L0.238| "
- - "L0.506[357,590] 1.04us 3mb |-------L0.506-------| "
- - "L0.507[591,616] 1.04us 343kb |L0.507| "
- - "L0.420[617,638] 1.04us 290kb |L0.420| "
- - "L0.313[639,658] 1.04us 264kb |L0.313| "
- - "L0.236[659,670] 1.04us 158kb |L0.236| "
- - "L0.360[671,920] 1.04us 3mb |-------L0.360--------| "
- - "L0.361[921,950] 1.04us 398kb |L0.361|"
- - "L0.512[50,295] 1.04us 4mb|-------L0.512--------| "
- - "L0.513[296,308] 1.04us 230kb |L0.513| "
- - "L0.426[309,319] 1.04us 195kb |L0.426| "
- - "L0.317[320,329] 1.04us 177kb |L0.317| "
- - "L0.240[330,356] 1.04us 478kb |L0.240| "
- - "L0.510[357,590] 1.04us 4mb |-------L0.510-------| "
- - "L0.511[591,616] 1.04us 462kb |L0.511| "
- - "L0.424[617,629] 1.04us 231kb |L0.424| "
- - "L0.516[76,295] 1.04us 3mb |------L0.516------| "
- - "L0.517[296,308] 1.04us 156kb |L0.517| "
- - "L0.430[309,319] 1.04us 132kb |L0.430| "
- - "L0.321[320,329] 1.04us 120kb |L0.321| "
- - "L0.244[330,356] 1.04us 323kb |L0.244| "
- - "L0.514[357,590] 1.04us 3mb |-------L0.514-------| "
- - "L0.515[591,616] 1.04us 311kb |L0.515| "
- - "L0.428[617,638] 1.04us 263kb |L0.428| "
- - "L0.319[639,658] 1.04us 239kb |L0.319| "
- - "L0.242[659,670] 1.04us 144kb |L0.242| "
- - "L0.362[671,920] 1.04us 3mb |-------L0.362--------| "
- - "L0.363[921,932] 1.04us 145kb |L0.363|"
- - "L0.520[42,295] 1.05us 3mb|--------L0.520--------| "
- - "L0.521[296,308] 1.05us 141kb |L0.521| "
- - "L0.448[309,319] 1.05us 119kb |L0.448| "
- - "L0.325[320,329] 1.05us 108kb |L0.325| "
- - "L0.248[330,356] 1.05us 293kb |L0.248| "
- - "L0.518[357,590] 1.05us 2mb |-------L0.518-------| "
- - "L0.519[591,616] 1.05us 282kb |L0.519| "
- - "L0.432[617,638] 1.05us 239kb |L0.432| "
- - "L0.323[639,658] 1.05us 217kb |L0.323| "
- - "L0.246[659,670] 1.05us 130kb |L0.246| "
- - "L0.364[671,920] 1.05us 3mb |-------L0.364--------| "
- - "L0.459[921,973] 1.05us 576kb |L0.459|"
- - "L0.460[974,986] 1.05us 144kb |L0.460|"
- - "L0.524[173,295] 1.05us 2mb |-L0.524--| "
- - "L0.525[296,308] 1.05us 171kb |L0.525| "
- - "L0.434[309,319] 1.05us 145kb |L0.434| "
- - "L0.329[320,329] 1.05us 132kb |L0.329| "
- - "L0.256[330,356] 1.05us 356kb |L0.256| "
- - "L0.522[357,590] 1.05us 3mb |-------L0.522-------| "
- - "L0.523[591,616] 1.05us 343kb |L0.523| "
- - "L0.450[617,638] 1.05us 290kb |L0.450| "
- - "L0.327[639,658] 1.05us 264kb |L0.327| "
- - "L0.250[659,670] 1.05us 158kb |L0.250| "
- - "L0.366[671,920] 1.05us 3mb |-------L0.366--------| "
- - "L0.367[921,950] 1.05us 398kb |L0.367|"
- - "L0.528[50,295] 1.05us 4mb|-------L0.528--------| "
- - "L0.529[296,308] 1.05us 230kb |L0.529| "
- - "L0.438[309,319] 1.05us 195kb |L0.438| "
- - "L0.331[320,329] 1.05us 177kb |L0.331| "
- - "L0.258[330,356] 1.05us 478kb |L0.258| "
- - "L0.526[357,590] 1.05us 4mb |-------L0.526-------| "
- - "L0.527[591,616] 1.05us 462kb |L0.527| "
- - "L0.436[617,629] 1.05us 231kb |L0.436| "
- - "L0.532[76,295] 1.05us 3mb |------L0.532------| "
- - "L0.533[296,308] 1.05us 156kb |L0.533| "
- - "L0.442[309,319] 1.05us 132kb |L0.442| "
- - "L0.335[320,329] 1.05us 120kb |L0.335| "
- - "L0.262[330,356] 1.05us 323kb |L0.262| "
- - "L0.530[357,590] 1.05us 3mb |-------L0.530-------| "
- - "L0.531[591,616] 1.05us 311kb |L0.531| "
- - "L0.440[617,638] 1.05us 263kb |L0.440| "
- - "L0.333[639,658] 1.05us 239kb |L0.333| "
- - "L0.260[659,670] 1.05us 144kb |L0.260| "
- - "L0.368[671,920] 1.05us 3mb |-------L0.368--------| "
- - "L0.369[921,932] 1.05us 145kb |L0.369|"
- - "L0.536[42,295] 1.05us 3mb|--------L0.536--------| "
- - "L0.537[296,308] 1.05us 141kb |L0.537| "
- - "L0.446[309,319] 1.05us 119kb |L0.446| "
- - "L0.339[320,329] 1.05us 108kb |L0.339| "
- - "L0.266[330,356] 1.05us 293kb |L0.266| "
- - "L0.534[357,590] 1.05us 2mb |-------L0.534-------| "
- - "L0.535[591,616] 1.05us 282kb |L0.535| "
- - "**** 2 Output Files (parquet_file_id not yet assigned), 176mb total:"
- - "L0 "
- - "L0.?[42,578] 1.05us 100mb|----------------------L0.?-----------------------| "
- - "L0.?[579,986] 1.05us 76mb |----------------L0.?----------------| "
- - "Committing partition 1:"
- - " Soft Deleting 200 files: L0.204, L0.206, L0.208, L0.210, L0.212, L0.214, L0.216, L0.218, L0.220, L0.222, L0.224, L0.226, L0.228, L0.230, L0.232, L0.234, L0.236, L0.238, L0.240, L0.242, L0.244, L0.246, L0.248, L0.250, L0.252, L0.254, L0.256, L0.258, L0.260, L0.262, L0.266, L0.277, L0.279, L0.281, L0.283, L0.285, L0.287, L0.289, L0.291, L0.293, L0.295, L0.297, L0.299, L0.301, L0.303, L0.305, L0.307, L0.309, L0.311, L0.313, L0.315, L0.317, L0.319, L0.321, L0.323, L0.325, L0.327, L0.329, L0.331, L0.333, L0.335, L0.339, L0.344, L0.345, L0.346, L0.348, L0.349, L0.350, L0.351, L0.352, L0.354, L0.355, L0.356, L0.357, L0.358, L0.360, L0.361, L0.362, L0.363, L0.364, L0.366, L0.367, L0.368, L0.369, L0.376, L0.380, L0.382, L0.384, L0.386, L0.388, L0.390, L0.392, L0.394, L0.396, L0.398, L0.400, L0.402, L0.404, L0.406, L0.408, L0.410, L0.412, L0.414, L0.416, L0.418, L0.420, L0.422, L0.424, L0.426, L0.428, L0.430, L0.432, L0.434, L0.436, L0.438, L0.440, L0.442, L0.446, L0.448, L0.450, L0.453, L0.454, L0.455, L0.456, L0.457, L0.458, L0.459, L0.460, L0.466, L0.467, L0.468, L0.469, L0.470, L0.471, L0.472, L0.473, L0.474, L0.475, L0.476, L0.477, L0.478, L0.479, L0.480, L0.481, L0.482, L0.483, L0.484, L0.485, L0.486, L0.487, L0.488, L0.489, L0.490, L0.491, L0.492, L0.493, L0.494, L0.495, L0.496, L0.497, L0.498, L0.499, L0.500, L0.501, L0.502, L0.503, L0.504, L0.505, L0.506, L0.507, L0.508, L0.509, L0.510, L0.511, L0.512, L0.513, L0.514, L0.515, L0.516, L0.517, L0.518, L0.519, L0.520, L0.521, L0.522, L0.523, L0.524, L0.525, L0.526, L0.527, L0.528, L0.529, L0.530, L0.531, L0.532, L0.533, L0.534, L0.535, L0.536, L0.537"
- - " Creating 2 files"
- - "**** Simulation run 223, type=compact(ManySmallFiles). 6 Input Files, 4mb total:"
- - "L0 "
- - "L0.444[617,638] 1.05us 239kb|L0.444| "
- - "L0.337[639,658] 1.05us 217kb |L0.337| "
- - "L0.264[659,670] 1.05us 130kb |L0.264| "
- - "L0.370[671,920] 1.05us 3mb |--------------------------L0.370--------------------------| "
- - "L0.461[921,973] 1.05us 576kb |--L0.461--| "
- - "L0.462[974,986] 1.05us 144kb |L0.462|"
- - "**** 1 Output Files (parquet_file_id not yet assigned), 4mb total:"
- - "L0, all files 4mb "
- - "L0.?[617,986] 1.05us |------------------------------------------L0.?------------------------------------------|"
- - "Committing partition 1:"
- - " Soft Deleting 6 files: L0.264, L0.337, L0.370, L0.444, L0.461, L0.462"
- - " Creating 1 files"
- - "**** Simulation run 224, type=split(HighL0OverlapSingleFile)(split_times=[756]). 1 Input Files, 99mb total:"
- - "L1, all files 99mb "
- - "L1.374[617,920] 1.03us |-----------------------------------------L1.374-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 99mb total:"
- - "L1 "
- - "L1.?[617,756] 1.03us 45mb|-----------------L1.?------------------| "
- - "L1.?[757,920] 1.03us 54mb |---------------------L1.?---------------------| "
- - "**** Simulation run 225, type=split(HighL0OverlapSingleFile)(split_times=[526]). 1 Input Files, 100mb total:"
- - "L1, all files 100mb "
- - "L1.464[296,590] 1.03us |-----------------------------------------L1.464-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
- - "L1 "
- - "L1.?[296,526] 1.03us 78mb|--------------------------------L1.?--------------------------------| "
- - "L1.?[527,590] 1.03us 22mb |------L1.?-------| "
- - "**** Simulation run 226, type=split(HighL0OverlapSingleFile)(split_times=[756]). 1 Input Files, 4mb total:"
- - "L0, all files 4mb "
- - "L0.540[617,986] 1.05us |-----------------------------------------L0.540-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
- - "L0 "
- - "L0.?[617,756] 1.05us 1mb |-------------L0.?--------------| "
- - "L0.?[757,986] 1.05us 2mb |------------------------L0.?-------------------------| "
- - "**** Simulation run 227, type=split(HighL0OverlapSingleFile)(split_times=[756]). 1 Input Files, 76mb total:"
- - "L0, all files 76mb "
- - "L0.539[579,986] 1.05us |-----------------------------------------L0.539-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 76mb total:"
- - "L0 "
- - "L0.?[579,756] 1.05us 33mb|----------------L0.?-----------------| "
- - "L0.?[757,986] 1.05us 43mb |----------------------L0.?----------------------| "
- - "Committing partition 1:"
- - " Soft Deleting 4 files: L1.374, L1.464, L0.539, L0.540"
- - " Creating 8 files"
- - "**** Simulation run 228, type=split(HighL0OverlapSingleFile)(split_times=[196]). 1 Input Files, 100mb total:"
- - "L1, all files 100mb "
- - "L1.463[0,295] 1.03us |-----------------------------------------L1.463-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
- - "L1 "
- - "L1.?[0,196] 1.03us 67mb |--------------------------L1.?---------------------------| "
- - "L1.?[197,295] 1.03us 34mb |-----------L1.?------------| "
- - "**** Simulation run 229, type=split(HighL0OverlapSingleFile)(split_times=[392]). 1 Input Files, 78mb total:"
- - "L1, all files 78mb "
- - "L1.543[296,526] 1.03us |-----------------------------------------L1.543-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 78mb total:"
- - "L1 "
- - "L1.?[296,392] 1.03us 33mb|---------------L1.?----------------| "
- - "L1.?[393,526] 1.03us 46mb |-----------------------L1.?-----------------------| "
- - "**** Simulation run 230, type=split(HighL0OverlapSingleFile)(split_times=[196, 392]). 1 Input Files, 100mb total:"
- - "L0, all files 100mb "
- - "L0.538[42,578] 1.05us |-----------------------------------------L0.538-----------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 100mb total:"
- - "L0 "
- - "L0.?[42,196] 1.05us 29mb |---------L0.?----------| "
- - "L0.?[197,392] 1.05us 36mb |-------------L0.?-------------| "
- - "L0.?[393,578] 1.05us 35mb |------------L0.?-------------| "
- - "Committing partition 1:"
- - " Soft Deleting 3 files: L1.463, L0.538, L1.543"
- - " Creating 7 files"
- - "**** Simulation run 231, type=split(ReduceOverlap)(split_times=[920, 973]). 1 Input Files, 2mb total:"
- - "L0, all files 2mb "
- - "L0.546[757,986] 1.05us |-----------------------------------------L0.546-----------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 2mb total:"
- - "L0 "
- - "L0.?[757,920] 1.05us 2mb |-----------------------------L0.?-----------------------------| "
- - "L0.?[921,973] 1.05us 570kb |-------L0.?-------| "
- - "L0.?[974,986] 1.05us 153kb |L0.?|"
- - "**** Simulation run 232, type=split(ReduceOverlap)(split_times=[590, 616]). 1 Input Files, 33mb total:"
- - "L0, all files 33mb "
- - "L0.547[579,756] 1.05us |-----------------------------------------L0.547-----------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 33mb total:"
- - "L0 "
- - "L0.?[579,590] 1.05us 2mb |L0.?| "
- - "L0.?[591,616] 1.05us 5mb |---L0.?---| "
- - "L0.?[617,756] 1.05us 26mb |--------------------------------L0.?--------------------------------| "
- - "**** Simulation run 233, type=split(ReduceOverlap)(split_times=[920, 973]). 1 Input Files, 43mb total:"
- - "L0, all files 43mb "
- - "L0.548[757,986] 1.05us |-----------------------------------------L0.548-----------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 43mb total:"
- - "L0 "
- - "L0.?[757,920] 1.05us 31mb|-----------------------------L0.?-----------------------------| "
- - "L0.?[921,973] 1.05us 10mb |-------L0.?-------| "
- - "L0.?[974,986] 1.05us 3mb |L0.?|"
- - "**** Simulation run 234, type=split(ReduceOverlap)(split_times=[526]). 1 Input Files, 35mb total:"
- - "L0, all files 35mb "
- - "L0.555[393,578] 1.05us |-----------------------------------------L0.555-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 35mb total:"
- - "L0 "
- - "L0.?[393,526] 1.05us 25mb|-----------------------------L0.?-----------------------------| "
- - "L0.?[527,578] 1.05us 10mb |---------L0.?---------| "
- - "**** Simulation run 235, type=split(ReduceOverlap)(split_times=[295]). 1 Input Files, 36mb total:"
- - "L0, all files 36mb "
- - "L0.554[197,392] 1.05us |-----------------------------------------L0.554-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 36mb total:"
- - "L0 "
- - "L0.?[197,295] 1.05us 18mb|-------------------L0.?--------------------| "
- - "L0.?[296,392] 1.05us 18mb |-------------------L0.?-------------------| "
- - "Committing partition 1:"
- - " Soft Deleting 5 files: L0.546, L0.547, L0.548, L0.554, L0.555"
- - " Creating 13 files"
- - "**** Simulation run 236, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[196, 392]). 8 Input Files, 269mb total:"
- - "L0 "
- - "L0.553[42,196] 1.05us 29mb |---------L0.553---------| "
- - "L0.567[197,295] 1.05us 18mb |----L0.567----| "
- - "L0.568[296,392] 1.05us 18mb |----L0.568----| "
- - "L0.565[393,526] 1.05us 25mb |-------L0.565-------| "
- - "L1 "
- - "L1.549[0,196] 1.03us 67mb|------------L1.549-------------| "
- - "L1.550[197,295] 1.03us 34mb |----L1.550----| "
- - "L1.551[296,392] 1.03us 33mb |----L1.551----| "
- - "L1.552[393,526] 1.03us 46mb |-------L1.552-------| "
- - "**** 3 Output Files (parquet_file_id not yet assigned), 269mb total:"
- - "L1 "
- - "L1.?[0,196] 1.05us 100mb |-------------L1.?--------------| "
- - "L1.?[197,392] 1.05us 100mb |-------------L1.?--------------| "
- - "L1.?[393,526] 1.05us 69mb |--------L1.?--------| "
- - "Committing partition 1:"
- - " Soft Deleting 8 files: L1.549, L1.550, L1.551, L1.552, L0.553, L0.565, L0.567, L0.568"
- - " Creating 3 files"
- - "**** Simulation run 237, type=split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))(split_times=[718, 909]). 17 Input Files, 241mb total:"
- - "L0 "
- - "L0.558[974,986] 1.05us 153kb |L0.558|"
- - "L0.564[974,986] 1.05us 3mb |L0.564|"
- - "L0.557[921,973] 1.05us 570kb |-L0.557-| "
- - "L0.563[921,973] 1.05us 10mb |-L0.563-| "
- - "L0.556[757,920] 1.05us 2mb |-----------L0.556------------| "
- - "L0.562[757,920] 1.05us 31mb |-----------L0.562------------| "
- - "L0.561[617,756] 1.05us 26mb |---------L0.561----------| "
- - "L0.545[617,756] 1.05us 1mb |---------L0.545----------| "
- - "L0.560[591,616] 1.05us 5mb |L0.560| "
- - "L0.559[579,590] 1.05us 2mb |L0.559| "
- - "L0.566[527,578] 1.05us 10mb|-L0.566-| "
- - "L1 "
- - "L1.544[527,590] 1.03us 22mb|--L1.544--| "
- - "L1.452[974,986] 1.03us 4mb |L1.452|"
- - "L1.465[591,616] 1.03us 9mb |L1.465| "
- - "L1.541[617,756] 1.03us 45mb |---------L1.541----------| "
- - "L1.542[757,920] 1.03us 54mb |-----------L1.542------------| "
- - "L1.451[921,973] 1.03us 17mb |-L1.451-| "
- - "**** 3 Output Files (parquet_file_id not yet assigned), 241mb total:"
- - "L1 "
- - "L1.?[527,718] 1.05us 100mb|---------------L1.?----------------| "
- - "L1.?[719,909] 1.05us 100mb |---------------L1.?----------------| "
- - "L1.?[910,986] 1.05us 41mb |----L1.?----| "
- - "Committing partition 1:"
- - " Soft Deleting 17 files: L1.451, L1.452, L1.465, L1.541, L1.542, L1.544, L0.545, L0.556, L0.557, L0.558, L0.559, L0.560, L0.561, L0.562, L0.563, L0.564, L0.566"
- - " Creating 3 files"
- - "**** Simulation run 238, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[391, 585]). 3 Input Files, 269mb total:"
- - "L1 "
- - "L1.570[197,392] 1.05us 100mb|------------L1.570-------------| "
- - "L1.571[393,526] 1.05us 69mb |-------L1.571-------| "
- - "L1.572[527,718] 1.05us 100mb |------------L1.572------------| "
- - "**** 3 Output Files (parquet_file_id not yet assigned), 269mb total:"
- - "L2 "
- - "L2.?[197,391] 1.05us 100mb|-------------L2.?--------------| "
- - "L2.?[392,585] 1.05us 100mb |-------------L2.?--------------| "
- - "L2.?[586,718] 1.05us 69mb |--------L2.?--------| "
- - "Committing partition 1:"
- - " Soft Deleting 3 files: L1.570, L1.571, L1.572"
- - " Upgrading 1 files level to CompactionLevel::L2: L1.569"
- - " Creating 3 files"
- - "**** Simulation run 239, type=split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))(split_times=[909]). 2 Input Files, 141mb total:"
- - "L1 "
- - "L1.574[910,986] 1.05us 41mb |--------L1.574---------| "
- - "L1.573[719,909] 1.05us 100mb|----------------------------L1.573----------------------------| "
- - "**** 2 Output Files (parquet_file_id not yet assigned), 141mb total:"
- - "L2 "
- - "L2.?[719,909] 1.05us 100mb|-----------------------------L2.?-----------------------------| "
- - "L2.?[910,986] 1.05us 41mb |---------L2.?----------| "
- - "Committing partition 1:"
- - " Soft Deleting 2 files: L1.573, L1.574"
- - " Creating 2 files"
- - "**** Final Output Files (3.9gb written)"
- - "L2 "
- - "L2.569[0,196] 1.05us 100mb|----L2.569-----| "
- - "L2.575[197,391] 1.05us 100mb |----L2.575-----| "
- - "L2.576[392,585] 1.05us 100mb |----L2.576-----| "
- - "L2.577[586,718] 1.05us 69mb |--L2.577--| "
- - "L2.578[719,909] 1.05us 100mb |----L2.578-----| "
- - "L2.579[910,986] 1.05us 41mb |L2.579|"
- "###
- );
-}
-
-// This case simulates a backfill scenario with existing data prior to the start of backfill.
-// - we have L2s covering the whole time range of yesterday
-// - the customer starts backfilling more of yesterday's data, writing at random times spread across the day.
-// The result:
-// - We start with compacted L2s covering the day, then get many L0s that each cover much of the day.
-#[tokio::test]
-async fn random_backfill_over_l2s() {
- test_helpers::maybe_start_logging();
-
- let setup = layout_setup_builder()
- .await
- // compact at most 10 L0 files per plan
- .with_max_num_files_per_plan(10)
- .with_max_desired_file_size_bytes(MAX_DESIRED_FILE_SIZE)
- .with_partition_timeout(Duration::from_secs(10))
- .with_max_num_files_per_plan(200)
- .build()
- .await;
-
- let day = 1000;
- let num_l2_files = 10;
- let l2_time = day / num_l2_files;
- let num_tiny_l0_files = 50;
- let l2_size = MAX_DESIRED_FILE_SIZE;
- let l0_size = MAX_DESIRED_FILE_SIZE / 10;
-
- for i in 0..num_l2_files {
- setup
- .partition
- .create_parquet_file(
- parquet_builder()
- .with_min_time(i * l2_time)
- .with_max_time((i + 1) * l2_time - 1)
- .with_compaction_level(CompactionLevel::Final)
- .with_file_size_bytes(l2_size)
- .with_max_l0_created_at(Time::from_timestamp_nanos((i + 1) * l2_time - 1)), // These files are created sequentially "yesterday" with "yesterday's" data
- )
- .await;
- }
-
- // Assume the "day" is 1000 units of time, make the L0s span most of the day, with a little variability.
- for i in 0..num_tiny_l0_files {
- let i = i as i64;
-
- let mut start_time = 50;
- let mut end_time = 950;
- match i % 4 {
- 0 => {
- start_time += 26;
- end_time -= 18;
- }
- 1 => {
- start_time -= 8;
- end_time += 36;
- }
- 2 => {
- start_time += 123;
- }
- 3 => {
- end_time -= 321;
- }
- _ => {}
- }
-
- setup
- .partition
- .create_parquet_file(
- parquet_builder()
- .with_min_time(start_time)
- .with_max_time(end_time)
- .with_compaction_level(CompactionLevel::Initial)
- .with_file_size_bytes(l0_size)
- .with_max_l0_created_at(Time::from_timestamp_nanos(i + 1000)), // These files are created sequentially "today" with "yesterday's" data
- )
- .await;
- }
-
- insta::assert_yaml_snapshot!(
- run_layout_scenario(&setup).await,
- @r###"
- ---
- - "**** Input Files "
- - "L0 "
- - "L0.11[76,932] 1us 10mb |-----------------------------------L0.11-----------------------------------| "
- - "L0.12[42,986] 1us 10mb |---------------------------------------L0.12---------------------------------------| "
- - "L0.13[173,950] 1us 10mb |-------------------------------L0.13--------------------------------| "
- - "L0.14[50,629] 1us 10mb |----------------------L0.14-----------------------| "
- - "L0.15[76,932] 1us 10mb |-----------------------------------L0.15-----------------------------------| "
- - "L0.16[42,986] 1us 10mb |---------------------------------------L0.16---------------------------------------| "
- - "L0.17[173,950] 1.01us 10mb |-------------------------------L0.17--------------------------------| "
- - "L0.18[50,629] 1.01us 10mb |----------------------L0.18-----------------------| "
- - "L0.19[76,932] 1.01us 10mb |-----------------------------------L0.19-----------------------------------| "
- - "L0.20[42,986] 1.01us 10mb |---------------------------------------L0.20---------------------------------------| "
- - "L0.21[173,950] 1.01us 10mb |-------------------------------L0.21--------------------------------| "
- - "L0.22[50,629] 1.01us 10mb |----------------------L0.22-----------------------| "
- - "L0.23[76,932] 1.01us 10mb |-----------------------------------L0.23-----------------------------------| "
- - "L0.24[42,986] 1.01us 10mb |---------------------------------------L0.24---------------------------------------| "
- - "L0.25[173,950] 1.01us 10mb |-------------------------------L0.25--------------------------------| "
- - "L0.26[50,629] 1.01us 10mb |----------------------L0.26-----------------------| "
- - "L0.27[76,932] 1.02us 10mb |-----------------------------------L0.27-----------------------------------| "
- - "L0.28[42,986] 1.02us 10mb |---------------------------------------L0.28---------------------------------------| "
- - "L0.29[173,950] 1.02us 10mb |-------------------------------L0.29--------------------------------| "
- - "L0.30[50,629] 1.02us 10mb |----------------------L0.30-----------------------| "
- - "L0.31[76,932] 1.02us 10mb |-----------------------------------L0.31-----------------------------------| "
- - "L0.32[42,986] 1.02us 10mb |---------------------------------------L0.32---------------------------------------| "
- - "L0.33[173,950] 1.02us 10mb |-------------------------------L0.33--------------------------------| "
- - "L0.34[50,629] 1.02us 10mb |----------------------L0.34-----------------------| "
- - "L0.35[76,932] 1.02us 10mb |-----------------------------------L0.35-----------------------------------| "
- - "L0.36[42,986] 1.02us 10mb |---------------------------------------L0.36---------------------------------------| "
- - "L0.37[173,950] 1.03us 10mb |-------------------------------L0.37--------------------------------| "
- - "L0.38[50,629] 1.03us 10mb |----------------------L0.38-----------------------| "
- - "L0.39[76,932] 1.03us 10mb |-----------------------------------L0.39-----------------------------------| "
- - "L0.40[42,986] 1.03us 10mb |---------------------------------------L0.40---------------------------------------| "
- - "L0.41[173,950] 1.03us 10mb |-------------------------------L0.41--------------------------------| "
- - "L0.42[50,629] 1.03us 10mb |----------------------L0.42-----------------------| "
- - "L0.43[76,932] 1.03us 10mb |-----------------------------------L0.43-----------------------------------| "
- - "L0.44[42,986] 1.03us 10mb |---------------------------------------L0.44---------------------------------------| "
- - "L0.45[173,950] 1.03us 10mb |-------------------------------L0.45--------------------------------| "
- - "L0.46[50,629] 1.03us 10mb |----------------------L0.46-----------------------| "
- - "L0.47[76,932] 1.04us 10mb |-----------------------------------L0.47-----------------------------------| "
- - "L0.48[42,986] 1.04us 10mb |---------------------------------------L0.48---------------------------------------| "
- - "L0.49[173,950] 1.04us 10mb |-------------------------------L0.49--------------------------------| "
- - "L0.50[50,629] 1.04us 10mb |----------------------L0.50-----------------------| "
- - "L0.51[76,932] 1.04us 10mb |-----------------------------------L0.51-----------------------------------| "
- - "L0.52[42,986] 1.04us 10mb |---------------------------------------L0.52---------------------------------------| "
- - "L0.53[173,950] 1.04us 10mb |-------------------------------L0.53--------------------------------| "
- - "L0.54[50,629] 1.04us 10mb |----------------------L0.54-----------------------| "
- - "L0.55[76,932] 1.04us 10mb |-----------------------------------L0.55-----------------------------------| "
- - "L0.56[42,986] 1.05us 10mb |---------------------------------------L0.56---------------------------------------| "
- - "L0.57[173,950] 1.05us 10mb |-------------------------------L0.57--------------------------------| "
- - "L0.58[50,629] 1.05us 10mb |----------------------L0.58-----------------------| "
- - "L0.59[76,932] 1.05us 10mb |-----------------------------------L0.59-----------------------------------| "
- - "L0.60[42,986] 1.05us 10mb |---------------------------------------L0.60---------------------------------------| "
- - "L2 "
- - "L2.1[0,99] 99ns 100mb |-L2.1-| "
- - "L2.2[100,199] 199ns 100mb |-L2.2-| "
- - "L2.3[200,299] 299ns 100mb |-L2.3-| "
- - "L2.4[300,399] 399ns 100mb |-L2.4-| "
- - "L2.5[400,499] 499ns 100mb |-L2.5-| "
- - "L2.6[500,599] 599ns 100mb |-L2.6-| "
- - "L2.7[600,699] 699ns 100mb |-L2.7-| "
- - "L2.8[700,799] 799ns 100mb |-L2.8-| "
- - "L2.9[800,899] 899ns 100mb |-L2.9-| "
- - "L2.10[900,999] 999ns 100mb |L2.10-| "
- - "**** Simulation run 0, type=split(HighL0OverlapSingleFile)(split_times=[356, 670]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.11[76,932] 1us |-----------------------------------------L0.11------------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[76,356] 1us 3mb |-----------L0.?------------| "
- - "L0.?[357,670] 1us 4mb |-------------L0.?-------------| "
- - "L0.?[671,932] 1us 3mb |----------L0.?-----------| "
- - "**** Simulation run 1, type=split(HighL0OverlapSingleFile)(split_times=[356, 670]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.12[42,986] 1us |-----------------------------------------L0.12------------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[42,356] 1us 3mb |-----------L0.?------------| "
- - "L0.?[357,670] 1us 3mb |-----------L0.?------------| "
- - "L0.?[671,986] 1us 3mb |------------L0.?------------| "
- - "**** Simulation run 2, type=split(HighL0OverlapSingleFile)(split_times=[356, 670]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.13[173,950] 1us |-----------------------------------------L0.13------------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[173,356] 1us 2mb |-------L0.?--------| "
- - "L0.?[357,670] 1us 4mb |---------------L0.?---------------| "
- - "L0.?[671,950] 1us 4mb |-------------L0.?-------------| "
- - "**** Simulation run 3, type=split(HighL0OverlapSingleFile)(split_times=[356]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.14[50,629] 1us |-----------------------------------------L0.14------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[50,356] 1us 5mb |--------------------L0.?---------------------| "
- - "L0.?[357,629] 1us 5mb |------------------L0.?------------------| "
- - "**** Simulation run 4, type=split(HighL0OverlapSingleFile)(split_times=[356, 670]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.15[76,932] 1us |-----------------------------------------L0.15------------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[76,356] 1us 3mb |-----------L0.?------------| "
- - "L0.?[357,670] 1us 4mb |-------------L0.?-------------| "
- - "L0.?[671,932] 1us 3mb |----------L0.?-----------| "
- - "**** Simulation run 5, type=split(HighL0OverlapSingleFile)(split_times=[356, 670]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.16[42,986] 1us |-----------------------------------------L0.16------------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[42,356] 1us 3mb |-----------L0.?------------| "
- - "L0.?[357,670] 1us 3mb |-----------L0.?------------| "
- - "L0.?[671,986] 1us 3mb |------------L0.?------------| "
- - "**** Simulation run 6, type=split(HighL0OverlapSingleFile)(split_times=[356, 670]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.17[173,950] 1.01us |-----------------------------------------L0.17------------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[173,356] 1.01us 2mb |-------L0.?--------| "
- - "L0.?[357,670] 1.01us 4mb |---------------L0.?---------------| "
- - "L0.?[671,950] 1.01us 4mb |-------------L0.?-------------| "
- - "**** Simulation run 7, type=split(HighL0OverlapSingleFile)(split_times=[356]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.18[50,629] 1.01us |-----------------------------------------L0.18------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[50,356] 1.01us 5mb |--------------------L0.?---------------------| "
- - "L0.?[357,629] 1.01us 5mb |------------------L0.?------------------| "
- - "**** Simulation run 8, type=split(HighL0OverlapSingleFile)(split_times=[356, 670]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.19[76,932] 1.01us |-----------------------------------------L0.19------------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[76,356] 1.01us 3mb |-----------L0.?------------| "
- - "L0.?[357,670] 1.01us 4mb |-------------L0.?-------------| "
- - "L0.?[671,932] 1.01us 3mb |----------L0.?-----------| "
- - "**** Simulation run 9, type=split(HighL0OverlapSingleFile)(split_times=[356, 670]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.20[42,986] 1.01us |-----------------------------------------L0.20------------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[42,356] 1.01us 3mb |-----------L0.?------------| "
- - "L0.?[357,670] 1.01us 3mb |-----------L0.?------------| "
- - "L0.?[671,986] 1.01us 3mb |------------L0.?------------| "
- - "**** Simulation run 10, type=split(HighL0OverlapSingleFile)(split_times=[356, 670]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.21[173,950] 1.01us |-----------------------------------------L0.21------------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[173,356] 1.01us 2mb |-------L0.?--------| "
- - "L0.?[357,670] 1.01us 4mb |---------------L0.?---------------| "
- - "L0.?[671,950] 1.01us 4mb |-------------L0.?-------------| "
- - "**** Simulation run 11, type=split(HighL0OverlapSingleFile)(split_times=[356]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.22[50,629] 1.01us |-----------------------------------------L0.22------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[50,356] 1.01us 5mb |--------------------L0.?---------------------| "
- - "L0.?[357,629] 1.01us 5mb |------------------L0.?------------------| "
- - "**** Simulation run 12, type=split(HighL0OverlapSingleFile)(split_times=[356, 670]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.23[76,932] 1.01us |-----------------------------------------L0.23------------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[76,356] 1.01us 3mb |-----------L0.?------------| "
- - "L0.?[357,670] 1.01us 4mb |-------------L0.?-------------| "
- - "L0.?[671,932] 1.01us 3mb |----------L0.?-----------| "
- - "**** Simulation run 13, type=split(HighL0OverlapSingleFile)(split_times=[356, 670]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.24[42,986] 1.01us |-----------------------------------------L0.24------------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[42,356] 1.01us 3mb |-----------L0.?------------| "
- - "L0.?[357,670] 1.01us 3mb |-----------L0.?------------| "
- - "L0.?[671,986] 1.01us 3mb |------------L0.?------------| "
- - "**** Simulation run 14, type=split(HighL0OverlapSingleFile)(split_times=[356, 670]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.25[173,950] 1.01us |-----------------------------------------L0.25------------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[173,356] 1.01us 2mb |-------L0.?--------| "
- - "L0.?[357,670] 1.01us 4mb |---------------L0.?---------------| "
- - "L0.?[671,950] 1.01us 4mb |-------------L0.?-------------| "
- - "**** Simulation run 15, type=split(HighL0OverlapSingleFile)(split_times=[356]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.26[50,629] 1.01us |-----------------------------------------L0.26------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[50,356] 1.01us 5mb |--------------------L0.?---------------------| "
- - "L0.?[357,629] 1.01us 5mb |------------------L0.?------------------| "
- - "**** Simulation run 16, type=split(HighL0OverlapSingleFile)(split_times=[356, 670]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.27[76,932] 1.02us |-----------------------------------------L0.27------------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[76,356] 1.02us 3mb |-----------L0.?------------| "
- - "L0.?[357,670] 1.02us 4mb |-------------L0.?-------------| "
- - "L0.?[671,932] 1.02us 3mb |----------L0.?-----------| "
- - "**** Simulation run 17, type=split(HighL0OverlapSingleFile)(split_times=[356, 670]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.28[42,986] 1.02us |-----------------------------------------L0.28------------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[42,356] 1.02us 3mb |-----------L0.?------------| "
- - "L0.?[357,670] 1.02us 3mb |-----------L0.?------------| "
- - "L0.?[671,986] 1.02us 3mb |------------L0.?------------| "
- - "**** Simulation run 18, type=split(HighL0OverlapSingleFile)(split_times=[356, 670]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.29[173,950] 1.02us |-----------------------------------------L0.29------------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[173,356] 1.02us 2mb |-------L0.?--------| "
- - "L0.?[357,670] 1.02us 4mb |---------------L0.?---------------| "
- - "L0.?[671,950] 1.02us 4mb |-------------L0.?-------------| "
- - "**** Simulation run 19, type=split(HighL0OverlapSingleFile)(split_times=[356]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.30[50,629] 1.02us |-----------------------------------------L0.30------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[50,356] 1.02us 5mb |--------------------L0.?---------------------| "
- - "L0.?[357,629] 1.02us 5mb |------------------L0.?------------------| "
- - "**** Simulation run 20, type=split(HighL0OverlapSingleFile)(split_times=[356, 670]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.31[76,932] 1.02us |-----------------------------------------L0.31------------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[76,356] 1.02us 3mb |-----------L0.?------------| "
- - "L0.?[357,670] 1.02us 4mb |-------------L0.?-------------| "
- - "L0.?[671,932] 1.02us 3mb |----------L0.?-----------| "
- - "**** Simulation run 21, type=split(HighL0OverlapSingleFile)(split_times=[356, 670]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.32[42,986] 1.02us |-----------------------------------------L0.32------------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[42,356] 1.02us 3mb |-----------L0.?------------| "
- - "L0.?[357,670] 1.02us 3mb |-----------L0.?------------| "
- - "L0.?[671,986] 1.02us 3mb |------------L0.?------------| "
- - "**** Simulation run 22, type=split(HighL0OverlapSingleFile)(split_times=[356, 670]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.33[173,950] 1.02us |-----------------------------------------L0.33------------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[173,356] 1.02us 2mb |-------L0.?--------| "
- - "L0.?[357,670] 1.02us 4mb |---------------L0.?---------------| "
- - "L0.?[671,950] 1.02us 4mb |-------------L0.?-------------| "
- - "**** Simulation run 23, type=split(HighL0OverlapSingleFile)(split_times=[356]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.34[50,629] 1.02us |-----------------------------------------L0.34------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[50,356] 1.02us 5mb |--------------------L0.?---------------------| "
- - "L0.?[357,629] 1.02us 5mb |------------------L0.?------------------| "
- - "**** Simulation run 24, type=split(HighL0OverlapSingleFile)(split_times=[356, 670]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.35[76,932] 1.02us |-----------------------------------------L0.35------------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[76,356] 1.02us 3mb |-----------L0.?------------| "
- - "L0.?[357,670] 1.02us 4mb |-------------L0.?-------------| "
- - "L0.?[671,932] 1.02us 3mb |----------L0.?-----------| "
- - "**** Simulation run 25, type=split(HighL0OverlapSingleFile)(split_times=[356, 670]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.36[42,986] 1.02us |-----------------------------------------L0.36------------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[42,356] 1.02us 3mb |-----------L0.?------------| "
- - "L0.?[357,670] 1.02us 3mb |-----------L0.?------------| "
- - "L0.?[671,986] 1.02us 3mb |------------L0.?------------| "
- - "**** Simulation run 26, type=split(HighL0OverlapSingleFile)(split_times=[356, 670]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.37[173,950] 1.03us |-----------------------------------------L0.37------------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[173,356] 1.03us 2mb |-------L0.?--------| "
- - "L0.?[357,670] 1.03us 4mb |---------------L0.?---------------| "
- - "L0.?[671,950] 1.03us 4mb |-------------L0.?-------------| "
- - "**** Simulation run 27, type=split(HighL0OverlapSingleFile)(split_times=[356]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.38[50,629] 1.03us |-----------------------------------------L0.38------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[50,356] 1.03us 5mb |--------------------L0.?---------------------| "
- - "L0.?[357,629] 1.03us 5mb |------------------L0.?------------------| "
- - "**** Simulation run 28, type=split(HighL0OverlapSingleFile)(split_times=[356, 670]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.39[76,932] 1.03us |-----------------------------------------L0.39------------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[76,356] 1.03us 3mb |-----------L0.?------------| "
- - "L0.?[357,670] 1.03us 4mb |-------------L0.?-------------| "
- - "L0.?[671,932] 1.03us 3mb |----------L0.?-----------| "
- - "**** Simulation run 29, type=split(HighL0OverlapSingleFile)(split_times=[356, 670]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.40[42,986] 1.03us |-----------------------------------------L0.40------------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[42,356] 1.03us 3mb |-----------L0.?------------| "
- - "L0.?[357,670] 1.03us 3mb |-----------L0.?------------| "
- - "L0.?[671,986] 1.03us 3mb |------------L0.?------------| "
- - "**** Simulation run 30, type=split(HighL0OverlapSingleFile)(split_times=[356, 670]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.41[173,950] 1.03us |-----------------------------------------L0.41------------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[173,356] 1.03us 2mb |-------L0.?--------| "
- - "L0.?[357,670] 1.03us 4mb |---------------L0.?---------------| "
- - "L0.?[671,950] 1.03us 4mb |-------------L0.?-------------| "
- - "**** Simulation run 31, type=split(HighL0OverlapSingleFile)(split_times=[356]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.42[50,629] 1.03us |-----------------------------------------L0.42------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[50,356] 1.03us 5mb |--------------------L0.?---------------------| "
- - "L0.?[357,629] 1.03us 5mb |------------------L0.?------------------| "
- - "**** Simulation run 32, type=split(HighL0OverlapSingleFile)(split_times=[356, 670]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.43[76,932] 1.03us |-----------------------------------------L0.43------------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[76,356] 1.03us 3mb |-----------L0.?------------| "
- - "L0.?[357,670] 1.03us 4mb |-------------L0.?-------------| "
- - "L0.?[671,932] 1.03us 3mb |----------L0.?-----------| "
- - "**** Simulation run 33, type=split(HighL0OverlapSingleFile)(split_times=[356, 670]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.44[42,986] 1.03us |-----------------------------------------L0.44------------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[42,356] 1.03us 3mb |-----------L0.?------------| "
- - "L0.?[357,670] 1.03us 3mb |-----------L0.?------------| "
- - "L0.?[671,986] 1.03us 3mb |------------L0.?------------| "
- - "**** Simulation run 34, type=split(HighL0OverlapSingleFile)(split_times=[356, 670]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.45[173,950] 1.03us |-----------------------------------------L0.45------------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[173,356] 1.03us 2mb |-------L0.?--------| "
- - "L0.?[357,670] 1.03us 4mb |---------------L0.?---------------| "
- - "L0.?[671,950] 1.03us 4mb |-------------L0.?-------------| "
- - "**** Simulation run 35, type=split(HighL0OverlapSingleFile)(split_times=[356]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.46[50,629] 1.03us |-----------------------------------------L0.46------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[50,356] 1.03us 5mb |--------------------L0.?---------------------| "
- - "L0.?[357,629] 1.03us 5mb |------------------L0.?------------------| "
- - "**** Simulation run 36, type=split(HighL0OverlapSingleFile)(split_times=[356, 670]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.47[76,932] 1.04us |-----------------------------------------L0.47------------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[76,356] 1.04us 3mb |-----------L0.?------------| "
- - "L0.?[357,670] 1.04us 4mb |-------------L0.?-------------| "
- - "L0.?[671,932] 1.04us 3mb |----------L0.?-----------| "
- - "**** Simulation run 37, type=split(HighL0OverlapSingleFile)(split_times=[356, 670]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.48[42,986] 1.04us |-----------------------------------------L0.48------------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[42,356] 1.04us 3mb |-----------L0.?------------| "
- - "L0.?[357,670] 1.04us 3mb |-----------L0.?------------| "
- - "L0.?[671,986] 1.04us 3mb |------------L0.?------------| "
- - "**** Simulation run 38, type=split(HighL0OverlapSingleFile)(split_times=[356, 670]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.49[173,950] 1.04us |-----------------------------------------L0.49------------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[173,356] 1.04us 2mb |-------L0.?--------| "
- - "L0.?[357,670] 1.04us 4mb |---------------L0.?---------------| "
- - "L0.?[671,950] 1.04us 4mb |-------------L0.?-------------| "
- - "**** Simulation run 39, type=split(HighL0OverlapSingleFile)(split_times=[356]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.50[50,629] 1.04us |-----------------------------------------L0.50------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[50,356] 1.04us 5mb |--------------------L0.?---------------------| "
- - "L0.?[357,629] 1.04us 5mb |------------------L0.?------------------| "
- - "**** Simulation run 40, type=split(HighL0OverlapSingleFile)(split_times=[356, 670]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.51[76,932] 1.04us |-----------------------------------------L0.51------------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[76,356] 1.04us 3mb |-----------L0.?------------| "
- - "L0.?[357,670] 1.04us 4mb |-------------L0.?-------------| "
- - "L0.?[671,932] 1.04us 3mb |----------L0.?-----------| "
- - "**** Simulation run 41, type=split(HighL0OverlapSingleFile)(split_times=[356, 670]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.52[42,986] 1.04us |-----------------------------------------L0.52------------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[42,356] 1.04us 3mb |-----------L0.?------------| "
- - "L0.?[357,670] 1.04us 3mb |-----------L0.?------------| "
- - "L0.?[671,986] 1.04us 3mb |------------L0.?------------| "
- - "**** Simulation run 42, type=split(HighL0OverlapSingleFile)(split_times=[356, 670]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.53[173,950] 1.04us |-----------------------------------------L0.53------------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[173,356] 1.04us 2mb |-------L0.?--------| "
- - "L0.?[357,670] 1.04us 4mb |---------------L0.?---------------| "
- - "L0.?[671,950] 1.04us 4mb |-------------L0.?-------------| "
- - "**** Simulation run 43, type=split(HighL0OverlapSingleFile)(split_times=[356]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.54[50,629] 1.04us |-----------------------------------------L0.54------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[50,356] 1.04us 5mb |--------------------L0.?---------------------| "
- - "L0.?[357,629] 1.04us 5mb |------------------L0.?------------------| "
- - "**** Simulation run 44, type=split(HighL0OverlapSingleFile)(split_times=[356, 670]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.55[76,932] 1.04us |-----------------------------------------L0.55------------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[76,356] 1.04us 3mb |-----------L0.?------------| "
- - "L0.?[357,670] 1.04us 4mb |-------------L0.?-------------| "
- - "L0.?[671,932] 1.04us 3mb |----------L0.?-----------| "
- - "**** Simulation run 45, type=split(HighL0OverlapSingleFile)(split_times=[356, 670]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.56[42,986] 1.05us |-----------------------------------------L0.56------------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[42,356] 1.05us 3mb |-----------L0.?------------| "
- - "L0.?[357,670] 1.05us 3mb |-----------L0.?------------| "
- - "L0.?[671,986] 1.05us 3mb |------------L0.?------------| "
- - "**** Simulation run 46, type=split(HighL0OverlapSingleFile)(split_times=[356, 670]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.57[173,950] 1.05us |-----------------------------------------L0.57------------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[173,356] 1.05us 2mb |-------L0.?--------| "
- - "L0.?[357,670] 1.05us 4mb |---------------L0.?---------------| "
- - "L0.?[671,950] 1.05us 4mb |-------------L0.?-------------| "
- - "**** Simulation run 47, type=split(HighL0OverlapSingleFile)(split_times=[356]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.58[50,629] 1.05us |-----------------------------------------L0.58------------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[50,356] 1.05us 5mb |--------------------L0.?---------------------| "
- - "L0.?[357,629] 1.05us 5mb |------------------L0.?------------------| "
- - "**** Simulation run 48, type=split(HighL0OverlapSingleFile)(split_times=[356, 670]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.59[76,932] 1.05us |-----------------------------------------L0.59------------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[76,356] 1.05us 3mb |-----------L0.?------------| "
- - "L0.?[357,670] 1.05us 4mb |-------------L0.?-------------| "
- - "L0.?[671,932] 1.05us 3mb |----------L0.?-----------| "
- - "**** Simulation run 49, type=split(HighL0OverlapSingleFile)(split_times=[356, 670]). 1 Input Files, 10mb total:"
- - "L0, all files 10mb "
- - "L0.60[42,986] 1.05us |-----------------------------------------L0.60------------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 10mb total:"
- - "L0 "
- - "L0.?[42,356] 1.05us 3mb |-----------L0.?------------| "
- - "L0.?[357,670] 1.05us 3mb |-----------L0.?------------| "
- - "L0.?[671,986] 1.05us 3mb |------------L0.?------------| "
- - "Committing partition 1:"
- - " Soft Deleting 50 files: L0.11, L0.12, L0.13, L0.14, L0.15, L0.16, L0.17, L0.18, L0.19, L0.20, L0.21, L0.22, L0.23, L0.24, L0.25, L0.26, L0.27, L0.28, L0.29, L0.30, L0.31, L0.32, L0.33, L0.34, L0.35, L0.36, L0.37, L0.38, L0.39, L0.40, L0.41, L0.42, L0.43, L0.44, L0.45, L0.46, L0.47, L0.48, L0.49, L0.50, L0.51, L0.52, L0.53, L0.54, L0.55, L0.56, L0.57, L0.58, L0.59, L0.60"
- - " Creating 138 files"
- - "**** Simulation run 50, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[357, 672]). 83 Input Files, 300mb total:"
- - "L0 "
- - "L0.61[76,356] 1us 3mb |---------L0.61----------| "
- - "L0.62[357,670] 1us 4mb |-----------L0.62-----------| "
- - "L0.63[671,932] 1us 3mb |--------L0.63---------| "
- - "L0.64[42,356] 1us 3mb |-----------L0.64-----------| "
- - "L0.65[357,670] 1us 3mb |-----------L0.65-----------| "
- - "L0.66[671,986] 1us 3mb |-----------L0.66------------| "
- - "L0.67[173,356] 1us 2mb |-----L0.67-----| "
- - "L0.68[357,670] 1us 4mb |-----------L0.68-----------| "
- - "L0.69[671,950] 1us 4mb |---------L0.69----------| "
- - "L0.70[50,356] 1us 5mb |-----------L0.70-----------| "
- - "L0.71[357,629] 1us 5mb |---------L0.71---------| "
- - "L0.72[76,356] 1us 3mb |---------L0.72----------| "
- - "L0.73[357,670] 1us 4mb |-----------L0.73-----------| "
- - "L0.74[671,932] 1us 3mb |--------L0.74---------| "
- - "L0.75[42,356] 1us 3mb |-----------L0.75-----------| "
- - "L0.76[357,670] 1us 3mb |-----------L0.76-----------| "
- - "L0.77[671,986] 1us 3mb |-----------L0.77------------| "
- - "L0.78[173,356] 1.01us 2mb |-----L0.78-----| "
- - "L0.79[357,670] 1.01us 4mb |-----------L0.79-----------| "
- - "L0.80[671,950] 1.01us 4mb |---------L0.80----------| "
- - "L0.81[50,356] 1.01us 5mb |-----------L0.81-----------| "
- - "L0.82[357,629] 1.01us 5mb |---------L0.82---------| "
- - "L0.83[76,356] 1.01us 3mb |---------L0.83----------| "
- - "L0.84[357,670] 1.01us 4mb |-----------L0.84-----------| "
- - "L0.85[671,932] 1.01us 3mb |--------L0.85---------| "
- - "L0.86[42,356] 1.01us 3mb |-----------L0.86-----------| "
- - "L0.87[357,670] 1.01us 3mb |-----------L0.87-----------| "
- - "L0.88[671,986] 1.01us 3mb |-----------L0.88------------| "
- - "L0.89[173,356] 1.01us 2mb |-----L0.89-----| "
- - "L0.90[357,670] 1.01us 4mb |-----------L0.90-----------| "
- - "L0.91[671,950] 1.01us 4mb |---------L0.91----------| "
- - "L0.92[50,356] 1.01us 5mb |-----------L0.92-----------| "
- - "L0.93[357,629] 1.01us 5mb |---------L0.93---------| "
- - "L0.94[76,356] 1.01us 3mb |---------L0.94----------| "
- - "L0.95[357,670] 1.01us 4mb |-----------L0.95-----------| "
- - "L0.96[671,932] 1.01us 3mb |--------L0.96---------| "
- - "L0.97[42,356] 1.01us 3mb |-----------L0.97-----------| "
- - "L0.98[357,670] 1.01us 3mb |-----------L0.98-----------| "
- - "L0.99[671,986] 1.01us 3mb |-----------L0.99------------| "
- - "L0.100[173,356] 1.01us 2mb |----L0.100-----| "
- - "L0.101[357,670] 1.01us 4mb |----------L0.101-----------| "
- - "L0.102[671,950] 1.01us 4mb |---------L0.102---------| "
- - "L0.103[50,356] 1.01us 5mb|----------L0.103-----------| "
- - "L0.104[357,629] 1.01us 5mb |--------L0.104---------| "
- - "L0.105[76,356] 1.02us 3mb |---------L0.105---------| "
- - "L0.106[357,670] 1.02us 4mb |----------L0.106-----------| "
- - "L0.107[671,932] 1.02us 3mb |--------L0.107--------| "
- - "L0.108[42,356] 1.02us 3mb|----------L0.108-----------| "
- - "L0.109[357,670] 1.02us 3mb |----------L0.109-----------| "
- - "L0.110[671,986] 1.02us 3mb |-----------L0.110-----------| "
- - "L0.111[173,356] 1.02us 2mb |----L0.111-----| "
- - "L0.112[357,670] 1.02us 4mb |----------L0.112-----------| "
- - "L0.113[671,950] 1.02us 4mb |---------L0.113---------| "
- - "L0.114[50,356] 1.02us 5mb|----------L0.114-----------| "
- - "L0.115[357,629] 1.02us 5mb |--------L0.115---------| "
- - "L0.116[76,356] 1.02us 3mb |---------L0.116---------| "
- - "L0.117[357,670] 1.02us 4mb |----------L0.117-----------| "
- - "L0.118[671,932] 1.02us 3mb |--------L0.118--------| "
- - "L0.119[42,356] 1.02us 3mb|----------L0.119-----------| "
- - "L0.120[357,670] 1.02us 3mb |----------L0.120-----------| "
- - "L0.121[671,986] 1.02us 3mb |-----------L0.121-----------| "
- - "L0.122[173,356] 1.02us 2mb |----L0.122-----| "
- - "L0.123[357,670] 1.02us 4mb |----------L0.123-----------| "
- - "L0.124[671,950] 1.02us 4mb |---------L0.124---------| "
- - "L0.125[50,356] 1.02us 5mb|----------L0.125-----------| "
- - "L0.126[357,629] 1.02us 5mb |--------L0.126---------| "
- - "L0.127[76,356] 1.02us 3mb |---------L0.127---------| "
- - "L0.128[357,670] 1.02us 4mb |----------L0.128-----------| "
- - "L0.129[671,932] 1.02us 3mb |--------L0.129--------| "
- - "L0.130[42,356] 1.02us 3mb|----------L0.130-----------| "
- - "L0.131[357,670] 1.02us 3mb |----------L0.131-----------| "
- - "L0.132[671,986] 1.02us 3mb |-----------L0.132-----------| "
- - "L0.133[173,356] 1.03us 2mb |----L0.133-----| "
- - "L0.134[357,670] 1.03us 4mb |----------L0.134-----------| "
- - "L0.135[671,950] 1.03us 4mb |---------L0.135---------| "
- - "L0.136[50,356] 1.03us 5mb|----------L0.136-----------| "
- - "L0.137[357,629] 1.03us 5mb |--------L0.137---------| "
- - "L0.138[76,356] 1.03us 3mb |---------L0.138---------| "
- - "L0.139[357,670] 1.03us 4mb |----------L0.139-----------| "
- - "L0.140[671,932] 1.03us 3mb |--------L0.140--------| "
- - "L0.141[42,356] 1.03us 3mb|----------L0.141-----------| "
- - "L0.142[357,670] 1.03us 3mb |----------L0.142-----------| "
- - "L0.143[671,986] 1.03us 3mb |-----------L0.143-----------| "
- - "**** 3 Output Files (parquet_file_id not yet assigned), 300mb total:"
- - "L1 "
- - "L1.?[42,357] 1.03us 100mb|------------L1.?------------| "
- - "L1.?[358,672] 1.03us 100mb |-----------L1.?------------| "
- - "L1.?[673,986] 1.03us 100mb |-----------L1.?------------| "
- - "Committing partition 1:"
- - " Soft Deleting 83 files: L0.61, L0.62, L0.63, L0.64, L0.65, L0.66, L0.67, L0.68, L0.69, L0.70, L0.71, L0.72, L0.73, L0.74, L0.75, L0.76, L0.77, L0.78, L0.79, L0.80, L0.81, L0.82, L0.83, L0.84, L0.85, L0.86, L0.87, L0.88, L0.89, L0.90, L0.91, L0.92, L0.93, L0.94, L0.95, L0.96, L0.97, L0.98, L0.99, L0.100, L0.101, L0.102, L0.103, L0.104, L0.105, L0.106, L0.107, L0.108, L0.109, L0.110, L0.111, L0.112, L0.113, L0.114, L0.115, L0.116, L0.117, L0.118, L0.119, L0.120, L0.121, L0.122, L0.123, L0.124, L0.125, L0.126, L0.127, L0.128, L0.129, L0.130, L0.131, L0.132, L0.133, L0.134, L0.135, L0.136, L0.137, L0.138, L0.139, L0.140, L0.141, L0.142, L0.143"
- - " Creating 3 files"
- - "**** Simulation run 51, type=split(ReduceOverlap)(split_times=[672]). 1 Input Files, 4mb total:"
- - "L0, all files 4mb "
- - "L0.146[671,950] 1.03us |-----------------------------------------L0.146-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
- - "L0 "
- - "L0.?[671,672] 1.03us 13kb|L0.?| "
- - "L0.?[673,950] 1.03us 4mb |-----------------------------------------L0.?------------------------------------------| "
- - "**** Simulation run 52, type=split(ReduceOverlap)(split_times=[357]). 1 Input Files, 4mb total:"
- - "L0, all files 4mb "
- - "L0.145[357,670] 1.03us |-----------------------------------------L0.145-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
- - "L0 "
- - "L0.?[357,357] 1.03us 0b |L0.?| "
- - "L0.?[358,670] 1.03us 4mb |-----------------------------------------L0.?------------------------------------------| "
- - "**** Simulation run 53, type=split(ReduceOverlap)(split_times=[357]). 1 Input Files, 5mb total:"
- - "L0, all files 5mb "
- - "L0.148[357,629] 1.03us |-----------------------------------------L0.148-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 5mb total:"
- - "L0 "
- - "L0.?[357,357] 1.03us 0b |L0.?| "
- - "L0.?[358,629] 1.03us 5mb |-----------------------------------------L0.?------------------------------------------| "
- - "**** Simulation run 54, type=split(ReduceOverlap)(split_times=[672]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.151[671,932] 1.03us |-----------------------------------------L0.151-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[671,672] 1.03us 12kb|L0.?| "
- - "L0.?[673,932] 1.03us 3mb |-----------------------------------------L0.?------------------------------------------| "
- - "**** Simulation run 55, type=split(ReduceOverlap)(split_times=[357]). 1 Input Files, 4mb total:"
- - "L0, all files 4mb "
- - "L0.150[357,670] 1.03us |-----------------------------------------L0.150-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
- - "L0 "
- - "L0.?[357,357] 1.03us 0b |L0.?| "
- - "L0.?[358,670] 1.03us 4mb |-----------------------------------------L0.?------------------------------------------| "
- - "**** Simulation run 56, type=split(ReduceOverlap)(split_times=[672]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.154[671,986] 1.03us |-----------------------------------------L0.154-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[671,672] 1.03us 11kb|L0.?| "
- - "L0.?[673,986] 1.03us 3mb |-----------------------------------------L0.?------------------------------------------| "
- - "**** Simulation run 57, type=split(ReduceOverlap)(split_times=[357]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.153[357,670] 1.03us |-----------------------------------------L0.153-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[357,357] 1.03us 0b |L0.?| "
- - "L0.?[358,670] 1.03us 3mb |-----------------------------------------L0.?------------------------------------------| "
- - "**** Simulation run 58, type=split(ReduceOverlap)(split_times=[672]). 1 Input Files, 4mb total:"
- - "L0, all files 4mb "
- - "L0.157[671,950] 1.03us |-----------------------------------------L0.157-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
- - "L0 "
- - "L0.?[671,672] 1.03us 13kb|L0.?| "
- - "L0.?[673,950] 1.03us 4mb |-----------------------------------------L0.?------------------------------------------| "
- - "**** Simulation run 59, type=split(ReduceOverlap)(split_times=[357]). 1 Input Files, 4mb total:"
- - "L0, all files 4mb "
- - "L0.156[357,670] 1.03us |-----------------------------------------L0.156-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
- - "L0 "
- - "L0.?[357,357] 1.03us 0b |L0.?| "
- - "L0.?[358,670] 1.03us 4mb |-----------------------------------------L0.?------------------------------------------| "
- - "**** Simulation run 60, type=split(ReduceOverlap)(split_times=[357]). 1 Input Files, 5mb total:"
- - "L0, all files 5mb "
- - "L0.159[357,629] 1.03us |-----------------------------------------L0.159-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 5mb total:"
- - "L0 "
- - "L0.?[357,357] 1.03us 0b |L0.?| "
- - "L0.?[358,629] 1.03us 5mb |-----------------------------------------L0.?------------------------------------------| "
- - "**** Simulation run 61, type=split(ReduceOverlap)(split_times=[672]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.162[671,932] 1.04us |-----------------------------------------L0.162-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[671,672] 1.04us 12kb|L0.?| "
- - "L0.?[673,932] 1.04us 3mb |-----------------------------------------L0.?------------------------------------------| "
- - "**** Simulation run 62, type=split(ReduceOverlap)(split_times=[357]). 1 Input Files, 4mb total:"
- - "L0, all files 4mb "
- - "L0.161[357,670] 1.04us |-----------------------------------------L0.161-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
- - "L0 "
- - "L0.?[357,357] 1.04us 0b |L0.?| "
- - "L0.?[358,670] 1.04us 4mb |-----------------------------------------L0.?------------------------------------------| "
- - "**** Simulation run 63, type=split(ReduceOverlap)(split_times=[672]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.165[671,986] 1.04us |-----------------------------------------L0.165-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[671,672] 1.04us 11kb|L0.?| "
- - "L0.?[673,986] 1.04us 3mb |-----------------------------------------L0.?------------------------------------------| "
- - "**** Simulation run 64, type=split(ReduceOverlap)(split_times=[357]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.164[357,670] 1.04us |-----------------------------------------L0.164-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[357,357] 1.04us 0b |L0.?| "
- - "L0.?[358,670] 1.04us 3mb |-----------------------------------------L0.?------------------------------------------| "
- - "**** Simulation run 65, type=split(ReduceOverlap)(split_times=[672]). 1 Input Files, 4mb total:"
- - "L0, all files 4mb "
- - "L0.168[671,950] 1.04us |-----------------------------------------L0.168-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
- - "L0 "
- - "L0.?[671,672] 1.04us 13kb|L0.?| "
- - "L0.?[673,950] 1.04us 4mb |-----------------------------------------L0.?------------------------------------------| "
- - "**** Simulation run 66, type=split(ReduceOverlap)(split_times=[357]). 1 Input Files, 4mb total:"
- - "L0, all files 4mb "
- - "L0.167[357,670] 1.04us |-----------------------------------------L0.167-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
- - "L0 "
- - "L0.?[357,357] 1.04us 0b |L0.?| "
- - "L0.?[358,670] 1.04us 4mb |-----------------------------------------L0.?------------------------------------------| "
- - "**** Simulation run 67, type=split(ReduceOverlap)(split_times=[357]). 1 Input Files, 5mb total:"
- - "L0, all files 5mb "
- - "L0.170[357,629] 1.04us |-----------------------------------------L0.170-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 5mb total:"
- - "L0 "
- - "L0.?[357,357] 1.04us 0b |L0.?| "
- - "L0.?[358,629] 1.04us 5mb |-----------------------------------------L0.?------------------------------------------| "
- - "**** Simulation run 68, type=split(ReduceOverlap)(split_times=[672]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.173[671,932] 1.04us |-----------------------------------------L0.173-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[671,672] 1.04us 12kb|L0.?| "
- - "L0.?[673,932] 1.04us 3mb |-----------------------------------------L0.?------------------------------------------| "
- - "**** Simulation run 69, type=split(ReduceOverlap)(split_times=[357]). 1 Input Files, 4mb total:"
- - "L0, all files 4mb "
- - "L0.172[357,670] 1.04us |-----------------------------------------L0.172-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
- - "L0 "
- - "L0.?[357,357] 1.04us 0b |L0.?| "
- - "L0.?[358,670] 1.04us 4mb |-----------------------------------------L0.?------------------------------------------| "
- - "**** Simulation run 70, type=split(ReduceOverlap)(split_times=[672]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.176[671,986] 1.04us |-----------------------------------------L0.176-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[671,672] 1.04us 11kb|L0.?| "
- - "L0.?[673,986] 1.04us 3mb |-----------------------------------------L0.?------------------------------------------| "
- - "**** Simulation run 71, type=split(ReduceOverlap)(split_times=[357]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.175[357,670] 1.04us |-----------------------------------------L0.175-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[357,357] 1.04us 0b |L0.?| "
- - "L0.?[358,670] 1.04us 3mb |-----------------------------------------L0.?------------------------------------------| "
- - "**** Simulation run 72, type=split(ReduceOverlap)(split_times=[672]). 1 Input Files, 4mb total:"
- - "L0, all files 4mb "
- - "L0.179[671,950] 1.04us |-----------------------------------------L0.179-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
- - "L0 "
- - "L0.?[671,672] 1.04us 13kb|L0.?| "
- - "L0.?[673,950] 1.04us 4mb |-----------------------------------------L0.?------------------------------------------| "
- - "**** Simulation run 73, type=split(ReduceOverlap)(split_times=[357]). 1 Input Files, 4mb total:"
- - "L0, all files 4mb "
- - "L0.178[357,670] 1.04us |-----------------------------------------L0.178-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
- - "L0 "
- - "L0.?[357,357] 1.04us 0b |L0.?| "
- - "L0.?[358,670] 1.04us 4mb |-----------------------------------------L0.?------------------------------------------| "
- - "**** Simulation run 74, type=split(ReduceOverlap)(split_times=[357]). 1 Input Files, 5mb total:"
- - "L0, all files 5mb "
- - "L0.181[357,629] 1.04us |-----------------------------------------L0.181-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 5mb total:"
- - "L0 "
- - "L0.?[357,357] 1.04us 0b |L0.?| "
- - "L0.?[358,629] 1.04us 5mb |-----------------------------------------L0.?------------------------------------------| "
- - "**** Simulation run 75, type=split(ReduceOverlap)(split_times=[672]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.184[671,932] 1.04us |-----------------------------------------L0.184-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[671,672] 1.04us 12kb|L0.?| "
- - "L0.?[673,932] 1.04us 3mb |-----------------------------------------L0.?------------------------------------------| "
- - "**** Simulation run 76, type=split(ReduceOverlap)(split_times=[357]). 1 Input Files, 4mb total:"
- - "L0, all files 4mb "
- - "L0.183[357,670] 1.04us |-----------------------------------------L0.183-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
- - "L0 "
- - "L0.?[357,357] 1.04us 0b |L0.?| "
- - "L0.?[358,670] 1.04us 4mb |-----------------------------------------L0.?------------------------------------------| "
- - "**** Simulation run 77, type=split(ReduceOverlap)(split_times=[672]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.187[671,986] 1.05us |-----------------------------------------L0.187-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[671,672] 1.05us 11kb|L0.?| "
- - "L0.?[673,986] 1.05us 3mb |-----------------------------------------L0.?------------------------------------------| "
- - "**** Simulation run 78, type=split(ReduceOverlap)(split_times=[357]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.186[357,670] 1.05us |-----------------------------------------L0.186-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[357,357] 1.05us 0b |L0.?| "
- - "L0.?[358,670] 1.05us 3mb |-----------------------------------------L0.?------------------------------------------| "
- - "**** Simulation run 79, type=split(ReduceOverlap)(split_times=[672]). 1 Input Files, 4mb total:"
- - "L0, all files 4mb "
- - "L0.190[671,950] 1.05us |-----------------------------------------L0.190-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
- - "L0 "
- - "L0.?[671,672] 1.05us 13kb|L0.?| "
- - "L0.?[673,950] 1.05us 4mb |-----------------------------------------L0.?------------------------------------------| "
- - "**** Simulation run 80, type=split(ReduceOverlap)(split_times=[357]). 1 Input Files, 4mb total:"
- - "L0, all files 4mb "
- - "L0.189[357,670] 1.05us |-----------------------------------------L0.189-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
- - "L0 "
- - "L0.?[357,357] 1.05us 0b |L0.?| "
- - "L0.?[358,670] 1.05us 4mb |-----------------------------------------L0.?------------------------------------------| "
- - "**** Simulation run 81, type=split(ReduceOverlap)(split_times=[357]). 1 Input Files, 5mb total:"
- - "L0, all files 5mb "
- - "L0.192[357,629] 1.05us |-----------------------------------------L0.192-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 5mb total:"
- - "L0 "
- - "L0.?[357,357] 1.05us 0b |L0.?| "
- - "L0.?[358,629] 1.05us 5mb |-----------------------------------------L0.?------------------------------------------| "
- - "**** Simulation run 82, type=split(ReduceOverlap)(split_times=[672]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.195[671,932] 1.05us |-----------------------------------------L0.195-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[671,672] 1.05us 12kb|L0.?| "
- - "L0.?[673,932] 1.05us 3mb |-----------------------------------------L0.?------------------------------------------| "
- - "**** Simulation run 83, type=split(ReduceOverlap)(split_times=[357]). 1 Input Files, 4mb total:"
- - "L0, all files 4mb "
- - "L0.194[357,670] 1.05us |-----------------------------------------L0.194-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
- - "L0 "
- - "L0.?[357,357] 1.05us 0b |L0.?| "
- - "L0.?[358,670] 1.05us 4mb |-----------------------------------------L0.?------------------------------------------| "
- - "**** Simulation run 84, type=split(ReduceOverlap)(split_times=[672]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.198[671,986] 1.05us |-----------------------------------------L0.198-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[671,672] 1.05us 11kb|L0.?| "
- - "L0.?[673,986] 1.05us 3mb |-----------------------------------------L0.?------------------------------------------| "
- - "**** Simulation run 85, type=split(ReduceOverlap)(split_times=[357]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.197[357,670] 1.05us |-----------------------------------------L0.197-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[357,357] 1.05us 0b |L0.?| "
- - "L0.?[358,670] 1.05us 3mb |-----------------------------------------L0.?------------------------------------------| "
- - "Committing partition 1:"
- - " Soft Deleting 35 files: L0.145, L0.146, L0.148, L0.150, L0.151, L0.153, L0.154, L0.156, L0.157, L0.159, L0.161, L0.162, L0.164, L0.165, L0.167, L0.168, L0.170, L0.172, L0.173, L0.175, L0.176, L0.178, L0.179, L0.181, L0.183, L0.184, L0.186, L0.187, L0.189, L0.190, L0.192, L0.194, L0.195, L0.197, L0.198"
- - " Creating 70 files"
- - "**** Simulation run 86, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[348, 654]). 6 Input Files, 206mb total:"
- - "L0 "
- - "L0.144[173,356] 1.03us 2mb |---------L0.144---------| "
- - "L0.204[357,357] 1.03us 0b |L0.204| "
- - "L0.205[358,670] 1.03us 4mb |------------------L0.205------------------| "
- - "L0.202[671,672] 1.03us 13kb |L0.202|"
- - "L1 "
- - "L1.199[42,357] 1.03us 100mb|------------------L1.199-------------------| "
- - "L1.200[358,672] 1.03us 100mb |------------------L1.200------------------| "
- - "**** 3 Output Files (parquet_file_id not yet assigned), 206mb total:"
- - "L1 "
- - "L1.?[42,348] 1.03us 100mb|------------------L1.?-------------------| "
- - "L1.?[349,654] 1.03us 100mb |------------------L1.?-------------------| "
- - "L1.?[655,672] 1.03us 6mb |L1.?|"
- - "Committing partition 1:"
- - " Soft Deleting 6 files: L0.144, L1.199, L1.200, L0.202, L0.204, L0.205"
- - " Creating 3 files"
- - "**** Simulation run 87, type=split(ReduceOverlap)(split_times=[348]). 1 Input Files, 5mb total:"
- - "L0, all files 5mb "
- - "L0.147[50,356] 1.03us |-----------------------------------------L0.147-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 5mb total:"
- - "L0 "
- - "L0.?[50,348] 1.03us 5mb |----------------------------------------L0.?-----------------------------------------| "
- - "L0.?[349,356] 1.03us 141kb |L0.?|"
- - "**** Simulation run 88, type=split(ReduceOverlap)(split_times=[654]). 1 Input Files, 4mb total:"
- - "L0, all files 4mb "
- - "L0.211[358,670] 1.03us |-----------------------------------------L0.211-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
- - "L0 "
- - "L0.?[358,654] 1.03us 3mb |---------------------------------------L0.?----------------------------------------| "
- - "L0.?[655,670] 1.03us 192kb |L0.?|"
- - "**** Simulation run 89, type=split(ReduceOverlap)(split_times=[348]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.149[76,356] 1.03us |-----------------------------------------L0.149-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[76,348] 1.03us 3mb |----------------------------------------L0.?-----------------------------------------| "
- - "L0.?[349,356] 1.03us 96kb |L0.?|"
- - "**** Simulation run 90, type=split(ReduceOverlap)(split_times=[654]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.215[358,670] 1.03us |-----------------------------------------L0.215-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[358,654] 1.03us 3mb |---------------------------------------L0.?----------------------------------------| "
- - "L0.?[655,670] 1.03us 174kb |L0.?|"
- - "**** Simulation run 91, type=split(ReduceOverlap)(split_times=[348]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.152[42,356] 1.03us |-----------------------------------------L0.152-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[42,348] 1.03us 3mb |----------------------------------------L0.?-----------------------------------------| "
- - "L0.?[349,356] 1.03us 87kb |L0.?|"
- - "**** Simulation run 92, type=split(ReduceOverlap)(split_times=[654]). 1 Input Files, 4mb total:"
- - "L0, all files 4mb "
- - "L0.219[358,670] 1.03us |-----------------------------------------L0.219-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
- - "L0 "
- - "L0.?[358,654] 1.03us 4mb |---------------------------------------L0.?----------------------------------------| "
- - "L0.?[655,670] 1.03us 212kb |L0.?|"
- - "**** Simulation run 93, type=split(ReduceOverlap)(split_times=[348]). 1 Input Files, 2mb total:"
- - "L0, all files 2mb "
- - "L0.155[173,356] 1.03us |-----------------------------------------L0.155-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 2mb total:"
- - "L0 "
- - "L0.?[173,348] 1.03us 2mb |----------------------------------------L0.?----------------------------------------| "
- - "L0.?[349,356] 1.03us 105kb |L0.?|"
- - "**** Simulation run 94, type=split(ReduceOverlap)(split_times=[348]). 1 Input Files, 5mb total:"
- - "L0, all files 5mb "
- - "L0.158[50,356] 1.03us |-----------------------------------------L0.158-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 5mb total:"
- - "L0 "
- - "L0.?[50,348] 1.03us 5mb |----------------------------------------L0.?-----------------------------------------| "
- - "L0.?[349,356] 1.03us 141kb |L0.?|"
- - "**** Simulation run 95, type=split(ReduceOverlap)(split_times=[654]). 1 Input Files, 4mb total:"
- - "L0, all files 4mb "
- - "L0.225[358,670] 1.04us |-----------------------------------------L0.225-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
- - "L0 "
- - "L0.?[358,654] 1.04us 3mb |---------------------------------------L0.?----------------------------------------| "
- - "L0.?[655,670] 1.04us 192kb |L0.?|"
- - "**** Simulation run 96, type=split(ReduceOverlap)(split_times=[348]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.160[76,356] 1.04us |-----------------------------------------L0.160-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[76,348] 1.04us 3mb |----------------------------------------L0.?-----------------------------------------| "
- - "L0.?[349,356] 1.04us 96kb |L0.?|"
- - "**** Simulation run 97, type=split(ReduceOverlap)(split_times=[654]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.229[358,670] 1.04us |-----------------------------------------L0.229-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[358,654] 1.04us 3mb |---------------------------------------L0.?----------------------------------------| "
- - "L0.?[655,670] 1.04us 174kb |L0.?|"
- - "**** Simulation run 98, type=split(ReduceOverlap)(split_times=[348]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.163[42,356] 1.04us |-----------------------------------------L0.163-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[42,348] 1.04us 3mb |----------------------------------------L0.?-----------------------------------------| "
- - "L0.?[349,356] 1.04us 87kb |L0.?|"
- - "**** Simulation run 99, type=split(ReduceOverlap)(split_times=[654]). 1 Input Files, 4mb total:"
- - "L0, all files 4mb "
- - "L0.233[358,670] 1.04us |-----------------------------------------L0.233-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
- - "L0 "
- - "L0.?[358,654] 1.04us 4mb |---------------------------------------L0.?----------------------------------------| "
- - "L0.?[655,670] 1.04us 212kb |L0.?|"
- - "**** Simulation run 100, type=split(ReduceOverlap)(split_times=[348]). 1 Input Files, 2mb total:"
- - "L0, all files 2mb "
- - "L0.166[173,356] 1.04us |-----------------------------------------L0.166-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 2mb total:"
- - "L0 "
- - "L0.?[173,348] 1.04us 2mb |----------------------------------------L0.?----------------------------------------| "
- - "L0.?[349,356] 1.04us 105kb |L0.?|"
- - "**** Simulation run 101, type=split(ReduceOverlap)(split_times=[348]). 1 Input Files, 5mb total:"
- - "L0, all files 5mb "
- - "L0.169[50,356] 1.04us |-----------------------------------------L0.169-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 5mb total:"
- - "L0 "
- - "L0.?[50,348] 1.04us 5mb |----------------------------------------L0.?-----------------------------------------| "
- - "L0.?[349,356] 1.04us 141kb |L0.?|"
- - "**** Simulation run 102, type=split(ReduceOverlap)(split_times=[654]). 1 Input Files, 4mb total:"
- - "L0, all files 4mb "
- - "L0.239[358,670] 1.04us |-----------------------------------------L0.239-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
- - "L0 "
- - "L0.?[358,654] 1.04us 3mb |---------------------------------------L0.?----------------------------------------| "
- - "L0.?[655,670] 1.04us 192kb |L0.?|"
- - "**** Simulation run 103, type=split(ReduceOverlap)(split_times=[348]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.171[76,356] 1.04us |-----------------------------------------L0.171-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[76,348] 1.04us 3mb |----------------------------------------L0.?-----------------------------------------| "
- - "L0.?[349,356] 1.04us 96kb |L0.?|"
- - "**** Simulation run 104, type=split(ReduceOverlap)(split_times=[654]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.243[358,670] 1.04us |-----------------------------------------L0.243-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[358,654] 1.04us 3mb |---------------------------------------L0.?----------------------------------------| "
- - "L0.?[655,670] 1.04us 174kb |L0.?|"
- - "**** Simulation run 105, type=split(ReduceOverlap)(split_times=[348]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.174[42,356] 1.04us |-----------------------------------------L0.174-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[42,348] 1.04us 3mb |----------------------------------------L0.?-----------------------------------------| "
- - "L0.?[349,356] 1.04us 87kb |L0.?|"
- - "**** Simulation run 106, type=split(ReduceOverlap)(split_times=[654]). 1 Input Files, 4mb total:"
- - "L0, all files 4mb "
- - "L0.247[358,670] 1.04us |-----------------------------------------L0.247-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
- - "L0 "
- - "L0.?[358,654] 1.04us 4mb |---------------------------------------L0.?----------------------------------------| "
- - "L0.?[655,670] 1.04us 212kb |L0.?|"
- - "**** Simulation run 107, type=split(ReduceOverlap)(split_times=[348]). 1 Input Files, 2mb total:"
- - "L0, all files 2mb "
- - "L0.177[173,356] 1.04us |-----------------------------------------L0.177-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 2mb total:"
- - "L0 "
- - "L0.?[173,348] 1.04us 2mb |----------------------------------------L0.?----------------------------------------| "
- - "L0.?[349,356] 1.04us 105kb |L0.?|"
- - "**** Simulation run 108, type=split(ReduceOverlap)(split_times=[348]). 1 Input Files, 5mb total:"
- - "L0, all files 5mb "
- - "L0.180[50,356] 1.04us |-----------------------------------------L0.180-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 5mb total:"
- - "L0 "
- - "L0.?[50,348] 1.04us 5mb |----------------------------------------L0.?-----------------------------------------| "
- - "L0.?[349,356] 1.04us 141kb |L0.?|"
- - "**** Simulation run 109, type=split(ReduceOverlap)(split_times=[654]). 1 Input Files, 4mb total:"
- - "L0, all files 4mb "
- - "L0.253[358,670] 1.04us |-----------------------------------------L0.253-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
- - "L0 "
- - "L0.?[358,654] 1.04us 3mb |---------------------------------------L0.?----------------------------------------| "
- - "L0.?[655,670] 1.04us 192kb |L0.?|"
- - "**** Simulation run 110, type=split(ReduceOverlap)(split_times=[348]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.182[76,356] 1.04us |-----------------------------------------L0.182-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[76,348] 1.04us 3mb |----------------------------------------L0.?-----------------------------------------| "
- - "L0.?[349,356] 1.04us 96kb |L0.?|"
- - "**** Simulation run 111, type=split(ReduceOverlap)(split_times=[654]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.257[358,670] 1.05us |-----------------------------------------L0.257-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[358,654] 1.05us 3mb |---------------------------------------L0.?----------------------------------------| "
- - "L0.?[655,670] 1.05us 174kb |L0.?|"
- - "**** Simulation run 112, type=split(ReduceOverlap)(split_times=[348]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.185[42,356] 1.05us |-----------------------------------------L0.185-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[42,348] 1.05us 3mb |----------------------------------------L0.?-----------------------------------------| "
- - "L0.?[349,356] 1.05us 87kb |L0.?|"
- - "**** Simulation run 113, type=split(ReduceOverlap)(split_times=[654]). 1 Input Files, 4mb total:"
- - "L0, all files 4mb "
- - "L0.261[358,670] 1.05us |-----------------------------------------L0.261-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
- - "L0 "
- - "L0.?[358,654] 1.05us 4mb |---------------------------------------L0.?----------------------------------------| "
- - "L0.?[655,670] 1.05us 212kb |L0.?|"
- - "**** Simulation run 114, type=split(ReduceOverlap)(split_times=[348]). 1 Input Files, 2mb total:"
- - "L0, all files 2mb "
- - "L0.188[173,356] 1.05us |-----------------------------------------L0.188-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 2mb total:"
- - "L0 "
- - "L0.?[173,348] 1.05us 2mb |----------------------------------------L0.?----------------------------------------| "
- - "L0.?[349,356] 1.05us 105kb |L0.?|"
- - "**** Simulation run 115, type=split(ReduceOverlap)(split_times=[348]). 1 Input Files, 5mb total:"
- - "L0, all files 5mb "
- - "L0.191[50,356] 1.05us |-----------------------------------------L0.191-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 5mb total:"
- - "L0 "
- - "L0.?[50,348] 1.05us 5mb |----------------------------------------L0.?-----------------------------------------| "
- - "L0.?[349,356] 1.05us 141kb |L0.?|"
- - "**** Simulation run 116, type=split(ReduceOverlap)(split_times=[654]). 1 Input Files, 4mb total:"
- - "L0, all files 4mb "
- - "L0.267[358,670] 1.05us |-----------------------------------------L0.267-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
- - "L0 "
- - "L0.?[358,654] 1.05us 3mb |---------------------------------------L0.?----------------------------------------| "
- - "L0.?[655,670] 1.05us 192kb |L0.?|"
- - "**** Simulation run 117, type=split(ReduceOverlap)(split_times=[348]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.193[76,356] 1.05us |-----------------------------------------L0.193-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[76,348] 1.05us 3mb |----------------------------------------L0.?-----------------------------------------| "
- - "L0.?[349,356] 1.05us 96kb |L0.?|"
- - "**** Simulation run 118, type=split(ReduceOverlap)(split_times=[654]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.271[358,670] 1.05us |-----------------------------------------L0.271-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[358,654] 1.05us 3mb |---------------------------------------L0.?----------------------------------------| "
- - "L0.?[655,670] 1.05us 174kb |L0.?|"
- - "**** Simulation run 119, type=split(ReduceOverlap)(split_times=[348]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.196[42,356] 1.05us |-----------------------------------------L0.196-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[42,348] 1.05us 3mb |----------------------------------------L0.?-----------------------------------------| "
- - "L0.?[349,356] 1.05us 87kb |L0.?|"
- - "Committing partition 1:"
- - " Soft Deleting 33 files: L0.147, L0.149, L0.152, L0.155, L0.158, L0.160, L0.163, L0.166, L0.169, L0.171, L0.174, L0.177, L0.180, L0.182, L0.185, L0.188, L0.191, L0.193, L0.196, L0.211, L0.215, L0.219, L0.225, L0.229, L0.233, L0.239, L0.243, L0.247, L0.253, L0.257, L0.261, L0.267, L0.271"
- - " Creating 66 files"
- - "**** Simulation run 120, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[923]). 2 Input Files, 104mb total:"
- - "L0 "
- - "L0.203[673,950] 1.03us 4mb|-----------------------------------L0.203------------------------------------| "
- - "L1 "
- - "L1.201[673,986] 1.03us 100mb|-----------------------------------------L1.201-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 104mb total:"
- - "L1 "
- - "L1.?[673,923] 1.03us 83mb|--------------------------------L1.?---------------------------------| "
- - "L1.?[924,986] 1.03us 21mb |-----L1.?------| "
- - "Committing partition 1:"
- - " Soft Deleting 2 files: L1.201, L0.203"
- - " Creating 2 files"
- - "**** Simulation run 121, type=split(ReduceOverlap)(split_times=[923]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.209[673,932] 1.03us |-----------------------------------------L0.209-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[673,923] 1.03us 3mb |----------------------------------------L0.?----------------------------------------| "
- - "L0.?[924,932] 1.03us 109kb |L0.?|"
- - "**** Simulation run 122, type=split(ReduceOverlap)(split_times=[923]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.213[673,986] 1.03us |-----------------------------------------L0.213-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[673,923] 1.03us 3mb |--------------------------------L0.?---------------------------------| "
- - "L0.?[924,986] 1.03us 690kb |-----L0.?------| "
- - "**** Simulation run 123, type=split(ReduceOverlap)(split_times=[923]). 1 Input Files, 4mb total:"
- - "L0, all files 4mb "
- - "L0.217[673,950] 1.03us |-----------------------------------------L0.217-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
- - "L0 "
- - "L0.?[673,923] 1.03us 3mb |-------------------------------------L0.?--------------------------------------| "
- - "L0.?[924,950] 1.03us 360kb |-L0.?-| "
- - "**** Simulation run 124, type=split(ReduceOverlap)(split_times=[923]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.223[673,932] 1.04us |-----------------------------------------L0.223-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[673,923] 1.04us 3mb |----------------------------------------L0.?----------------------------------------| "
- - "L0.?[924,932] 1.04us 109kb |L0.?|"
- - "**** Simulation run 125, type=split(ReduceOverlap)(split_times=[923]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.227[673,986] 1.04us |-----------------------------------------L0.227-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[673,923] 1.04us 3mb |--------------------------------L0.?---------------------------------| "
- - "L0.?[924,986] 1.04us 690kb |-----L0.?------| "
- - "**** Simulation run 126, type=split(ReduceOverlap)(split_times=[923]). 1 Input Files, 4mb total:"
- - "L0, all files 4mb "
- - "L0.231[673,950] 1.04us |-----------------------------------------L0.231-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
- - "L0 "
- - "L0.?[673,923] 1.04us 3mb |-------------------------------------L0.?--------------------------------------| "
- - "L0.?[924,950] 1.04us 360kb |-L0.?-| "
- - "**** Simulation run 127, type=split(ReduceOverlap)(split_times=[923]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.237[673,932] 1.04us |-----------------------------------------L0.237-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[673,923] 1.04us 3mb |----------------------------------------L0.?----------------------------------------| "
- - "L0.?[924,932] 1.04us 109kb |L0.?|"
- - "**** Simulation run 128, type=split(ReduceOverlap)(split_times=[923]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.241[673,986] 1.04us |-----------------------------------------L0.241-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[673,923] 1.04us 3mb |--------------------------------L0.?---------------------------------| "
- - "L0.?[924,986] 1.04us 690kb |-----L0.?------| "
- - "**** Simulation run 129, type=split(ReduceOverlap)(split_times=[923]). 1 Input Files, 4mb total:"
- - "L0, all files 4mb "
- - "L0.245[673,950] 1.04us |-----------------------------------------L0.245-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
- - "L0 "
- - "L0.?[673,923] 1.04us 3mb |-------------------------------------L0.?--------------------------------------| "
- - "L0.?[924,950] 1.04us 360kb |-L0.?-| "
- - "**** Simulation run 130, type=split(ReduceOverlap)(split_times=[923]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.251[673,932] 1.04us |-----------------------------------------L0.251-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[673,923] 1.04us 3mb |----------------------------------------L0.?----------------------------------------| "
- - "L0.?[924,932] 1.04us 109kb |L0.?|"
- - "**** Simulation run 131, type=split(ReduceOverlap)(split_times=[923]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.255[673,986] 1.05us |-----------------------------------------L0.255-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[673,923] 1.05us 3mb |--------------------------------L0.?---------------------------------| "
- - "L0.?[924,986] 1.05us 690kb |-----L0.?------| "
- - "**** Simulation run 132, type=split(ReduceOverlap)(split_times=[923]). 1 Input Files, 4mb total:"
- - "L0, all files 4mb "
- - "L0.259[673,950] 1.05us |-----------------------------------------L0.259-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
- - "L0 "
- - "L0.?[673,923] 1.05us 3mb |-------------------------------------L0.?--------------------------------------| "
- - "L0.?[924,950] 1.05us 360kb |-L0.?-| "
- - "**** Simulation run 133, type=split(ReduceOverlap)(split_times=[923]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.265[673,932] 1.05us |-----------------------------------------L0.265-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[673,923] 1.05us 3mb |----------------------------------------L0.?----------------------------------------| "
- - "L0.?[924,932] 1.05us 109kb |L0.?|"
- - "**** Simulation run 134, type=split(ReduceOverlap)(split_times=[923]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.269[673,986] 1.05us |-----------------------------------------L0.269-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[673,923] 1.05us 3mb |--------------------------------L0.?---------------------------------| "
- - "L0.?[924,986] 1.05us 690kb |-----L0.?------| "
- - "Committing partition 1:"
- - " Soft Deleting 14 files: L0.209, L0.213, L0.217, L0.223, L0.227, L0.231, L0.237, L0.241, L0.245, L0.251, L0.255, L0.259, L0.265, L0.269"
- - " Creating 28 files"
- - "**** Simulation run 135, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[325, 608]). 13 Input Files, 223mb total:"
- - "L0 "
- - "L0.275[50,348] 1.03us 5mb |-----------------L0.275-----------------| "
- - "L0.276[349,356] 1.03us 141kb |L0.276| "
- - "L0.206[357,357] 1.03us 0b |L0.206| "
- - "L0.207[358,629] 1.03us 5mb |---------------L0.207---------------| "
- - "L0.279[76,348] 1.03us 3mb |---------------L0.279---------------| "
- - "L0.280[349,356] 1.03us 96kb |L0.280| "
- - "L0.210[357,357] 1.03us 0b |L0.210| "
- - "L0.277[358,654] 1.03us 3mb |-----------------L0.277-----------------| "
- - "L0.278[655,670] 1.03us 192kb |L0.278|"
- - "L0.208[671,672] 1.03us 12kb |L0.208|"
- - "L1 "
- - "L1.272[42,348] 1.03us 100mb|-----------------L1.272------------------| "
- - "L1.273[349,654] 1.03us 100mb |-----------------L1.273------------------| "
- - "L1.274[655,672] 1.03us 6mb |L1.274|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 223mb total:"
- - "L1 "
- - "L1.?[42,325] 1.03us 100mb|-----------------L1.?-----------------| "
- - "L1.?[326,608] 1.03us 100mb |-----------------L1.?-----------------| "
- - "L1.?[609,672] 1.03us 23mb |-L1.?--|"
- - "Committing partition 1:"
- - " Soft Deleting 13 files: L0.206, L0.207, L0.208, L0.210, L1.272, L1.273, L1.274, L0.275, L0.276, L0.277, L0.278, L0.279, L0.280"
- - " Creating 3 files"
- - "**** Simulation run 136, type=split(ReduceOverlap)(split_times=[608]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.281[358,654] 1.03us |-----------------------------------------L0.281-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[358,608] 1.03us 3mb |-----------------------------------L0.?-----------------------------------| "
- - "L0.?[609,654] 1.03us 501kb |---L0.?----| "
- - "**** Simulation run 137, type=split(ReduceOverlap)(split_times=[325]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.283[42,348] 1.03us |-----------------------------------------L0.283-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[42,325] 1.03us 3mb |--------------------------------------L0.?---------------------------------------| "
- - "L0.?[326,348] 1.03us 249kb |L0.?| "
- - "**** Simulation run 138, type=split(ReduceOverlap)(split_times=[608]). 1 Input Files, 4mb total:"
- - "L0, all files 4mb "
- - "L0.285[358,654] 1.03us |-----------------------------------------L0.285-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
- - "L0 "
- - "L0.?[358,608] 1.03us 3mb |-----------------------------------L0.?-----------------------------------| "
- - "L0.?[609,654] 1.03us 608kb |---L0.?----| "
- - "**** Simulation run 139, type=split(ReduceOverlap)(split_times=[325]). 1 Input Files, 2mb total:"
- - "L0, all files 2mb "
- - "L0.287[173,348] 1.03us |-----------------------------------------L0.287-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 2mb total:"
- - "L0 "
- - "L0.?[173,325] 1.03us 2mb |------------------------------------L0.?------------------------------------| "
- - "L0.?[326,348] 1.03us 303kb |--L0.?---| "
- - "**** Simulation run 140, type=split(ReduceOverlap)(split_times=[608]). 1 Input Files, 5mb total:"
- - "L0, all files 5mb "
- - "L0.221[358,629] 1.03us |-----------------------------------------L0.221-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 5mb total:"
- - "L0 "
- - "L0.?[358,608] 1.03us 4mb |--------------------------------------L0.?---------------------------------------| "
- - "L0.?[609,629] 1.03us 374kb |L0.?| "
- - "**** Simulation run 141, type=split(ReduceOverlap)(split_times=[325]). 1 Input Files, 5mb total:"
- - "L0, all files 5mb "
- - "L0.289[50,348] 1.03us |-----------------------------------------L0.289-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 5mb total:"
- - "L0 "
- - "L0.?[50,325] 1.03us 5mb |--------------------------------------L0.?---------------------------------------| "
- - "L0.?[326,348] 1.03us 407kb |L0.?| "
- - "**** Simulation run 142, type=split(ReduceOverlap)(split_times=[608]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.291[358,654] 1.04us |-----------------------------------------L0.291-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[358,608] 1.04us 3mb |-----------------------------------L0.?-----------------------------------| "
- - "L0.?[609,654] 1.04us 552kb |---L0.?----| "
- - "**** Simulation run 143, type=split(ReduceOverlap)(split_times=[325]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.297[42,348] 1.04us |-----------------------------------------L0.297-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[42,325] 1.04us 3mb |--------------------------------------L0.?---------------------------------------| "
- - "L0.?[326,348] 1.04us 249kb |L0.?| "
- - "**** Simulation run 144, type=split(ReduceOverlap)(split_times=[608]). 1 Input Files, 4mb total:"
- - "L0, all files 4mb "
- - "L0.299[358,654] 1.04us |-----------------------------------------L0.299-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
- - "L0 "
- - "L0.?[358,608] 1.04us 3mb |-----------------------------------L0.?-----------------------------------| "
- - "L0.?[609,654] 1.04us 608kb |---L0.?----| "
- - "**** Simulation run 145, type=split(ReduceOverlap)(split_times=[325]). 1 Input Files, 2mb total:"
- - "L0, all files 2mb "
- - "L0.301[173,348] 1.04us |-----------------------------------------L0.301-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 2mb total:"
- - "L0 "
- - "L0.?[173,325] 1.04us 2mb |------------------------------------L0.?------------------------------------| "
- - "L0.?[326,348] 1.04us 303kb |--L0.?---| "
- - "**** Simulation run 146, type=split(ReduceOverlap)(split_times=[608]). 1 Input Files, 5mb total:"
- - "L0, all files 5mb "
- - "L0.235[358,629] 1.04us |-----------------------------------------L0.235-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 5mb total:"
- - "L0 "
- - "L0.?[358,608] 1.04us 4mb |--------------------------------------L0.?---------------------------------------| "
- - "L0.?[609,629] 1.04us 374kb |L0.?| "
- - "**** Simulation run 147, type=split(ReduceOverlap)(split_times=[325]). 1 Input Files, 5mb total:"
- - "L0, all files 5mb "
- - "L0.303[50,348] 1.04us |-----------------------------------------L0.303-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 5mb total:"
- - "L0 "
- - "L0.?[50,325] 1.04us 5mb |--------------------------------------L0.?---------------------------------------| "
- - "L0.?[326,348] 1.04us 407kb |L0.?| "
- - "**** Simulation run 148, type=split(ReduceOverlap)(split_times=[608]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.305[358,654] 1.04us |-----------------------------------------L0.305-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[358,608] 1.04us 3mb |-----------------------------------L0.?-----------------------------------| "
- - "L0.?[609,654] 1.04us 552kb |---L0.?----| "
- - "**** Simulation run 149, type=split(ReduceOverlap)(split_times=[325]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.307[76,348] 1.04us |-----------------------------------------L0.307-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[76,325] 1.04us 3mb |--------------------------------------L0.?--------------------------------------| "
- - "L0.?[326,348] 1.04us 275kb |L0.?-| "
- - "**** Simulation run 150, type=split(ReduceOverlap)(split_times=[608]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.309[358,654] 1.04us |-----------------------------------------L0.309-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[358,608] 1.04us 3mb |-----------------------------------L0.?-----------------------------------| "
- - "L0.?[609,654] 1.04us 501kb |---L0.?----| "
- - "**** Simulation run 151, type=split(ReduceOverlap)(split_times=[325]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.293[76,348] 1.04us |-----------------------------------------L0.293-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[76,325] 1.04us 3mb |--------------------------------------L0.?--------------------------------------| "
- - "L0.?[326,348] 1.04us 275kb |L0.?-| "
- - "**** Simulation run 152, type=split(ReduceOverlap)(split_times=[608]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.295[358,654] 1.04us |-----------------------------------------L0.295-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[358,608] 1.04us 3mb |-----------------------------------L0.?-----------------------------------| "
- - "L0.?[609,654] 1.04us 501kb |---L0.?----| "
- - "**** Simulation run 153, type=split(ReduceOverlap)(split_times=[325]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.311[42,348] 1.04us |-----------------------------------------L0.311-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[42,325] 1.04us 3mb |--------------------------------------L0.?---------------------------------------| "
- - "L0.?[326,348] 1.04us 249kb |L0.?| "
- - "**** Simulation run 154, type=split(ReduceOverlap)(split_times=[608]). 1 Input Files, 4mb total:"
- - "L0, all files 4mb "
- - "L0.313[358,654] 1.04us |-----------------------------------------L0.313-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
- - "L0 "
- - "L0.?[358,608] 1.04us 3mb |-----------------------------------L0.?-----------------------------------| "
- - "L0.?[609,654] 1.04us 608kb |---L0.?----| "
- - "**** Simulation run 155, type=split(ReduceOverlap)(split_times=[325]). 1 Input Files, 2mb total:"
- - "L0, all files 2mb "
- - "L0.315[173,348] 1.04us |-----------------------------------------L0.315-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 2mb total:"
- - "L0 "
- - "L0.?[173,325] 1.04us 2mb |------------------------------------L0.?------------------------------------| "
- - "L0.?[326,348] 1.04us 303kb |--L0.?---| "
- - "**** Simulation run 156, type=split(ReduceOverlap)(split_times=[608]). 1 Input Files, 5mb total:"
- - "L0, all files 5mb "
- - "L0.249[358,629] 1.04us |-----------------------------------------L0.249-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 5mb total:"
- - "L0 "
- - "L0.?[358,608] 1.04us 4mb |--------------------------------------L0.?---------------------------------------| "
- - "L0.?[609,629] 1.04us 374kb |L0.?| "
- - "**** Simulation run 157, type=split(ReduceOverlap)(split_times=[325]). 1 Input Files, 5mb total:"
- - "L0, all files 5mb "
- - "L0.317[50,348] 1.04us |-----------------------------------------L0.317-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 5mb total:"
- - "L0 "
- - "L0.?[50,325] 1.04us 5mb |--------------------------------------L0.?---------------------------------------| "
- - "L0.?[326,348] 1.04us 407kb |L0.?| "
- - "**** Simulation run 158, type=split(ReduceOverlap)(split_times=[608]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.319[358,654] 1.04us |-----------------------------------------L0.319-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[358,608] 1.04us 3mb |-----------------------------------L0.?-----------------------------------| "
- - "L0.?[609,654] 1.04us 552kb |---L0.?----| "
- - "**** Simulation run 159, type=split(ReduceOverlap)(split_times=[325]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.321[76,348] 1.04us |-----------------------------------------L0.321-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[76,325] 1.04us 3mb |--------------------------------------L0.?--------------------------------------| "
- - "L0.?[326,348] 1.04us 275kb |L0.?-| "
- - "**** Simulation run 160, type=split(ReduceOverlap)(split_times=[608]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.323[358,654] 1.05us |-----------------------------------------L0.323-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[358,608] 1.05us 3mb |-----------------------------------L0.?-----------------------------------| "
- - "L0.?[609,654] 1.05us 501kb |---L0.?----| "
- - "**** Simulation run 161, type=split(ReduceOverlap)(split_times=[325]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.325[42,348] 1.05us |-----------------------------------------L0.325-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[42,325] 1.05us 3mb |--------------------------------------L0.?---------------------------------------| "
- - "L0.?[326,348] 1.05us 249kb |L0.?| "
- - "**** Simulation run 162, type=split(ReduceOverlap)(split_times=[608]). 1 Input Files, 4mb total:"
- - "L0, all files 4mb "
- - "L0.327[358,654] 1.05us |-----------------------------------------L0.327-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
- - "L0 "
- - "L0.?[358,608] 1.05us 3mb |-----------------------------------L0.?-----------------------------------| "
- - "L0.?[609,654] 1.05us 608kb |---L0.?----| "
- - "**** Simulation run 163, type=split(ReduceOverlap)(split_times=[325]). 1 Input Files, 2mb total:"
- - "L0, all files 2mb "
- - "L0.329[173,348] 1.05us |-----------------------------------------L0.329-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 2mb total:"
- - "L0 "
- - "L0.?[173,325] 1.05us 2mb |------------------------------------L0.?------------------------------------| "
- - "L0.?[326,348] 1.05us 303kb |--L0.?---| "
- - "**** Simulation run 164, type=split(ReduceOverlap)(split_times=[608]). 1 Input Files, 5mb total:"
- - "L0, all files 5mb "
- - "L0.263[358,629] 1.05us |-----------------------------------------L0.263-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 5mb total:"
- - "L0 "
- - "L0.?[358,608] 1.05us 4mb |--------------------------------------L0.?---------------------------------------| "
- - "L0.?[609,629] 1.05us 374kb |L0.?| "
- - "**** Simulation run 165, type=split(ReduceOverlap)(split_times=[325]). 1 Input Files, 5mb total:"
- - "L0, all files 5mb "
- - "L0.331[50,348] 1.05us |-----------------------------------------L0.331-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 5mb total:"
- - "L0 "
- - "L0.?[50,325] 1.05us 5mb |--------------------------------------L0.?---------------------------------------| "
- - "L0.?[326,348] 1.05us 407kb |L0.?| "
- - "**** Simulation run 166, type=split(ReduceOverlap)(split_times=[608]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.333[358,654] 1.05us |-----------------------------------------L0.333-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[358,608] 1.05us 3mb |-----------------------------------L0.?-----------------------------------| "
- - "L0.?[609,654] 1.05us 552kb |---L0.?----| "
- - "**** Simulation run 167, type=split(ReduceOverlap)(split_times=[325]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.335[76,348] 1.05us |-----------------------------------------L0.335-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[76,325] 1.05us 3mb |--------------------------------------L0.?--------------------------------------| "
- - "L0.?[326,348] 1.05us 275kb |L0.?-| "
- - "**** Simulation run 168, type=split(ReduceOverlap)(split_times=[608]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.337[358,654] 1.05us |-----------------------------------------L0.337-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[358,608] 1.05us 3mb |-----------------------------------L0.?-----------------------------------| "
- - "L0.?[609,654] 1.05us 501kb |---L0.?----| "
- - "**** Simulation run 169, type=split(ReduceOverlap)(split_times=[325]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.339[42,348] 1.05us |-----------------------------------------L0.339-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[42,325] 1.05us 3mb |--------------------------------------L0.?---------------------------------------| "
- - "L0.?[326,348] 1.05us 249kb |L0.?| "
- - "Committing partition 1:"
- - " Soft Deleting 34 files: L0.221, L0.235, L0.249, L0.263, L0.281, L0.283, L0.285, L0.287, L0.289, L0.291, L0.293, L0.295, L0.297, L0.299, L0.301, L0.303, L0.305, L0.307, L0.309, L0.311, L0.313, L0.315, L0.317, L0.319, L0.321, L0.323, L0.325, L0.327, L0.329, L0.331, L0.333, L0.335, L0.337, L0.339"
- - " Creating 68 files"
- - "**** Simulation run 170, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[923]). 4 Input Files, 107mb total:"
- - "L0 "
- - "L0.343[673,923] 1.03us 3mb|-------------------------------L0.343--------------------------------| "
- - "L0.344[924,932] 1.03us 109kb |L0.344| "
- - "L1 "
- - "L1.341[673,923] 1.03us 83mb|-------------------------------L1.341--------------------------------| "
- - "L1.342[924,986] 1.03us 21mb |----L1.342-----| "
- - "**** 2 Output Files (parquet_file_id not yet assigned), 107mb total:"
- - "L1 "
- - "L1.?[673,923] 1.03us 85mb|--------------------------------L1.?---------------------------------| "
- - "L1.?[924,986] 1.03us 21mb |-----L1.?------| "
- - "Committing partition 1:"
- - " Soft Deleting 4 files: L1.341, L1.342, L0.343, L0.344"
- - " Creating 2 files"
- - "**** Simulation run 171, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[317, 592]). 11 Input Files, 230mb total:"
- - "L0 "
- - "L0.376[42,325] 1.03us 3mb|----------------L0.376----------------| "
- - "L0.377[326,348] 1.03us 249kb |L0.377| "
- - "L0.284[349,356] 1.03us 87kb |L0.284| "
- - "L0.214[357,357] 1.03us 0b |L0.214| "
- - "L0.374[358,608] 1.03us 3mb |-------------L0.374--------------| "
- - "L0.375[609,654] 1.03us 501kb |L0.375| "
- - "L0.282[655,670] 1.03us 174kb |L0.282|"
- - "L0.212[671,672] 1.03us 11kb |L0.212|"
- - "L1 "
- - "L1.371[42,325] 1.03us 100mb|----------------L1.371----------------| "
- - "L1.372[326,608] 1.03us 100mb |----------------L1.372----------------| "
- - "L1.373[609,672] 1.03us 23mb |L1.373-|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 230mb total:"
- - "L1 "
- - "L1.?[42,317] 1.03us 100mb|----------------L1.?-----------------| "
- - "L1.?[318,592] 1.03us 100mb |----------------L1.?-----------------| "
- - "L1.?[593,672] 1.03us 30mb |--L1.?---| "
- - "Committing partition 1:"
- - " Soft Deleting 11 files: L0.212, L0.214, L0.282, L0.284, L1.371, L1.372, L1.373, L0.374, L0.375, L0.376, L0.377"
- - " Creating 3 files"
- - "**** Simulation run 172, type=split(ReduceOverlap)(split_times=[592]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.378[358,608] 1.03us |-----------------------------------------L0.378-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[358,592] 1.03us 3mb |---------------------------------------L0.?---------------------------------------| "
- - "L0.?[593,608] 1.03us 212kb |L0.?|"
- - "**** Simulation run 173, type=split(ReduceOverlap)(split_times=[317]). 1 Input Files, 2mb total:"
- - "L0, all files 2mb "
- - "L0.380[173,325] 1.03us |-----------------------------------------L0.380-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 2mb total:"
- - "L0 "
- - "L0.?[173,317] 1.03us 2mb |---------------------------------------L0.?----------------------------------------| "
- - "L0.?[318,325] 1.03us 105kb |L0.?|"
- - "**** Simulation run 174, type=split(ReduceOverlap)(split_times=[592]). 1 Input Files, 4mb total:"
- - "L0, all files 4mb "
- - "L0.382[358,608] 1.03us |-----------------------------------------L0.382-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
- - "L0 "
- - "L0.?[358,592] 1.03us 4mb |---------------------------------------L0.?---------------------------------------| "
- - "L0.?[593,608] 1.03us 285kb |L0.?|"
- - "**** Simulation run 175, type=split(ReduceOverlap)(split_times=[317]). 1 Input Files, 5mb total:"
- - "L0, all files 5mb "
- - "L0.384[50,325] 1.03us |-----------------------------------------L0.384-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 5mb total:"
- - "L0 "
- - "L0.?[50,317] 1.03us 5mb |----------------------------------------L0.?-----------------------------------------| "
- - "L0.?[318,325] 1.03us 141kb |L0.?|"
- - "**** Simulation run 176, type=split(ReduceOverlap)(split_times=[592]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.386[358,608] 1.04us |-----------------------------------------L0.386-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[358,592] 1.04us 3mb |---------------------------------------L0.?---------------------------------------| "
- - "L0.?[593,608] 1.04us 192kb |L0.?|"
- - "**** Simulation run 177, type=split(ReduceOverlap)(split_times=[317]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.404[76,325] 1.04us |-----------------------------------------L0.404-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[76,317] 1.04us 3mb |----------------------------------------L0.?-----------------------------------------| "
- - "L0.?[318,325] 1.04us 96kb |L0.?|"
- - "**** Simulation run 178, type=split(ReduceOverlap)(split_times=[592]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.406[358,608] 1.04us |-----------------------------------------L0.406-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[358,592] 1.04us 2mb |---------------------------------------L0.?---------------------------------------| "
- - "L0.?[593,608] 1.04us 174kb |L0.?|"
- - "**** Simulation run 179, type=split(ReduceOverlap)(split_times=[317]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.388[42,325] 1.04us |-----------------------------------------L0.388-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[42,317] 1.04us 3mb |----------------------------------------L0.?-----------------------------------------| "
- - "L0.?[318,325] 1.04us 87kb |L0.?|"
- - "**** Simulation run 180, type=split(ReduceOverlap)(split_times=[592]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.390[358,608] 1.04us |-----------------------------------------L0.390-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[358,592] 1.04us 3mb |---------------------------------------L0.?---------------------------------------| "
- - "L0.?[593,608] 1.04us 212kb |L0.?|"
- - "**** Simulation run 181, type=split(ReduceOverlap)(split_times=[317]). 1 Input Files, 2mb total:"
- - "L0, all files 2mb "
- - "L0.392[173,325] 1.04us |-----------------------------------------L0.392-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 2mb total:"
- - "L0 "
- - "L0.?[173,317] 1.04us 2mb |---------------------------------------L0.?----------------------------------------| "
- - "L0.?[318,325] 1.04us 105kb |L0.?|"
- - "**** Simulation run 182, type=split(ReduceOverlap)(split_times=[592]). 1 Input Files, 4mb total:"
- - "L0, all files 4mb "
- - "L0.394[358,608] 1.04us |-----------------------------------------L0.394-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
- - "L0 "
- - "L0.?[358,592] 1.04us 4mb |---------------------------------------L0.?---------------------------------------| "
- - "L0.?[593,608] 1.04us 285kb |L0.?|"
- - "**** Simulation run 183, type=split(ReduceOverlap)(split_times=[317]). 1 Input Files, 5mb total:"
- - "L0, all files 5mb "
- - "L0.396[50,325] 1.04us |-----------------------------------------L0.396-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 5mb total:"
- - "L0 "
- - "L0.?[50,317] 1.04us 5mb |----------------------------------------L0.?-----------------------------------------| "
- - "L0.?[318,325] 1.04us 141kb |L0.?|"
- - "**** Simulation run 184, type=split(ReduceOverlap)(split_times=[592]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.398[358,608] 1.04us |-----------------------------------------L0.398-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[358,592] 1.04us 3mb |---------------------------------------L0.?---------------------------------------| "
- - "L0.?[593,608] 1.04us 192kb |L0.?|"
- - "**** Simulation run 185, type=split(ReduceOverlap)(split_times=[317]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.400[76,325] 1.04us |-----------------------------------------L0.400-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[76,317] 1.04us 3mb |----------------------------------------L0.?-----------------------------------------| "
- - "L0.?[318,325] 1.04us 96kb |L0.?|"
- - "**** Simulation run 186, type=split(ReduceOverlap)(split_times=[592]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.402[358,608] 1.04us |-----------------------------------------L0.402-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[358,592] 1.04us 2mb |---------------------------------------L0.?---------------------------------------| "
- - "L0.?[593,608] 1.04us 174kb |L0.?|"
- - "**** Simulation run 187, type=split(ReduceOverlap)(split_times=[317]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.408[42,325] 1.04us |-----------------------------------------L0.408-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[42,317] 1.04us 3mb |----------------------------------------L0.?-----------------------------------------| "
- - "L0.?[318,325] 1.04us 87kb |L0.?|"
- - "**** Simulation run 188, type=split(ReduceOverlap)(split_times=[592]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.410[358,608] 1.04us |-----------------------------------------L0.410-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[358,592] 1.04us 3mb |---------------------------------------L0.?---------------------------------------| "
- - "L0.?[593,608] 1.04us 212kb |L0.?|"
- - "**** Simulation run 189, type=split(ReduceOverlap)(split_times=[317]). 1 Input Files, 2mb total:"
- - "L0, all files 2mb "
- - "L0.412[173,325] 1.04us |-----------------------------------------L0.412-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 2mb total:"
- - "L0 "
- - "L0.?[173,317] 1.04us 2mb |---------------------------------------L0.?----------------------------------------| "
- - "L0.?[318,325] 1.04us 105kb |L0.?|"
- - "**** Simulation run 190, type=split(ReduceOverlap)(split_times=[592]). 1 Input Files, 4mb total:"
- - "L0, all files 4mb "
- - "L0.414[358,608] 1.04us |-----------------------------------------L0.414-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
- - "L0 "
- - "L0.?[358,592] 1.04us 4mb |---------------------------------------L0.?---------------------------------------| "
- - "L0.?[593,608] 1.04us 285kb |L0.?|"
- - "**** Simulation run 191, type=split(ReduceOverlap)(split_times=[317]). 1 Input Files, 5mb total:"
- - "L0, all files 5mb "
- - "L0.416[50,325] 1.04us |-----------------------------------------L0.416-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 5mb total:"
- - "L0 "
- - "L0.?[50,317] 1.04us 5mb |----------------------------------------L0.?-----------------------------------------| "
- - "L0.?[318,325] 1.04us 141kb |L0.?|"
- - "**** Simulation run 192, type=split(ReduceOverlap)(split_times=[592]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.418[358,608] 1.04us |-----------------------------------------L0.418-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[358,592] 1.04us 3mb |---------------------------------------L0.?---------------------------------------| "
- - "L0.?[593,608] 1.04us 192kb |L0.?|"
- - "**** Simulation run 193, type=split(ReduceOverlap)(split_times=[317]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.420[76,325] 1.04us |-----------------------------------------L0.420-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[76,317] 1.04us 3mb |----------------------------------------L0.?-----------------------------------------| "
- - "L0.?[318,325] 1.04us 96kb |L0.?|"
- - "**** Simulation run 194, type=split(ReduceOverlap)(split_times=[592]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.422[358,608] 1.05us |-----------------------------------------L0.422-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[358,592] 1.05us 2mb |---------------------------------------L0.?---------------------------------------| "
- - "L0.?[593,608] 1.05us 174kb |L0.?|"
- - "**** Simulation run 195, type=split(ReduceOverlap)(split_times=[317]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.424[42,325] 1.05us |-----------------------------------------L0.424-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[42,317] 1.05us 3mb |----------------------------------------L0.?-----------------------------------------| "
- - "L0.?[318,325] 1.05us 87kb |L0.?|"
- - "**** Simulation run 196, type=split(ReduceOverlap)(split_times=[592]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.426[358,608] 1.05us |-----------------------------------------L0.426-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[358,592] 1.05us 3mb |---------------------------------------L0.?---------------------------------------| "
- - "L0.?[593,608] 1.05us 212kb |L0.?|"
- - "**** Simulation run 197, type=split(ReduceOverlap)(split_times=[317]). 1 Input Files, 2mb total:"
- - "L0, all files 2mb "
- - "L0.428[173,325] 1.05us |-----------------------------------------L0.428-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 2mb total:"
- - "L0 "
- - "L0.?[173,317] 1.05us 2mb |---------------------------------------L0.?----------------------------------------| "
- - "L0.?[318,325] 1.05us 105kb |L0.?|"
- - "**** Simulation run 198, type=split(ReduceOverlap)(split_times=[592]). 1 Input Files, 4mb total:"
- - "L0, all files 4mb "
- - "L0.430[358,608] 1.05us |-----------------------------------------L0.430-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
- - "L0 "
- - "L0.?[358,592] 1.05us 4mb |---------------------------------------L0.?---------------------------------------| "
- - "L0.?[593,608] 1.05us 285kb |L0.?|"
- - "**** Simulation run 199, type=split(ReduceOverlap)(split_times=[317]). 1 Input Files, 5mb total:"
- - "L0, all files 5mb "
- - "L0.432[50,325] 1.05us |-----------------------------------------L0.432-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 5mb total:"
- - "L0 "
- - "L0.?[50,317] 1.05us 5mb |----------------------------------------L0.?-----------------------------------------| "
- - "L0.?[318,325] 1.05us 141kb |L0.?|"
- - "**** Simulation run 200, type=split(ReduceOverlap)(split_times=[592]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.434[358,608] 1.05us |-----------------------------------------L0.434-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[358,592] 1.05us 3mb |---------------------------------------L0.?---------------------------------------| "
- - "L0.?[593,608] 1.05us 192kb |L0.?|"
- - "**** Simulation run 201, type=split(ReduceOverlap)(split_times=[317]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.436[76,325] 1.05us |-----------------------------------------L0.436-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[76,317] 1.05us 3mb |----------------------------------------L0.?-----------------------------------------| "
- - "L0.?[318,325] 1.05us 96kb |L0.?|"
- - "**** Simulation run 202, type=split(ReduceOverlap)(split_times=[592]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.438[358,608] 1.05us |-----------------------------------------L0.438-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[358,592] 1.05us 2mb |---------------------------------------L0.?---------------------------------------| "
- - "L0.?[593,608] 1.05us 174kb |L0.?|"
- - "**** Simulation run 203, type=split(ReduceOverlap)(split_times=[317]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.440[42,325] 1.05us |-----------------------------------------L0.440-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[42,317] 1.05us 3mb |----------------------------------------L0.?-----------------------------------------| "
- - "L0.?[318,325] 1.05us 87kb |L0.?|"
- - "Committing partition 1:"
- - " Soft Deleting 32 files: L0.378, L0.380, L0.382, L0.384, L0.386, L0.388, L0.390, L0.392, L0.394, L0.396, L0.398, L0.400, L0.402, L0.404, L0.406, L0.408, L0.410, L0.412, L0.414, L0.416, L0.418, L0.420, L0.422, L0.424, L0.426, L0.428, L0.430, L0.432, L0.434, L0.436, L0.438, L0.440"
- - " Creating 64 files"
- - "**** Simulation run 204, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[923]). 4 Input Files, 110mb total:"
- - "L0 "
- - "L0.345[673,923] 1.03us 3mb|-------------------------------L0.345--------------------------------| "
- - "L0.346[924,986] 1.03us 690kb |----L0.346-----| "
- - "L1 "
- - "L1.442[673,923] 1.03us 85mb|-------------------------------L1.442--------------------------------| "
- - "L1.443[924,986] 1.03us 21mb |----L1.443-----| "
- - "**** 2 Output Files (parquet_file_id not yet assigned), 110mb total:"
- - "L1 "
- - "L1.?[673,923] 1.03us 88mb|--------------------------------L1.?---------------------------------| "
- - "L1.?[924,986] 1.03us 22mb |-----L1.?------| "
- - "Committing partition 1:"
- - " Soft Deleting 4 files: L0.345, L0.346, L1.442, L1.443"
- - " Creating 2 files"
- - "**** Simulation run 205, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[309, 576]). 13 Input Files, 236mb total:"
- - "L0 "
- - "L0.449[173,317] 1.03us 2mb |------L0.449------| "
- - "L0.450[318,325] 1.03us 105kb |L0.450| "
- - "L0.381[326,348] 1.03us 303kb |L0.381| "
- - "L0.288[349,356] 1.03us 105kb |L0.288| "
- - "L0.218[357,357] 1.03us 0b |L0.218| "
- - "L0.447[358,592] 1.03us 3mb |------------L0.447-------------| "
- - "L0.448[593,608] 1.03us 212kb |L0.448| "
- - "L0.379[609,654] 1.03us 608kb |L0.379| "
- - "L0.286[655,670] 1.03us 212kb |L0.286|"
- - "L0.216[671,672] 1.03us 13kb |L0.216|"
- - "L1 "
- - "L1.444[42,317] 1.03us 100mb|---------------L1.444----------------| "
- - "L1.445[318,592] 1.03us 100mb |---------------L1.445----------------| "
- - "L1.446[593,672] 1.03us 30mb |-L1.446--| "
- - "**** 3 Output Files (parquet_file_id not yet assigned), 236mb total:"
- - "L1 "
- - "L1.?[42,309] 1.03us 100mb|----------------L1.?----------------| "
- - "L1.?[310,576] 1.03us 100mb |----------------L1.?----------------| "
- - "L1.?[577,672] 1.03us 36mb |---L1.?----| "
- - "Committing partition 1:"
- - " Soft Deleting 13 files: L0.216, L0.218, L0.286, L0.288, L0.379, L0.381, L1.444, L1.445, L1.446, L0.447, L0.448, L0.449, L0.450"
- - " Creating 3 files"
- - "**** Simulation run 206, type=split(ReduceOverlap)(split_times=[576]). 1 Input Files, 4mb total:"
- - "L0, all files 4mb "
- - "L0.451[358,592] 1.03us |-----------------------------------------L0.451-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
- - "L0 "
- - "L0.?[358,576] 1.03us 4mb |--------------------------------------L0.?---------------------------------------| "
- - "L0.?[577,592] 1.03us 285kb |L0.?|"
- - "**** Simulation run 207, type=split(ReduceOverlap)(split_times=[309]). 1 Input Files, 5mb total:"
- - "L0, all files 5mb "
- - "L0.453[50,317] 1.03us |-----------------------------------------L0.453-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 5mb total:"
- - "L0 "
- - "L0.?[50,309] 1.03us 4mb |----------------------------------------L0.?-----------------------------------------| "
- - "L0.?[310,317] 1.03us 141kb |L0.?|"
- - "**** Simulation run 208, type=split(ReduceOverlap)(split_times=[576]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.455[358,592] 1.04us |-----------------------------------------L0.455-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[358,576] 1.04us 3mb |--------------------------------------L0.?---------------------------------------| "
- - "L0.?[577,592] 1.04us 192kb |L0.?|"
- - "**** Simulation run 209, type=split(ReduceOverlap)(split_times=[309]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.457[76,317] 1.04us |-----------------------------------------L0.457-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[76,309] 1.04us 3mb |----------------------------------------L0.?-----------------------------------------| "
- - "L0.?[310,317] 1.04us 96kb |L0.?|"
- - "**** Simulation run 210, type=split(ReduceOverlap)(split_times=[576]). 1 Input Files, 2mb total:"
- - "L0, all files 2mb "
- - "L0.459[358,592] 1.04us |-----------------------------------------L0.459-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 2mb total:"
- - "L0 "
- - "L0.?[358,576] 1.04us 2mb |--------------------------------------L0.?---------------------------------------| "
- - "L0.?[577,592] 1.04us 174kb |L0.?|"
- - "**** Simulation run 211, type=split(ReduceOverlap)(split_times=[309]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.461[42,317] 1.04us |-----------------------------------------L0.461-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[42,309] 1.04us 3mb |----------------------------------------L0.?-----------------------------------------| "
- - "L0.?[310,317] 1.04us 87kb |L0.?|"
- - "**** Simulation run 212, type=split(ReduceOverlap)(split_times=[576]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.463[358,592] 1.04us |-----------------------------------------L0.463-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[358,576] 1.04us 3mb |--------------------------------------L0.?---------------------------------------| "
- - "L0.?[577,592] 1.04us 212kb |L0.?|"
- - "**** Simulation run 213, type=split(ReduceOverlap)(split_times=[309]). 1 Input Files, 2mb total:"
- - "L0, all files 2mb "
- - "L0.465[173,317] 1.04us |-----------------------------------------L0.465-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 2mb total:"
- - "L0 "
- - "L0.?[173,309] 1.04us 2mb |---------------------------------------L0.?----------------------------------------| "
- - "L0.?[310,317] 1.04us 105kb |L0.?|"
- - "**** Simulation run 214, type=split(ReduceOverlap)(split_times=[576]). 1 Input Files, 4mb total:"
- - "L0, all files 4mb "
- - "L0.467[358,592] 1.04us |-----------------------------------------L0.467-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
- - "L0 "
- - "L0.?[358,576] 1.04us 4mb |--------------------------------------L0.?---------------------------------------| "
- - "L0.?[577,592] 1.04us 285kb |L0.?|"
- - "**** Simulation run 215, type=split(ReduceOverlap)(split_times=[309]). 1 Input Files, 5mb total:"
- - "L0, all files 5mb "
- - "L0.469[50,317] 1.04us |-----------------------------------------L0.469-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 5mb total:"
- - "L0 "
- - "L0.?[50,309] 1.04us 4mb |----------------------------------------L0.?-----------------------------------------| "
- - "L0.?[310,317] 1.04us 141kb |L0.?|"
- - "**** Simulation run 216, type=split(ReduceOverlap)(split_times=[576]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.471[358,592] 1.04us |-----------------------------------------L0.471-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[358,576] 1.04us 3mb |--------------------------------------L0.?---------------------------------------| "
- - "L0.?[577,592] 1.04us 192kb |L0.?|"
- - "**** Simulation run 217, type=split(ReduceOverlap)(split_times=[309]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.473[76,317] 1.04us |-----------------------------------------L0.473-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[76,309] 1.04us 3mb |----------------------------------------L0.?-----------------------------------------| "
- - "L0.?[310,317] 1.04us 96kb |L0.?|"
- - "**** Simulation run 218, type=split(ReduceOverlap)(split_times=[576]). 1 Input Files, 2mb total:"
- - "L0, all files 2mb "
- - "L0.475[358,592] 1.04us |-----------------------------------------L0.475-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 2mb total:"
- - "L0 "
- - "L0.?[358,576] 1.04us 2mb |--------------------------------------L0.?---------------------------------------| "
- - "L0.?[577,592] 1.04us 174kb |L0.?|"
- - "**** Simulation run 219, type=split(ReduceOverlap)(split_times=[309]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.477[42,317] 1.04us |-----------------------------------------L0.477-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[42,309] 1.04us 3mb |----------------------------------------L0.?-----------------------------------------| "
- - "L0.?[310,317] 1.04us 87kb |L0.?|"
- - "**** Simulation run 220, type=split(ReduceOverlap)(split_times=[576]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.479[358,592] 1.04us |-----------------------------------------L0.479-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
- - "L0 "
- - "L0.?[358,576] 1.04us 3mb |--------------------------------------L0.?---------------------------------------| "
- - "L0.?[577,592] 1.04us 212kb |L0.?|"
- - "**** Simulation run 221, type=split(ReduceOverlap)(split_times=[309]). 1 Input Files, 2mb total:"
- - "L0, all files 2mb "
- - "L0.481[173,317] 1.04us |-----------------------------------------L0.481-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 2mb total:"
- - "L0 "
- - "L0.?[173,309] 1.04us 2mb |---------------------------------------L0.?----------------------------------------| "
- - "L0.?[310,317] 1.04us 105kb |L0.?|"
- - "**** Simulation run 222, type=split(ReduceOverlap)(split_times=[576]). 1 Input Files, 4mb total:"
- - "L0, all files 4mb "
- - "L0.483[358,592] 1.04us |-----------------------------------------L0.483-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
+ - "**** Simulation run 4, type=split(HighL0OverlapSingleFile)(split_times=[670]). 1 Input Files, 100mb total:"
+ - "L0, all files 100mb "
+ - "L0.54[515,986] 1.02us |-----------------------------------------L0.54------------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
- "L0 "
- - "L0.?[358,576] 1.04us 4mb |--------------------------------------L0.?---------------------------------------| "
- - "L0.?[577,592] 1.04us 285kb |L0.?|"
- - "**** Simulation run 223, type=split(ReduceOverlap)(split_times=[309]). 1 Input Files, 5mb total:"
- - "L0, all files 5mb "
- - "L0.485[50,317] 1.04us |-----------------------------------------L0.485-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 5mb total:"
+ - "L0.?[515,670] 1.02us 33mb|-----------L0.?------------| "
+ - "L0.?[671,986] 1.02us 67mb |---------------------------L0.?---------------------------| "
+ - "**** Simulation run 5, type=split(HighL0OverlapSingleFile)(split_times=[356]). 1 Input Files, 100mb total:"
+ - "L0, all files 100mb "
+ - "L0.53[42,514] 1.02us |-----------------------------------------L0.53------------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
- "L0 "
- - "L0.?[50,309] 1.04us 4mb |----------------------------------------L0.?-----------------------------------------| "
- - "L0.?[310,317] 1.04us 141kb |L0.?|"
- - "**** Simulation run 224, type=split(ReduceOverlap)(split_times=[576]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.487[358,592] 1.04us |-----------------------------------------L0.487-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
+ - "L0.?[42,356] 1.02us 67mb |--------------------------L0.?---------------------------| "
+ - "L0.?[357,514] 1.02us 33mb |-----------L0.?------------| "
+ - "**** Simulation run 6, type=split(HighL0OverlapSingleFile)(split_times=[670]). 1 Input Files, 100mb total:"
+ - "L0, all files 100mb "
+ - "L0.56[515,986] 1.04us |-----------------------------------------L0.56------------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
- "L0 "
- - "L0.?[358,576] 1.04us 3mb |--------------------------------------L0.?---------------------------------------| "
- - "L0.?[577,592] 1.04us 192kb |L0.?|"
- - "**** Simulation run 225, type=split(ReduceOverlap)(split_times=[309]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.489[76,317] 1.04us |-----------------------------------------L0.489-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
+ - "L0.?[515,670] 1.04us 33mb|-----------L0.?------------| "
+ - "L0.?[671,986] 1.04us 67mb |---------------------------L0.?---------------------------| "
+ - "**** Simulation run 7, type=split(HighL0OverlapSingleFile)(split_times=[356]). 1 Input Files, 100mb total:"
+ - "L0, all files 100mb "
+ - "L0.55[42,514] 1.04us |-----------------------------------------L0.55------------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
- "L0 "
- - "L0.?[76,309] 1.04us 3mb |----------------------------------------L0.?-----------------------------------------| "
- - "L0.?[310,317] 1.04us 96kb |L0.?|"
- - "**** Simulation run 226, type=split(ReduceOverlap)(split_times=[576]). 1 Input Files, 2mb total:"
- - "L0, all files 2mb "
- - "L0.491[358,592] 1.05us |-----------------------------------------L0.491-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 2mb total:"
+ - "L0.?[42,356] 1.04us 67mb |--------------------------L0.?---------------------------| "
+ - "L0.?[357,514] 1.04us 33mb |-----------L0.?------------| "
+ - "**** Simulation run 8, type=split(HighL0OverlapSingleFile)(split_times=[356, 670]). 1 Input Files, 80mb total:"
+ - "L0, all files 80mb "
+ - "L0.57[42,797] 1.05us |-----------------------------------------L0.57------------------------------------------|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 80mb total:"
- "L0 "
- - "L0.?[358,576] 1.05us 2mb |--------------------------------------L0.?---------------------------------------| "
- - "L0.?[577,592] 1.05us 174kb |L0.?|"
- - "**** Simulation run 227, type=split(ReduceOverlap)(split_times=[309]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.493[42,317] 1.05us |-----------------------------------------L0.493-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
+ - "L0.?[42,356] 1.05us 33mb |---------------L0.?----------------| "
+ - "L0.?[357,670] 1.05us 33mb |---------------L0.?----------------| "
+ - "L0.?[671,797] 1.05us 14mb |----L0.?-----| "
+ - "Committing partition 1:"
+ - " Soft Deleting 5 files: L0.53, L0.54, L0.55, L0.56, L0.57"
+ - " Creating 11 files"
+ - "**** Simulation run 9, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[357, 714]). 6 Input Files, 277mb total:"
+ - "L0 "
+ - "L0.52[0,1] 999ns 10mb |L0.52| "
+ - "L0.61[42,356] 1.02us 67mb |----------L0.61-----------| "
+ - "L0.62[357,514] 1.02us 33mb |---L0.62----| "
+ - "L0.59[515,670] 1.02us 33mb |---L0.59----| "
+ - "L0.60[671,986] 1.02us 67mb |----------L0.60-----------| "
+ - "L0.65[42,356] 1.04us 67mb |----------L0.65-----------| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 277mb total:"
+ - "L1 "
+ - "L1.?[0,357] 1.04us 100mb |-------------L1.?-------------| "
+ - "L1.?[358,714] 1.04us 100mb |-------------L1.?-------------| "
+ - "L1.?[715,986] 1.04us 77mb |---------L1.?---------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 6 files: L0.52, L0.59, L0.60, L0.61, L0.62, L0.65"
+ - " Creating 3 files"
+ - "**** Simulation run 10, type=split(ReduceOverlap)(split_times=[714]). 1 Input Files, 67mb total:"
+ - "L0, all files 67mb "
+ - "L0.64[671,986] 1.04us |-----------------------------------------L0.64------------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 67mb total:"
+ - "L0 "
+ - "L0.?[671,714] 1.04us 9mb |---L0.?---| "
+ - "L0.?[715,986] 1.04us 58mb |-----------------------------------L0.?------------------------------------| "
+ - "**** Simulation run 11, type=split(ReduceOverlap)(split_times=[357]). 1 Input Files, 33mb total:"
+ - "L0, all files 33mb "
+ - "L0.66[357,514] 1.04us |-----------------------------------------L0.66------------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 33mb total:"
- "L0 "
- - "L0.?[42,309] 1.05us 3mb |----------------------------------------L0.?-----------------------------------------| "
- - "L0.?[310,317] 1.05us 87kb |L0.?|"
- - "**** Simulation run 228, type=split(ReduceOverlap)(split_times=[576]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.495[358,592] 1.05us |-----------------------------------------L0.495-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
+ - "L0.?[357,357] 1.04us 0b |L0.?| "
+ - "L0.?[358,514] 1.04us 33mb|-----------------------------------------L0.?------------------------------------------| "
+ - "**** Simulation run 12, type=split(ReduceOverlap)(split_times=[714]). 1 Input Files, 14mb total:"
+ - "L0, all files 14mb "
+ - "L0.69[671,797] 1.05us |-----------------------------------------L0.69------------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 14mb total:"
+ - "L0 "
+ - "L0.?[671,714] 1.05us 5mb |------------L0.?------------| "
+ - "L0.?[715,797] 1.05us 9mb |--------------------------L0.?--------------------------| "
+ - "**** Simulation run 13, type=split(ReduceOverlap)(split_times=[357]). 1 Input Files, 33mb total:"
+ - "L0, all files 33mb "
+ - "L0.68[357,670] 1.05us |-----------------------------------------L0.68------------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 33mb total:"
- "L0 "
- - "L0.?[358,576] 1.05us 3mb |--------------------------------------L0.?---------------------------------------| "
- - "L0.?[577,592] 1.05us 212kb |L0.?|"
- - "**** Simulation run 229, type=split(ReduceOverlap)(split_times=[309]). 1 Input Files, 2mb total:"
- - "L0, all files 2mb "
- - "L0.497[173,317] 1.05us |-----------------------------------------L0.497-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 2mb total:"
+ - "L0.?[357,357] 1.05us 0b |L0.?| "
+ - "L0.?[358,670] 1.05us 33mb|-----------------------------------------L0.?------------------------------------------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 4 files: L0.64, L0.66, L0.68, L0.69"
+ - " Creating 8 files"
+ - "**** Simulation run 14, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[260, 520]). 6 Input Files, 276mb total:"
- "L0 "
- - "L0.?[173,309] 1.05us 2mb |---------------------------------------L0.?----------------------------------------| "
- - "L0.?[310,317] 1.05us 105kb |L0.?|"
- - "**** Simulation run 230, type=split(ReduceOverlap)(split_times=[576]). 1 Input Files, 4mb total:"
- - "L0, all files 4mb "
- - "L0.499[358,592] 1.05us |-----------------------------------------L0.499-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
+ - "L0.75[357,357] 1.04us 0b |L0.75| "
+ - "L0.76[358,514] 1.04us 33mb |------L0.76------| "
+ - "L0.63[515,670] 1.04us 33mb |------L0.63------| "
+ - "L0.73[671,714] 1.04us 9mb |L0.73|"
+ - "L1 "
+ - "L1.70[0,357] 1.04us 100mb|-------------------L1.70-------------------| "
+ - "L1.71[358,714] 1.04us 100mb |------------------L1.71-------------------| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 276mb total:"
+ - "L1 "
+ - "L1.?[0,260] 1.04us 100mb |-------------L1.?-------------| "
+ - "L1.?[261,520] 1.04us 100mb |-------------L1.?-------------| "
+ - "L1.?[521,714] 1.04us 75mb |---------L1.?---------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 6 files: L0.63, L1.70, L1.71, L0.73, L0.75, L0.76"
+ - " Creating 3 files"
+ - "**** Simulation run 15, type=split(ReduceOverlap)(split_times=[520]). 1 Input Files, 33mb total:"
+ - "L0, all files 33mb "
+ - "L0.80[358,670] 1.05us |-----------------------------------------L0.80------------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 33mb total:"
- "L0 "
- - "L0.?[358,576] 1.05us 4mb |--------------------------------------L0.?---------------------------------------| "
- - "L0.?[577,592] 1.05us 285kb |L0.?|"
- - "**** Simulation run 231, type=split(ReduceOverlap)(split_times=[309]). 1 Input Files, 5mb total:"
- - "L0, all files 5mb "
- - "L0.501[50,317] 1.05us |-----------------------------------------L0.501-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 5mb total:"
+ - "L0.?[358,520] 1.05us 17mb|--------------------L0.?--------------------| "
+ - "L0.?[521,670] 1.05us 16mb |------------------L0.?------------------| "
+ - "**** Simulation run 16, type=split(ReduceOverlap)(split_times=[260]). 1 Input Files, 33mb total:"
+ - "L0, all files 33mb "
+ - "L0.67[42,356] 1.05us |-----------------------------------------L0.67------------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 33mb total:"
- "L0 "
- - "L0.?[50,309] 1.05us 4mb |----------------------------------------L0.?-----------------------------------------| "
- - "L0.?[310,317] 1.05us 141kb |L0.?|"
- - "**** Simulation run 232, type=split(ReduceOverlap)(split_times=[576]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.503[358,592] 1.05us |-----------------------------------------L0.503-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
+ - "L0.?[42,260] 1.05us 23mb |----------------------------L0.?----------------------------| "
+ - "L0.?[261,356] 1.05us 10mb |----------L0.?-----------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 2 files: L0.67, L0.80"
+ - " Creating 4 files"
+ - "**** Simulation run 17, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[917]). 2 Input Files, 134mb total:"
- "L0 "
- - "L0.?[358,576] 1.05us 3mb |--------------------------------------L0.?---------------------------------------| "
- - "L0.?[577,592] 1.05us 192kb |L0.?|"
- - "**** Simulation run 233, type=split(ReduceOverlap)(split_times=[309]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.505[76,317] 1.05us |-----------------------------------------L0.505-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
+ - "L0.74[715,986] 1.04us 58mb|-----------------------------------------L0.74------------------------------------------|"
+ - "L1 "
+ - "L1.72[715,986] 1.04us 77mb|-----------------------------------------L1.72------------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 134mb total:"
+ - "L1 "
+ - "L1.?[715,917] 1.04us 100mb|------------------------------L1.?-------------------------------| "
+ - "L1.?[918,986] 1.04us 34mb |--------L1.?--------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 2 files: L1.72, L0.74"
+ - " Creating 2 files"
+ - "**** Simulation run 18, type=split(ReduceOverlap)(split_times=[917]). 1 Input Files, 20mb total:"
+ - "L0, all files 20mb "
+ - "L0.58[798,986] 1.05us |-----------------------------------------L0.58------------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 20mb total:"
- "L0 "
- - "L0.?[76,309] 1.05us 3mb |----------------------------------------L0.?-----------------------------------------| "
- - "L0.?[310,317] 1.05us 96kb |L0.?|"
- - "**** Simulation run 234, type=split(ReduceOverlap)(split_times=[576]). 1 Input Files, 2mb total:"
- - "L0, all files 2mb "
- - "L0.507[358,592] 1.05us |-----------------------------------------L0.507-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 2mb total:"
+ - "L0.?[798,917] 1.05us 13mb|-------------------------L0.?-------------------------| "
+ - "L0.?[918,986] 1.05us 7mb |-------------L0.?-------------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 1 files: L0.58"
+ - " Creating 2 files"
+ - "**** Simulation run 19, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[208, 416]). 6 Input Files, 251mb total:"
- "L0 "
- - "L0.?[358,576] 1.05us 2mb |--------------------------------------L0.?---------------------------------------| "
- - "L0.?[577,592] 1.05us 174kb |L0.?|"
- - "**** Simulation run 235, type=split(ReduceOverlap)(split_times=[309]). 1 Input Files, 3mb total:"
- - "L0, all files 3mb "
- - "L0.509[42,317] 1.05us |-----------------------------------------L0.509-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
+ - "L0.86[42,260] 1.05us 23mb |---------------L0.86---------------| "
+ - "L0.87[261,356] 1.05us 10mb |----L0.87-----| "
+ - "L0.79[357,357] 1.05us 0b |L0.79| "
+ - "L0.84[358,520] 1.05us 17mb |----------L0.84-----------| "
+ - "L1 "
+ - "L1.81[0,260] 1.04us 100mb|-------------------L1.81-------------------| "
+ - "L1.82[261,520] 1.04us 100mb |------------------L1.82-------------------| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 251mb total:"
+ - "L1 "
+ - "L1.?[0,208] 1.05us 100mb |---------------L1.?---------------| "
+ - "L1.?[209,416] 1.05us 100mb |--------------L1.?---------------| "
+ - "L1.?[417,520] 1.05us 51mb |-----L1.?------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 6 files: L0.79, L1.81, L1.82, L0.84, L0.86, L0.87"
+ - " Creating 3 files"
+ - "**** Simulation run 20, type=split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))(split_times=[701, 881]). 8 Input Files, 259mb total:"
- "L0 "
- - "L0.?[42,309] 1.05us 3mb |----------------------------------------L0.?-----------------------------------------| "
- - "L0.?[310,317] 1.05us 87kb |L0.?|"
+ - "L0.91[918,986] 1.05us 7mb |---L0.91---| "
+ - "L0.90[798,917] 1.05us 13mb |--------L0.90--------| "
+ - "L0.78[715,797] 1.05us 9mb |----L0.78----| "
+ - "L0.77[671,714] 1.05us 5mb |L0.77-| "
+ - "L0.85[521,670] 1.05us 16mb|----------L0.85-----------| "
+ - "L1 "
+ - "L1.83[521,714] 1.04us 75mb|---------------L1.83---------------| "
+ - "L1.89[918,986] 1.04us 34mb |---L1.89---| "
+ - "L1.88[715,917] 1.04us 100mb |----------------L1.88----------------| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 259mb total:"
+ - "L1 "
+ - "L1.?[521,701] 1.05us 100mb|--------------L1.?--------------| "
+ - "L1.?[702,881] 1.05us 100mb |--------------L1.?--------------| "
+ - "L1.?[882,986] 1.05us 59mb |-------L1.?-------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 8 files: L0.77, L0.78, L1.83, L0.85, L1.88, L1.89, L0.90, L0.91"
+ - " Creating 3 files"
+ - "**** Simulation run 21, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[406, 603]). 3 Input Files, 251mb total:"
+ - "L1 "
+ - "L1.93[209,416] 1.05us 100mb|---------------L1.93---------------| "
+ - "L1.94[417,520] 1.05us 51mb |-----L1.94------| "
+ - "L1.95[521,701] 1.05us 100mb |------------L1.95-------------| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 251mb total:"
+ - "L2 "
+ - "L2.?[209,406] 1.05us 100mb|---------------L2.?---------------| "
+ - "L2.?[407,603] 1.05us 100mb |--------------L2.?---------------| "
+ - "L2.?[604,701] 1.05us 50mb |-----L2.?------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 3 files: L1.93, L1.94, L1.95"
+ - " Upgrading 1 files level to CompactionLevel::L2: L1.92"
+ - " Creating 3 files"
+ - "**** Simulation run 22, type=split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))(split_times=[881]). 2 Input Files, 159mb total:"
+ - "L1 "
+ - "L1.97[882,986] 1.05us 59mb |------------L1.97-------------| "
+ - "L1.96[702,881] 1.05us 100mb|------------------------L1.96-------------------------| "
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 159mb total:"
+ - "L2 "
+ - "L2.?[702,881] 1.05us 100mb|-------------------------L2.?-------------------------| "
+ - "L2.?[882,986] 1.05us 59mb |-------------L2.?-------------| "
- "Committing partition 1:"
- - " Soft Deleting 30 files: L0.451, L0.453, L0.455, L0.457, L0.459, L0.461, L0.463, L0.465, L0.467, L0.469, L0.471, L0.473, L0.475, L0.477, L0.479, L0.481, L0.483, L0.485, L0.487, L0.489, L0.491, L0.493, L0.495, L0.497, L0.499, L0.501, L0.503, L0.505, L0.507, L0.509"
- - " Creating 60 files"
- - "**** Simulation run 236, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[657]). 196 Input Files, 154mb total:"
+ - " Soft Deleting 2 files: L1.96, L1.97"
+ - " Creating 2 files"
+ - "**** Final Output Files (2.76gb written)"
+ - "L2 "
+ - "L2.92[0,208] 1.05us 100mb|-----L2.92------| "
+ - "L2.98[209,406] 1.05us 100mb |-----L2.98-----| "
+ - "L2.99[407,603] 1.05us 100mb |-----L2.99-----| "
+ - "L2.100[604,701] 1.05us 50mb |L2.100| "
+ - "L2.101[702,881] 1.05us 100mb |----L2.101----| "
+ - "L2.102[882,986] 1.05us 59mb |L2.102-| "
+ "###
+ );
+}
+
+// This case simulates a backfill scenario with existing data prior to the start of backfill.
+// - we have L2s covering the whole time range of yesterday
+// - the customer starts backfilling more of yesterday's data, writing at random times spread across the day.
+// The result:
+// - We start with compacted L2s covering the day, then get many L0s that each cover much of the day.
+#[tokio::test]
+async fn random_backfill_over_l2s() {
+ test_helpers::maybe_start_logging();
+
+ let setup = layout_setup_builder()
+ .await
+ // compact at most 10 L0 files per plan
+ .with_max_num_files_per_plan(10)
+ .with_max_desired_file_size_bytes(MAX_DESIRED_FILE_SIZE)
+ .with_partition_timeout(Duration::from_secs(10))
+ .build()
+ .await;
+
+ let day = 1000;
+ let num_l2_files = 10;
+ let l2_time = day / num_l2_files;
+ let num_tiny_l0_files = 50;
+ let l2_size = MAX_DESIRED_FILE_SIZE;
+ let l0_size = MAX_DESIRED_FILE_SIZE / 10;
+
+ for i in 0..num_l2_files {
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(i * l2_time)
+ .with_max_time((i + 1) * l2_time - 1)
+ .with_compaction_level(CompactionLevel::Final)
+ .with_file_size_bytes(l2_size)
+ .with_max_l0_created_at(Time::from_timestamp_nanos((i + 1) * l2_time - 1)), // These files are created sequentially "yesterday" with "yesterday's" data
+ )
+ .await;
+ }
+
+ // Assume the "day" is 1000 units of time, make the L0s span most of the day, with a little variability.
+ for i in 0..num_tiny_l0_files {
+ let i = i as i64;
+
+ let mut start_time = 50;
+ let mut end_time = 950;
+ match i % 4 {
+ 0 => {
+ start_time += 26;
+ end_time -= 18;
+ }
+ 1 => {
+ start_time -= 8;
+ end_time += 36;
+ }
+ 2 => {
+ start_time += 123;
+ }
+ 3 => {
+ end_time -= 321;
+ }
+ _ => {}
+ }
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(start_time)
+ .with_max_time(end_time)
+ .with_compaction_level(CompactionLevel::Initial)
+ .with_file_size_bytes(l0_size)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(i + 1000)), // These files are created sequentially "today" with "yesterday's" data
+ )
+ .await;
+ }
+
+ insta::assert_yaml_snapshot!(
+ run_layout_scenario(&setup).await,
+ @r###"
+ ---
+ - "**** Input Files "
- "L0 "
- - "L0.347[673,923] 1.03us 3mb |-------L0.347--------| "
- - "L0.348[924,950] 1.03us 360kb |L0.348|"
- - "L0.518[50,309] 1.03us 4mb|--------L0.518--------| "
- - "L0.519[310,317] 1.03us 141kb |L0.519| "
- - "L0.454[318,325] 1.03us 141kb |L0.454| "
- - "L0.385[326,348] 1.03us 407kb |L0.385| "
- - "L0.290[349,356] 1.03us 141kb |L0.290| "
- - "L0.220[357,357] 1.03us 0b |L0.220| "
- - "L0.516[358,576] 1.03us 4mb |------L0.516------| "
- - "L0.517[577,592] 1.03us 285kb |L0.517| "
- - "L0.452[593,608] 1.03us 285kb |L0.452| "
- - "L0.383[609,629] 1.03us 374kb |L0.383| "
- - "L0.522[76,309] 1.04us 3mb |-------L0.522-------| "
- - "L0.523[310,317] 1.04us 96kb |L0.523| "
- - "L0.458[318,325] 1.04us 96kb |L0.458| "
- - "L0.405[326,348] 1.04us 275kb |L0.405| "
- - "L0.294[349,356] 1.04us 96kb |L0.294| "
- - "L0.224[357,357] 1.04us 0b |L0.224| "
- - "L0.520[358,576] 1.04us 3mb |------L0.520------| "
- - "L0.521[577,592] 1.04us 192kb |L0.521| "
- - "L0.456[593,608] 1.04us 192kb |L0.456| "
- - "L0.387[609,654] 1.04us 552kb |L0.387| "
- - "L0.292[655,670] 1.04us 192kb |L0.292| "
- - "L0.222[671,672] 1.04us 12kb |L0.222| "
- - "L0.349[673,923] 1.04us 3mb |-------L0.349--------| "
- - "L0.350[924,932] 1.04us 109kb |L0.350|"
- - "L0.526[42,309] 1.04us 3mb|--------L0.526---------| "
- - "L0.527[310,317] 1.04us 87kb |L0.527| "
- - "L0.462[318,325] 1.04us 87kb |L0.462| "
- - "L0.389[326,348] 1.04us 249kb |L0.389| "
- - "L0.298[349,356] 1.04us 87kb |L0.298| "
- - "L0.228[357,357] 1.04us 0b |L0.228| "
- - "L0.524[358,576] 1.04us 2mb |------L0.524------| "
- - "L0.525[577,592] 1.04us 174kb |L0.525| "
- - "L0.460[593,608] 1.04us 174kb |L0.460| "
- - "L0.407[609,654] 1.04us 501kb |L0.407| "
- - "L0.296[655,670] 1.04us 174kb |L0.296| "
- - "L0.226[671,672] 1.04us 11kb |L0.226| "
- - "L0.351[673,923] 1.04us 3mb |-------L0.351--------| "
- - "L0.352[924,986] 1.04us 690kb |L0.352|"
- - "L0.530[173,309] 1.04us 2mb |--L0.530--| "
- - "L0.531[310,317] 1.04us 105kb |L0.531| "
- - "L0.466[318,325] 1.04us 105kb |L0.466| "
- - "L0.393[326,348] 1.04us 303kb |L0.393| "
- - "L0.302[349,356] 1.04us 105kb |L0.302| "
- - "L0.232[357,357] 1.04us 0b |L0.232| "
- - "L0.528[358,576] 1.04us 3mb |------L0.528------| "
- - "L0.529[577,592] 1.04us 212kb |L0.529| "
- - "L0.464[593,608] 1.04us 212kb |L0.464| "
- - "L0.391[609,654] 1.04us 608kb |L0.391| "
- - "L0.300[655,670] 1.04us 212kb |L0.300| "
- - "L0.230[671,672] 1.04us 13kb |L0.230| "
- - "L0.353[673,923] 1.04us 3mb |-------L0.353--------| "
- - "L0.354[924,950] 1.04us 360kb |L0.354|"
- - "L0.534[50,309] 1.04us 4mb|--------L0.534--------| "
- - "L0.535[310,317] 1.04us 141kb |L0.535| "
- - "L0.470[318,325] 1.04us 141kb |L0.470| "
- - "L0.397[326,348] 1.04us 407kb |L0.397| "
- - "L0.304[349,356] 1.04us 141kb |L0.304| "
- - "L0.234[357,357] 1.04us 0b |L0.234| "
- - "L0.532[358,576] 1.04us 4mb |------L0.532------| "
- - "L0.533[577,592] 1.04us 285kb |L0.533| "
- - "L0.468[593,608] 1.04us 285kb |L0.468| "
- - "L0.395[609,629] 1.04us 374kb |L0.395| "
- - "L0.538[76,309] 1.04us 3mb |-------L0.538-------| "
- - "L0.539[310,317] 1.04us 96kb |L0.539| "
- - "L0.474[318,325] 1.04us 96kb |L0.474| "
- - "L0.401[326,348] 1.04us 275kb |L0.401| "
- - "L0.308[349,356] 1.04us 96kb |L0.308| "
- - "L0.238[357,357] 1.04us 0b |L0.238| "
- - "L0.536[358,576] 1.04us 3mb |------L0.536------| "
- - "L0.537[577,592] 1.04us 192kb |L0.537| "
- - "L0.472[593,608] 1.04us 192kb |L0.472| "
- - "L0.399[609,654] 1.04us 552kb |L0.399| "
- - "L0.306[655,670] 1.04us 192kb |L0.306| "
- - "L0.236[671,672] 1.04us 12kb |L0.236| "
- - "L0.355[673,923] 1.04us 3mb |-------L0.355--------| "
- - "L0.356[924,932] 1.04us 109kb |L0.356|"
- - "L0.542[42,309] 1.04us 3mb|--------L0.542---------| "
- - "L0.543[310,317] 1.04us 87kb |L0.543| "
- - "L0.478[318,325] 1.04us 87kb |L0.478| "
- - "L0.409[326,348] 1.04us 249kb |L0.409| "
- - "L0.312[349,356] 1.04us 87kb |L0.312| "
- - "L0.242[357,357] 1.04us 0b |L0.242| "
- - "L0.540[358,576] 1.04us 2mb |------L0.540------| "
- - "L0.541[577,592] 1.04us 174kb |L0.541| "
- - "L0.476[593,608] 1.04us 174kb |L0.476| "
- - "L0.403[609,654] 1.04us 501kb |L0.403| "
- - "L0.310[655,670] 1.04us 174kb |L0.310| "
- - "L0.240[671,672] 1.04us 11kb |L0.240| "
- - "L0.357[673,923] 1.04us 3mb |-------L0.357--------| "
- - "L0.358[924,986] 1.04us 690kb |L0.358|"
- - "L0.546[173,309] 1.04us 2mb |--L0.546--| "
- - "L0.547[310,317] 1.04us 105kb |L0.547| "
- - "L0.482[318,325] 1.04us 105kb |L0.482| "
- - "L0.413[326,348] 1.04us 303kb |L0.413| "
- - "L0.316[349,356] 1.04us 105kb |L0.316| "
- - "L0.246[357,357] 1.04us 0b |L0.246| "
- - "L0.544[358,576] 1.04us 3mb |------L0.544------| "
- - "L0.545[577,592] 1.04us 212kb |L0.545| "
- - "L0.480[593,608] 1.04us 212kb |L0.480| "
- - "L0.411[609,654] 1.04us 608kb |L0.411| "
- - "L0.314[655,670] 1.04us 212kb |L0.314| "
- - "L0.244[671,672] 1.04us 13kb |L0.244| "
- - "L0.359[673,923] 1.04us 3mb |-------L0.359--------| "
- - "L0.360[924,950] 1.04us 360kb |L0.360|"
- - "L0.550[50,309] 1.04us 4mb|--------L0.550--------| "
- - "L0.551[310,317] 1.04us 141kb |L0.551| "
- - "L0.486[318,325] 1.04us 141kb |L0.486| "
- - "L0.417[326,348] 1.04us 407kb |L0.417| "
- - "L0.318[349,356] 1.04us 141kb |L0.318| "
- - "L0.248[357,357] 1.04us 0b |L0.248| "
- - "L0.548[358,576] 1.04us 4mb |------L0.548------| "
- - "L0.549[577,592] 1.04us 285kb |L0.549| "
- - "L0.484[593,608] 1.04us 285kb |L0.484| "
- - "L0.415[609,629] 1.04us 374kb |L0.415| "
- - "L0.554[76,309] 1.04us 3mb |-------L0.554-------| "
- - "L0.555[310,317] 1.04us 96kb |L0.555| "
- - "L0.490[318,325] 1.04us 96kb |L0.490| "
- - "L0.421[326,348] 1.04us 275kb |L0.421| "
- - "L0.322[349,356] 1.04us 96kb |L0.322| "
- - "L0.252[357,357] 1.04us 0b |L0.252| "
- - "L0.552[358,576] 1.04us 3mb |------L0.552------| "
- - "L0.553[577,592] 1.04us 192kb |L0.553| "
- - "L0.488[593,608] 1.04us 192kb |L0.488| "
- - "L0.419[609,654] 1.04us 552kb |L0.419| "
- - "L0.320[655,670] 1.04us 192kb |L0.320| "
- - "L0.250[671,672] 1.04us 12kb |L0.250| "
- - "L0.361[673,923] 1.04us 3mb |-------L0.361--------| "
- - "L0.362[924,932] 1.04us 109kb |L0.362|"
- - "L0.558[42,309] 1.05us 3mb|--------L0.558---------| "
- - "L0.559[310,317] 1.05us 87kb |L0.559| "
- - "L0.494[318,325] 1.05us 87kb |L0.494| "
- - "L0.425[326,348] 1.05us 249kb |L0.425| "
- - "L0.326[349,356] 1.05us 87kb |L0.326| "
- - "L0.256[357,357] 1.05us 0b |L0.256| "
- - "L0.556[358,576] 1.05us 2mb |------L0.556------| "
- - "L0.557[577,592] 1.05us 174kb |L0.557| "
- - "L0.492[593,608] 1.05us 174kb |L0.492| "
- - "L0.423[609,654] 1.05us 501kb |L0.423| "
- - "L0.324[655,670] 1.05us 174kb |L0.324| "
- - "L0.254[671,672] 1.05us 11kb |L0.254| "
- - "L0.363[673,923] 1.05us 3mb |-------L0.363--------| "
- - "L0.364[924,986] 1.05us 690kb |L0.364|"
- - "L0.562[173,309] 1.05us 2mb |--L0.562--| "
- - "L0.563[310,317] 1.05us 105kb |L0.563| "
- - "L0.498[318,325] 1.05us 105kb |L0.498| "
- - "L0.429[326,348] 1.05us 303kb |L0.429| "
- - "L0.330[349,356] 1.05us 105kb |L0.330| "
- - "L0.260[357,357] 1.05us 0b |L0.260| "
- - "L0.560[358,576] 1.05us 3mb |------L0.560------| "
- - "L0.561[577,592] 1.05us 212kb |L0.561| "
- - "L0.496[593,608] 1.05us 212kb |L0.496| "
- - "L0.427[609,654] 1.05us 608kb |L0.427| "
- - "L0.328[655,670] 1.05us 212kb |L0.328| "
- - "L0.258[671,672] 1.05us 13kb |L0.258| "
- - "L0.365[673,923] 1.05us 3mb |-------L0.365--------| "
- - "L0.366[924,950] 1.05us 360kb |L0.366|"
- - "L0.566[50,309] 1.05us 4mb|--------L0.566--------| "
- - "L0.567[310,317] 1.05us 141kb |L0.567| "
- - "L0.502[318,325] 1.05us 141kb |L0.502| "
- - "L0.433[326,348] 1.05us 407kb |L0.433| "
- - "L0.332[349,356] 1.05us 141kb |L0.332| "
- - "L0.262[357,357] 1.05us 0b |L0.262| "
- - "L0.564[358,576] 1.05us 4mb |------L0.564------| "
- - "L0.565[577,592] 1.05us 285kb |L0.565| "
- - "L0.500[593,608] 1.05us 285kb |L0.500| "
- - "L0.431[609,629] 1.05us 374kb |L0.431| "
- - "L0.570[76,309] 1.05us 3mb |-------L0.570-------| "
- - "L0.571[310,317] 1.05us 96kb |L0.571| "
- - "L0.506[318,325] 1.05us 96kb |L0.506| "
- - "L0.437[326,348] 1.05us 275kb |L0.437| "
- - "L0.336[349,356] 1.05us 96kb |L0.336| "
- - "L0.266[357,357] 1.05us 0b |L0.266| "
- - "L0.568[358,576] 1.05us 3mb |------L0.568------| "
- - "L0.569[577,592] 1.05us 192kb |L0.569| "
- - "L0.504[593,608] 1.05us 192kb |L0.504| "
- - "L0.435[609,654] 1.05us 552kb |L0.435| "
- - "L0.334[655,670] 1.05us 192kb |L0.334| "
- - "L0.264[671,672] 1.05us 12kb |L0.264| "
- - "L0.367[673,923] 1.05us 3mb |-------L0.367--------| "
- - "L0.368[924,932] 1.05us 109kb |L0.368|"
- - "L0.574[42,309] 1.05us 3mb|--------L0.574---------| "
- - "L0.575[310,317] 1.05us 87kb |L0.575| "
- - "L0.510[318,325] 1.05us 87kb |L0.510| "
- - "L0.441[326,348] 1.05us 249kb |L0.441| "
- - "L0.340[349,356] 1.05us 87kb |L0.340| "
- - "L0.270[357,357] 1.05us 0b |L0.270| "
- - "L0.572[358,576] 1.05us 2mb |------L0.572------| "
- - "L0.573[577,592] 1.05us 174kb |L0.573| "
- - "L0.508[593,608] 1.05us 174kb |L0.508| "
- - "L0.439[609,654] 1.05us 501kb |L0.439| "
- - "L0.338[655,670] 1.05us 174kb |L0.338| "
- - "L0.268[671,672] 1.05us 11kb |L0.268| "
- - "L0.369[673,923] 1.05us 3mb |-------L0.369--------| "
- - "L0.370[924,986] 1.05us 690kb |L0.370|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 154mb total:"
+ - "L0.11[76,932] 1us 10mb |-----------------------------------L0.11-----------------------------------| "
+ - "L0.12[42,986] 1us 10mb |---------------------------------------L0.12---------------------------------------| "
+ - "L0.13[173,950] 1us 10mb |-------------------------------L0.13--------------------------------| "
+ - "L0.14[50,629] 1us 10mb |----------------------L0.14-----------------------| "
+ - "L0.15[76,932] 1us 10mb |-----------------------------------L0.15-----------------------------------| "
+ - "L0.16[42,986] 1us 10mb |---------------------------------------L0.16---------------------------------------| "
+ - "L0.17[173,950] 1.01us 10mb |-------------------------------L0.17--------------------------------| "
+ - "L0.18[50,629] 1.01us 10mb |----------------------L0.18-----------------------| "
+ - "L0.19[76,932] 1.01us 10mb |-----------------------------------L0.19-----------------------------------| "
+ - "L0.20[42,986] 1.01us 10mb |---------------------------------------L0.20---------------------------------------| "
+ - "L0.21[173,950] 1.01us 10mb |-------------------------------L0.21--------------------------------| "
+ - "L0.22[50,629] 1.01us 10mb |----------------------L0.22-----------------------| "
+ - "L0.23[76,932] 1.01us 10mb |-----------------------------------L0.23-----------------------------------| "
+ - "L0.24[42,986] 1.01us 10mb |---------------------------------------L0.24---------------------------------------| "
+ - "L0.25[173,950] 1.01us 10mb |-------------------------------L0.25--------------------------------| "
+ - "L0.26[50,629] 1.01us 10mb |----------------------L0.26-----------------------| "
+ - "L0.27[76,932] 1.02us 10mb |-----------------------------------L0.27-----------------------------------| "
+ - "L0.28[42,986] 1.02us 10mb |---------------------------------------L0.28---------------------------------------| "
+ - "L0.29[173,950] 1.02us 10mb |-------------------------------L0.29--------------------------------| "
+ - "L0.30[50,629] 1.02us 10mb |----------------------L0.30-----------------------| "
+ - "L0.31[76,932] 1.02us 10mb |-----------------------------------L0.31-----------------------------------| "
+ - "L0.32[42,986] 1.02us 10mb |---------------------------------------L0.32---------------------------------------| "
+ - "L0.33[173,950] 1.02us 10mb |-------------------------------L0.33--------------------------------| "
+ - "L0.34[50,629] 1.02us 10mb |----------------------L0.34-----------------------| "
+ - "L0.35[76,932] 1.02us 10mb |-----------------------------------L0.35-----------------------------------| "
+ - "L0.36[42,986] 1.02us 10mb |---------------------------------------L0.36---------------------------------------| "
+ - "L0.37[173,950] 1.03us 10mb |-------------------------------L0.37--------------------------------| "
+ - "L0.38[50,629] 1.03us 10mb |----------------------L0.38-----------------------| "
+ - "L0.39[76,932] 1.03us 10mb |-----------------------------------L0.39-----------------------------------| "
+ - "L0.40[42,986] 1.03us 10mb |---------------------------------------L0.40---------------------------------------| "
+ - "L0.41[173,950] 1.03us 10mb |-------------------------------L0.41--------------------------------| "
+ - "L0.42[50,629] 1.03us 10mb |----------------------L0.42-----------------------| "
+ - "L0.43[76,932] 1.03us 10mb |-----------------------------------L0.43-----------------------------------| "
+ - "L0.44[42,986] 1.03us 10mb |---------------------------------------L0.44---------------------------------------| "
+ - "L0.45[173,950] 1.03us 10mb |-------------------------------L0.45--------------------------------| "
+ - "L0.46[50,629] 1.03us 10mb |----------------------L0.46-----------------------| "
+ - "L0.47[76,932] 1.04us 10mb |-----------------------------------L0.47-----------------------------------| "
+ - "L0.48[42,986] 1.04us 10mb |---------------------------------------L0.48---------------------------------------| "
+ - "L0.49[173,950] 1.04us 10mb |-------------------------------L0.49--------------------------------| "
+ - "L0.50[50,629] 1.04us 10mb |----------------------L0.50-----------------------| "
+ - "L0.51[76,932] 1.04us 10mb |-----------------------------------L0.51-----------------------------------| "
+ - "L0.52[42,986] 1.04us 10mb |---------------------------------------L0.52---------------------------------------| "
+ - "L0.53[173,950] 1.04us 10mb |-------------------------------L0.53--------------------------------| "
+ - "L0.54[50,629] 1.04us 10mb |----------------------L0.54-----------------------| "
+ - "L0.55[76,932] 1.04us 10mb |-----------------------------------L0.55-----------------------------------| "
+ - "L0.56[42,986] 1.05us 10mb |---------------------------------------L0.56---------------------------------------| "
+ - "L0.57[173,950] 1.05us 10mb |-------------------------------L0.57--------------------------------| "
+ - "L0.58[50,629] 1.05us 10mb |----------------------L0.58-----------------------| "
+ - "L0.59[76,932] 1.05us 10mb |-----------------------------------L0.59-----------------------------------| "
+ - "L0.60[42,986] 1.05us 10mb |---------------------------------------L0.60---------------------------------------| "
+ - "L2 "
+ - "L2.1[0,99] 99ns 100mb |-L2.1-| "
+ - "L2.2[100,199] 199ns 100mb |-L2.2-| "
+ - "L2.3[200,299] 299ns 100mb |-L2.3-| "
+ - "L2.4[300,399] 399ns 100mb |-L2.4-| "
+ - "L2.5[400,499] 499ns 100mb |-L2.5-| "
+ - "L2.6[500,599] 599ns 100mb |-L2.6-| "
+ - "L2.7[600,699] 699ns 100mb |-L2.7-| "
+ - "L2.8[700,799] 799ns 100mb |-L2.8-| "
+ - "L2.9[800,899] 899ns 100mb |-L2.9-| "
+ - "L2.10[900,999] 999ns 100mb |L2.10-| "
+ - "**** Simulation run 0, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[797]). 10 Input Files, 100mb total:"
+ - "L0, all files 10mb "
+ - "L0.11[76,932] 1us |-------------------------------------L0.11-------------------------------------| "
+ - "L0.12[42,986] 1us |-----------------------------------------L0.12------------------------------------------|"
+ - "L0.13[173,950] 1us |---------------------------------L0.13----------------------------------| "
+ - "L0.14[50,629] 1us |------------------------L0.14------------------------| "
+ - "L0.15[76,932] 1us |-------------------------------------L0.15-------------------------------------| "
+ - "L0.16[42,986] 1us |-----------------------------------------L0.16------------------------------------------|"
+ - "L0.17[173,950] 1.01us |---------------------------------L0.17----------------------------------| "
+ - "L0.18[50,629] 1.01us |------------------------L0.18------------------------| "
+ - "L0.19[76,932] 1.01us |-------------------------------------L0.19-------------------------------------| "
+ - "L0.20[42,986] 1.01us |-----------------------------------------L0.20------------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
- "L0 "
- - "L0.?[42,657] 1.05us 100mb|--------------------------L0.?--------------------------| "
- - "L0.?[658,986] 1.05us 54mb |------------L0.?-------------| "
+ - "L0.?[42,797] 1.01us 80mb |--------------------------------L0.?---------------------------------| "
+ - "L0.?[798,986] 1.01us 20mb |-----L0.?------| "
- "Committing partition 1:"
- - " Soft Deleting 196 files: L0.220, L0.222, L0.224, L0.226, L0.228, L0.230, L0.232, L0.234, L0.236, L0.238, L0.240, L0.242, L0.244, L0.246, L0.248, L0.250, L0.252, L0.254, L0.256, L0.258, L0.260, L0.262, L0.264, L0.266, L0.268, L0.270, L0.290, L0.292, L0.294, L0.296, L0.298, L0.300, L0.302, L0.304, L0.306, L0.308, L0.310, L0.312, L0.314, L0.316, L0.318, L0.320, L0.322, L0.324, L0.326, L0.328, L0.330, L0.332, L0.334, L0.336, L0.338, L0.340, L0.347, L0.348, L0.349, L0.350, L0.351, L0.352, L0.353, L0.354, L0.355, L0.356, L0.357, L0.358, L0.359, L0.360, L0.361, L0.362, L0.363, L0.364, L0.365, L0.366, L0.367, L0.368, L0.369, L0.370, L0.383, L0.385, L0.387, L0.389, L0.391, L0.393, L0.395, L0.397, L0.399, L0.401, L0.403, L0.405, L0.407, L0.409, L0.411, L0.413, L0.415, L0.417, L0.419, L0.421, L0.423, L0.425, L0.427, L0.429, L0.431, L0.433, L0.435, L0.437, L0.439, L0.441, L0.452, L0.454, L0.456, L0.458, L0.460, L0.462, L0.464, L0.466, L0.468, L0.470, L0.472, L0.474, L0.476, L0.478, L0.480, L0.482, L0.484, L0.486, L0.488, L0.490, L0.492, L0.494, L0.496, L0.498, L0.500, L0.502, L0.504, L0.506, L0.508, L0.510, L0.516, L0.517, L0.518, L0.519, L0.520, L0.521, L0.522, L0.523, L0.524, L0.525, L0.526, L0.527, L0.528, L0.529, L0.530, L0.531, L0.532, L0.533, L0.534, L0.535, L0.536, L0.537, L0.538, L0.539, L0.540, L0.541, L0.542, L0.543, L0.544, L0.545, L0.546, L0.547, L0.548, L0.549, L0.550, L0.551, L0.552, L0.553, L0.554, L0.555, L0.556, L0.557, L0.558, L0.559, L0.560, L0.561, L0.562, L0.563, L0.564, L0.565, L0.566, L0.567, L0.568, L0.569, L0.570, L0.571, L0.572, L0.573, L0.574, L0.575"
+ - " Soft Deleting 10 files: L0.11, L0.12, L0.13, L0.14, L0.15, L0.16, L0.17, L0.18, L0.19, L0.20"
- " Creating 2 files"
- - "**** Simulation run 237, type=split(HighL0OverlapSingleFile)(split_times=[252]). 1 Input Files, 100mb total:"
- - "L1, all files 100mb "
- - "L1.513[42,309] 1.03us |-----------------------------------------L1.513-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
- - "L1 "
- - "L1.?[42,252] 1.03us 79mb |--------------------------------L1.?--------------------------------| "
- - "L1.?[253,309] 1.03us 21mb |------L1.?------| "
- - "**** Simulation run 238, type=split(HighL0OverlapSingleFile)(split_times=[462]). 1 Input Files, 100mb total:"
- - "L1, all files 100mb "
- - "L1.514[310,576] 1.03us |-----------------------------------------L1.514-----------------------------------------|"
+ - "**** Simulation run 1, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[797]). 10 Input Files, 100mb total:"
+ - "L0, all files 10mb "
+ - "L0.21[173,950] 1.01us |---------------------------------L0.21----------------------------------| "
+ - "L0.22[50,629] 1.01us |------------------------L0.22------------------------| "
+ - "L0.23[76,932] 1.01us |-------------------------------------L0.23-------------------------------------| "
+ - "L0.24[42,986] 1.01us |-----------------------------------------L0.24------------------------------------------|"
+ - "L0.25[173,950] 1.01us |---------------------------------L0.25----------------------------------| "
+ - "L0.26[50,629] 1.01us |------------------------L0.26------------------------| "
+ - "L0.27[76,932] 1.02us |-------------------------------------L0.27-------------------------------------| "
+ - "L0.28[42,986] 1.02us |-----------------------------------------L0.28------------------------------------------|"
+ - "L0.29[173,950] 1.02us |---------------------------------L0.29----------------------------------| "
+ - "L0.30[50,629] 1.02us |------------------------L0.30------------------------| "
- "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
- - "L1 "
- - "L1.?[310,462] 1.03us 57mb|----------------------L1.?-----------------------| "
- - "L1.?[463,576] 1.03us 43mb |----------------L1.?----------------| "
- - "**** Simulation run 239, type=split(HighL0OverlapSingleFile)(split_times=[252, 462]). 1 Input Files, 100mb total:"
- - "L0, all files 100mb "
- - "L0.576[42,657] 1.05us |-----------------------------------------L0.576-----------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 100mb total:"
- "L0 "
- - "L0.?[42,252] 1.05us 34mb |------------L0.?------------| "
- - "L0.?[253,462] 1.05us 34mb |------------L0.?------------| "
- - "L0.?[463,657] 1.05us 32mb |-----------L0.?-----------| "
+ - "L0.?[42,797] 1.02us 80mb |--------------------------------L0.?---------------------------------| "
+ - "L0.?[798,986] 1.02us 20mb |-----L0.?------| "
- "Committing partition 1:"
- - " Soft Deleting 3 files: L1.513, L1.514, L0.576"
- - " Creating 7 files"
- - "**** Simulation run 240, type=split(ReduceOverlap)(split_times=[672, 923]). 1 Input Files, 54mb total:"
- - "L0, all files 54mb "
- - "L0.577[658,986] 1.05us |-----------------------------------------L0.577-----------------------------------------|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 54mb total:"
+ - " Soft Deleting 10 files: L0.21, L0.22, L0.23, L0.24, L0.25, L0.26, L0.27, L0.28, L0.29, L0.30"
+ - " Creating 2 files"
+ - "**** Simulation run 2, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[797]). 10 Input Files, 100mb total:"
+ - "L0, all files 10mb "
+ - "L0.31[76,932] 1.02us |-------------------------------------L0.31-------------------------------------| "
+ - "L0.32[42,986] 1.02us |-----------------------------------------L0.32------------------------------------------|"
+ - "L0.33[173,950] 1.02us |---------------------------------L0.33----------------------------------| "
+ - "L0.34[50,629] 1.02us |------------------------L0.34------------------------| "
+ - "L0.35[76,932] 1.02us |-------------------------------------L0.35-------------------------------------| "
+ - "L0.36[42,986] 1.02us |-----------------------------------------L0.36------------------------------------------|"
+ - "L0.37[173,950] 1.03us |---------------------------------L0.37----------------------------------| "
+ - "L0.38[50,629] 1.03us |------------------------L0.38------------------------| "
+ - "L0.39[76,932] 1.03us |-------------------------------------L0.39-------------------------------------| "
+ - "L0.40[42,986] 1.03us |-----------------------------------------L0.40------------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
- "L0 "
- - "L0.?[658,672] 1.05us 2mb |L0.?| "
- - "L0.?[673,923] 1.05us 41mb |-------------------------------L0.?-------------------------------| "
- - "L0.?[924,986] 1.05us 10mb |-----L0.?------| "
- - "**** Simulation run 241, type=split(ReduceOverlap)(split_times=[576]). 1 Input Files, 32mb total:"
- - "L0, all files 32mb "
- - "L0.584[463,657] 1.05us |-----------------------------------------L0.584-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 32mb total:"
+ - "L0.?[42,797] 1.03us 80mb |--------------------------------L0.?---------------------------------| "
+ - "L0.?[798,986] 1.03us 20mb |-----L0.?------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 10 files: L0.31, L0.32, L0.33, L0.34, L0.35, L0.36, L0.37, L0.38, L0.39, L0.40"
+ - " Creating 2 files"
+ - "**** Simulation run 3, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[797]). 10 Input Files, 100mb total:"
+ - "L0, all files 10mb "
+ - "L0.41[173,950] 1.03us |---------------------------------L0.41----------------------------------| "
+ - "L0.42[50,629] 1.03us |------------------------L0.42------------------------| "
+ - "L0.43[76,932] 1.03us |-------------------------------------L0.43-------------------------------------| "
+ - "L0.44[42,986] 1.03us |-----------------------------------------L0.44------------------------------------------|"
+ - "L0.45[173,950] 1.03us |---------------------------------L0.45----------------------------------| "
+ - "L0.46[50,629] 1.03us |------------------------L0.46------------------------| "
+ - "L0.47[76,932] 1.04us |-------------------------------------L0.47-------------------------------------| "
+ - "L0.48[42,986] 1.04us |-----------------------------------------L0.48------------------------------------------|"
+ - "L0.49[173,950] 1.04us |---------------------------------L0.49----------------------------------| "
+ - "L0.50[50,629] 1.04us |------------------------L0.50------------------------| "
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
- "L0 "
- - "L0.?[463,576] 1.05us 19mb|-----------------------L0.?-----------------------| "
- - "L0.?[577,657] 1.05us 13mb |---------------L0.?----------------| "
- - "**** Simulation run 242, type=split(ReduceOverlap)(split_times=[309]). 1 Input Files, 34mb total:"
- - "L0, all files 34mb "
- - "L0.583[253,462] 1.05us |----------------------------------------L0.583-----------------------------------------| "
- - "**** 2 Output Files (parquet_file_id not yet assigned), 34mb total:"
+ - "L0.?[42,797] 1.04us 80mb |--------------------------------L0.?---------------------------------| "
+ - "L0.?[798,986] 1.04us 20mb |-----L0.?------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 10 files: L0.41, L0.42, L0.43, L0.44, L0.45, L0.46, L0.47, L0.48, L0.49, L0.50"
+ - " Creating 2 files"
+ - "**** Simulation run 4, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[797]). 10 Input Files, 100mb total:"
+ - "L0, all files 10mb "
+ - "L0.51[76,932] 1.04us |-------------------------------------L0.51-------------------------------------| "
+ - "L0.52[42,986] 1.04us |-----------------------------------------L0.52------------------------------------------|"
+ - "L0.53[173,950] 1.04us |---------------------------------L0.53----------------------------------| "
+ - "L0.54[50,629] 1.04us |------------------------L0.54------------------------| "
+ - "L0.55[76,932] 1.04us |-------------------------------------L0.55-------------------------------------| "
+ - "L0.56[42,986] 1.05us |-----------------------------------------L0.56------------------------------------------|"
+ - "L0.57[173,950] 1.05us |---------------------------------L0.57----------------------------------| "
+ - "L0.58[50,629] 1.05us |------------------------L0.58------------------------| "
+ - "L0.59[76,932] 1.05us |-------------------------------------L0.59-------------------------------------| "
+ - "L0.60[42,986] 1.05us |-----------------------------------------L0.60------------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
- "L0 "
- - "L0.?[253,309] 1.05us 9mb |---------L0.?---------| "
- - "L0.?[310,462] 1.05us 25mb |-----------------------------L0.?------------------------------| "
+ - "L0.?[42,797] 1.05us 80mb |--------------------------------L0.?---------------------------------| "
+ - "L0.?[798,986] 1.05us 20mb |-----L0.?------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 10 files: L0.51, L0.52, L0.53, L0.54, L0.55, L0.56, L0.57, L0.58, L0.59, L0.60"
+ - " Creating 2 files"
+ - "**** Simulation run 5, type=split(HighL0OverlapSingleFile)(split_times=[293, 544]). 1 Input Files, 80mb total:"
+ - "L0, all files 80mb "
+ - "L0.61[42,797] 1.01us |-----------------------------------------L0.61------------------------------------------|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 80mb total:"
+ - "L0 "
+ - "L0.?[42,293] 1.01us 27mb |-----------L0.?------------| "
+ - "L0.?[294,544] 1.01us 26mb |-----------L0.?------------| "
+ - "L0.?[545,797] 1.01us 27mb |------------L0.?------------| "
+ - "**** Simulation run 6, type=split(HighL0OverlapSingleFile)(split_times=[293, 544]). 1 Input Files, 80mb total:"
+ - "L0, all files 80mb "
+ - "L0.63[42,797] 1.02us |-----------------------------------------L0.63------------------------------------------|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 80mb total:"
+ - "L0 "
+ - "L0.?[42,293] 1.02us 27mb |-----------L0.?------------| "
+ - "L0.?[294,544] 1.02us 26mb |-----------L0.?------------| "
+ - "L0.?[545,797] 1.02us 27mb |------------L0.?------------| "
+ - "**** Simulation run 7, type=split(HighL0OverlapSingleFile)(split_times=[293, 544]). 1 Input Files, 80mb total:"
+ - "L0, all files 80mb "
+ - "L0.65[42,797] 1.03us |-----------------------------------------L0.65------------------------------------------|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 80mb total:"
+ - "L0 "
+ - "L0.?[42,293] 1.03us 27mb |-----------L0.?------------| "
+ - "L0.?[294,544] 1.03us 26mb |-----------L0.?------------| "
+ - "L0.?[545,797] 1.03us 27mb |------------L0.?------------| "
+ - "**** Simulation run 8, type=split(HighL0OverlapSingleFile)(split_times=[293, 544]). 1 Input Files, 80mb total:"
+ - "L0, all files 80mb "
+ - "L0.67[42,797] 1.04us |-----------------------------------------L0.67------------------------------------------|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 80mb total:"
+ - "L0 "
+ - "L0.?[42,293] 1.04us 27mb |-----------L0.?------------| "
+ - "L0.?[294,544] 1.04us 26mb |-----------L0.?------------| "
+ - "L0.?[545,797] 1.04us 27mb |------------L0.?------------| "
+ - "**** Simulation run 9, type=split(HighL0OverlapSingleFile)(split_times=[293, 544]). 1 Input Files, 80mb total:"
+ - "L0, all files 80mb "
+ - "L0.69[42,797] 1.05us |-----------------------------------------L0.69------------------------------------------|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 80mb total:"
+ - "L0 "
+ - "L0.?[42,293] 1.05us 27mb |-----------L0.?------------| "
+ - "L0.?[294,544] 1.05us 26mb |-----------L0.?------------| "
+ - "L0.?[545,797] 1.05us 27mb |------------L0.?------------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 5 files: L0.61, L0.63, L0.65, L0.67, L0.69"
+ - " Creating 15 files"
+ - "**** Simulation run 10, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[232, 422]). 10 Input Files, 265mb total:"
+ - "L0 "
+ - "L0.71[42,293] 1.01us 27mb|-------------------L0.71-------------------| "
+ - "L0.72[294,544] 1.01us 26mb |------------------L0.72-------------------| "
+ - "L0.74[42,293] 1.02us 27mb|-------------------L0.74-------------------| "
+ - "L0.75[294,544] 1.02us 26mb |------------------L0.75-------------------| "
+ - "L0.77[42,293] 1.03us 27mb|-------------------L0.77-------------------| "
+ - "L0.78[294,544] 1.03us 26mb |------------------L0.78-------------------| "
+ - "L0.80[42,293] 1.04us 27mb|-------------------L0.80-------------------| "
+ - "L0.81[294,544] 1.04us 26mb |------------------L0.81-------------------| "
+ - "L0.83[42,293] 1.05us 27mb|-------------------L0.83-------------------| "
+ - "L0.84[294,544] 1.05us 26mb |------------------L0.84-------------------| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 265mb total:"
+ - "L0 "
+ - "L0.?[42,232] 1.05us 100mb|--------------L0.?--------------| "
+ - "L0.?[233,422] 1.05us 100mb |-------------L0.?--------------| "
+ - "L0.?[423,544] 1.05us 65mb |-------L0.?--------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 10 files: L0.71, L0.72, L0.74, L0.75, L0.77, L0.78, L0.80, L0.81, L0.83, L0.84"
+ - " Creating 3 files"
+ - "**** Simulation run 11, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[733, 921]). 10 Input Files, 235mb total:"
+ - "L0 "
+ - "L0.73[545,797] 1.01us 27mb|----------------------L0.73----------------------| "
+ - "L0.62[798,986] 1.01us 20mb |---------------L0.62----------------| "
+ - "L0.76[545,797] 1.02us 27mb|----------------------L0.76----------------------| "
+ - "L0.64[798,986] 1.02us 20mb |---------------L0.64----------------| "
+ - "L0.79[545,797] 1.03us 27mb|----------------------L0.79----------------------| "
+ - "L0.66[798,986] 1.03us 20mb |---------------L0.66----------------| "
+ - "L0.82[545,797] 1.04us 27mb|----------------------L0.82----------------------| "
+ - "L0.68[798,986] 1.04us 20mb |---------------L0.68----------------| "
+ - "L0.85[545,797] 1.05us 27mb|----------------------L0.85----------------------| "
+ - "L0.70[798,986] 1.05us 20mb |---------------L0.70----------------| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 235mb total:"
+ - "L0 "
+ - "L0.?[545,733] 1.05us 100mb|----------------L0.?----------------| "
+ - "L0.?[734,921] 1.05us 99mb |----------------L0.?----------------| "
+ - "L0.?[922,986] 1.05us 35mb |---L0.?----| "
- "Committing partition 1:"
- - " Soft Deleting 3 files: L0.577, L0.583, L0.584"
- - " Creating 7 files"
- - "**** Simulation run 243, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[229, 416]). 8 Input Files, 287mb total:"
+ - " Soft Deleting 10 files: L0.62, L0.64, L0.66, L0.68, L0.70, L0.73, L0.76, L0.79, L0.82, L0.85"
+ - " Creating 3 files"
+ - "**** Simulation run 12, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[422, 611]). 3 Input Files, 265mb total:"
- "L0 "
- - "L0.582[42,252] 1.05us 34mb|-------------L0.582--------------| "
- - "L0.590[253,309] 1.05us 9mb |L0.590-| "
- - "L0.591[310,462] 1.05us 25mb |--------L0.591---------| "
- - "L0.588[463,576] 1.05us 19mb |-----L0.588------| "
- - "L1 "
- - "L1.578[42,252] 1.03us 79mb|-------------L1.578--------------| "
- - "L1.579[253,309] 1.03us 21mb |L1.579-| "
- - "L1.580[310,462] 1.03us 57mb |--------L1.580---------| "
- - "L1.581[463,576] 1.03us 43mb |-----L1.581------| "
- - "**** 3 Output Files (parquet_file_id not yet assigned), 287mb total:"
+ - "L0.87[233,422] 1.05us 100mb|-------------L0.87--------------| "
+ - "L0.88[423,544] 1.05us 65mb |-------L0.88-------| "
+ - "L0.89[545,733] 1.05us 100mb |-------------L0.89-------------| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 265mb total:"
- "L1 "
- - "L1.?[42,229] 1.05us 100mb|------------L1.?-------------| "
- - "L1.?[230,416] 1.05us 100mb |------------L1.?-------------| "
- - "L1.?[417,576] 1.05us 86mb |----------L1.?----------| "
+ - "L1.?[233,422] 1.05us 100mb|--------------L1.?--------------| "
+ - "L1.?[423,611] 1.05us 100mb |-------------L1.?--------------| "
+ - "L1.?[612,733] 1.05us 65mb |-------L1.?--------| "
- "Committing partition 1:"
- - " Soft Deleting 8 files: L1.578, L1.579, L1.580, L1.581, L0.582, L0.588, L0.590, L0.591"
+ - " Soft Deleting 3 files: L0.87, L0.88, L0.89"
+ - " Upgrading 1 files level to CompactionLevel::L1: L0.86"
- " Creating 3 files"
- - "**** Simulation run 244, type=split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))(split_times=[769, 961]). 7 Input Files, 213mb total:"
+ - "**** Simulation run 13, type=split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))(split_times=[922]). 2 Input Files, 135mb total:"
- "L0 "
- - "L0.587[924,986] 1.05us 10mb |--L0.587---| "
- - "L0.586[673,923] 1.05us 41mb |-----------------------L0.586------------------------| "
- - "L0.585[658,672] 1.05us 2mb |L0.585| "
- - "L0.589[577,657] 1.05us 13mb|----L0.589-----| "
+ - "L0.91[922,986] 1.05us 35mb |-------L0.91--------| "
+ - "L0.90[734,921] 1.05us 99mb|-----------------------------L0.90------------------------------| "
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 135mb total:"
- "L1 "
- - "L1.515[577,672] 1.03us 36mb|------L1.515------| "
- - "L1.512[924,986] 1.03us 22mb |--L1.512---| "
- - "L1.511[673,923] 1.03us 88mb |-----------------------L1.511------------------------| "
- - "**** 3 Output Files (parquet_file_id not yet assigned), 213mb total:"
- - "L1 "
- - "L1.?[577,769] 1.05us 100mb|------------------L1.?------------------| "
- - "L1.?[770,961] 1.05us 100mb |------------------L1.?------------------| "
- - "L1.?[962,986] 1.05us 14mb |L1.?|"
+ - "L1.?[734,922] 1.05us 100mb|------------------------------L1.?-------------------------------| "
+ - "L1.?[923,986] 1.05us 34mb |--------L1.?--------| "
- "Committing partition 1:"
- - " Soft Deleting 7 files: L1.511, L1.512, L1.515, L0.585, L0.586, L0.587, L0.589"
- - " Creating 3 files"
- - "**** Simulation run 245, type=split(ReduceOverlap)(split_times=[499]). 1 Input Files, 86mb total:"
- - "L1, all files 86mb "
- - "L1.594[417,576] 1.05us |-----------------------------------------L1.594-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 86mb total:"
+ - " Soft Deleting 2 files: L0.90, L0.91"
+ - " Creating 2 files"
+ - "**** Simulation run 14, type=split(ReduceOverlap)(split_times=[699]). 1 Input Files, 65mb total:"
+ - "L1, all files 65mb "
+ - "L1.94[612,733] 1.05us |-----------------------------------------L1.94-----------------------------------------| "
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 65mb total:"
- "L1 "
- - "L1.?[417,499] 1.05us 45mb|--------------------L1.?--------------------| "
- - "L1.?[500,576] 1.05us 42mb |------------------L1.?-------------------| "
- - "**** Simulation run 246, type=split(ReduceOverlap)(split_times=[299, 399]). 1 Input Files, 100mb total:"
+ - "L1.?[612,699] 1.05us 47mb|-----------------------------L1.?-----------------------------| "
+ - "L1.?[700,733] 1.05us 18mb |---------L1.?---------| "
+ - "**** Simulation run 15, type=split(ReduceOverlap)(split_times=[499, 599]). 1 Input Files, 100mb total:"
- "L1, all files 100mb "
- - "L1.593[230,416] 1.05us |----------------------------------------L1.593-----------------------------------------| "
+ - "L1.93[423,611] 1.05us |-----------------------------------------L1.93------------------------------------------|"
- "**** 3 Output Files (parquet_file_id not yet assigned), 100mb total:"
- "L1 "
- - "L1.?[230,299] 1.05us 37mb|-------------L1.?--------------| "
- - "L1.?[300,399] 1.05us 53mb |--------------------L1.?---------------------| "
- - "L1.?[400,416] 1.05us 10mb |L1.?-| "
- - "**** Simulation run 247, type=split(ReduceOverlap)(split_times=[99, 199]). 1 Input Files, 100mb total:"
+ - "L1.?[423,499] 1.05us 40mb|---------------L1.?---------------| "
+ - "L1.?[500,599] 1.05us 52mb |--------------------L1.?---------------------| "
+ - "L1.?[600,611] 1.05us 7mb |L1.?|"
+ - "**** Simulation run 16, type=split(ReduceOverlap)(split_times=[299, 399]). 1 Input Files, 100mb total:"
- "L1, all files 100mb "
- - "L1.592[42,229] 1.05us |----------------------------------------L1.592-----------------------------------------| "
+ - "L1.92[233,422] 1.05us |-----------------------------------------L1.92------------------------------------------|"
- "**** 3 Output Files (parquet_file_id not yet assigned), 100mb total:"
- "L1 "
- - "L1.?[42,99] 1.05us 31mb |----------L1.?-----------| "
- - "L1.?[100,199] 1.05us 53mb |--------------------L1.?---------------------| "
- - "L1.?[200,229] 1.05us 17mb |---L1.?----| "
- - "**** Simulation run 248, type=split(ReduceOverlap)(split_times=[799, 899]). 1 Input Files, 100mb total:"
+ - "L1.?[233,299] 1.05us 35mb|------------L1.?-------------| "
+ - "L1.?[300,399] 1.05us 52mb |--------------------L1.?---------------------| "
+ - "L1.?[400,422] 1.05us 13mb |--L1.?--| "
+ - "**** Simulation run 17, type=split(ReduceOverlap)(split_times=[99, 199]). 1 Input Files, 100mb total:"
- "L1, all files 100mb "
- - "L1.596[770,961] 1.05us |-----------------------------------------L1.596-----------------------------------------|"
+ - "L1.86[42,232] 1.05us |-----------------------------------------L1.86------------------------------------------|"
- "**** 3 Output Files (parquet_file_id not yet assigned), 100mb total:"
- "L1 "
- - "L1.?[770,799] 1.05us 15mb|---L1.?----| "
- - "L1.?[800,899] 1.05us 52mb |--------------------L1.?--------------------| "
- - "L1.?[900,961] 1.05us 33mb |-----------L1.?-----------| "
- - "**** Simulation run 249, type=split(ReduceOverlap)(split_times=[599, 699]). 1 Input Files, 100mb total:"
+ - "L1.?[42,99] 1.05us 30mb |----------L1.?-----------| "
+ - "L1.?[100,199] 1.05us 52mb |--------------------L1.?--------------------| "
+ - "L1.?[200,232] 1.05us 18mb |----L1.?-----| "
+ - "**** Simulation run 18, type=split(ReduceOverlap)(split_times=[799, 899]). 1 Input Files, 100mb total:"
- "L1, all files 100mb "
- - "L1.595[577,769] 1.05us |-----------------------------------------L1.595-----------------------------------------|"
+ - "L1.95[734,922] 1.05us |-----------------------------------------L1.95------------------------------------------|"
- "**** 3 Output Files (parquet_file_id not yet assigned), 100mb total:"
- "L1 "
- - "L1.?[577,599] 1.05us 11mb|--L1.?--| "
- - "L1.?[600,699] 1.05us 52mb |--------------------L1.?--------------------| "
- - "L1.?[700,769] 1.05us 37mb |-------------L1.?-------------| "
+ - "L1.?[734,799] 1.05us 35mb|------------L1.?-------------| "
+ - "L1.?[800,899] 1.05us 53mb |--------------------L1.?---------------------| "
+ - "L1.?[900,922] 1.05us 13mb |--L1.?--| "
- "Committing partition 1:"
- - " Soft Deleting 5 files: L1.592, L1.593, L1.594, L1.595, L1.596"
+ - " Soft Deleting 5 files: L1.86, L1.92, L1.93, L1.94, L1.95"
- " Creating 14 files"
- - "**** Simulation run 250, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[71, 142]). 4 Input Files, 284mb total:"
+ - "**** Simulation run 19, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[71, 142]). 4 Input Files, 282mb total:"
- "L1 "
- - "L1.603[42,99] 1.05us 31mb |--------L1.603---------| "
- - "L1.604[100,199] 1.05us 53mb |------------------L1.604------------------| "
+ - "L1.105[42,99] 1.05us 30mb |--------L1.105---------| "
+ - "L1.106[100,199] 1.05us 52mb |------------------L1.106------------------| "
- "L2 "
- "L2.1[0,99] 99ns 100mb |-------------------L2.1-------------------| "
- "L2.2[100,199] 199ns 100mb |-------------------L2.2-------------------| "
- - "**** 3 Output Files (parquet_file_id not yet assigned), 284mb total:"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 282mb total:"
- "L2 "
- "L2.?[0,71] 1.05us 101mb |-------------L2.?-------------| "
- - "L2.?[72,142] 1.05us 100mb |------------L2.?-------------| "
- - "L2.?[143,199] 1.05us 83mb |---------L2.?----------| "
+ - "L2.?[72,142] 1.05us 99mb |------------L2.?-------------| "
+ - "L2.?[143,199] 1.05us 82mb |---------L2.?----------| "
- "Committing partition 1:"
- - " Soft Deleting 4 files: L2.1, L2.2, L1.603, L1.604"
+ - " Soft Deleting 4 files: L2.1, L2.2, L1.105, L1.106"
- " Creating 3 files"
- - "**** Simulation run 251, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[265]). 3 Input Files, 154mb total:"
+ - "**** Simulation run 20, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[265]). 3 Input Files, 153mb total:"
- "L1 "
- - "L1.605[200,229] 1.05us 17mb|---------L1.605---------| "
- - "L1.600[230,299] 1.05us 37mb |---------------------------L1.600---------------------------| "
+ - "L1.107[200,232] 1.05us 18mb|----------L1.107-----------| "
+ - "L1.102[233,299] 1.05us 35mb |-------------------------L1.102--------------------------| "
- "L2 "
- "L2.3[200,299] 299ns 100mb|-----------------------------------------L2.3------------------------------------------| "
- - "**** 2 Output Files (parquet_file_id not yet assigned), 154mb total:"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 153mb total:"
- "L2 "
- - "L2.?[200,265] 1.05us 101mb|--------------------------L2.?---------------------------| "
+ - "L2.?[200,265] 1.05us 100mb|--------------------------L2.?---------------------------| "
- "L2.?[266,299] 1.05us 53mb |-----------L2.?------------| "
- "Committing partition 1:"
- - " Soft Deleting 3 files: L2.3, L1.600, L1.605"
+ - " Soft Deleting 3 files: L2.3, L1.102, L1.107"
- " Creating 2 files"
- - "**** Simulation run 252, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[376, 452]). 4 Input Files, 263mb total:"
+ - "**** Simulation run 21, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[376, 452]). 4 Input Files, 265mb total:"
- "L1 "
- - "L1.601[300,399] 1.05us 53mb|------------------L1.601------------------| "
- - "L1.602[400,416] 1.05us 10mb |L1.602| "
+ - "L1.103[300,399] 1.05us 52mb|------------------L1.103------------------| "
+ - "L1.104[400,422] 1.05us 13mb |L1.104-| "
- "L2 "
- "L2.4[300,399] 399ns 100mb|-------------------L2.4-------------------| "
- "L2.5[400,499] 499ns 100mb |-------------------L2.5-------------------| "
- - "**** 3 Output Files (parquet_file_id not yet assigned), 263mb total:"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 265mb total:"
- "L2 "
- - "L2.?[300,376] 1.05us 100mb|--------------L2.?--------------| "
- - "L2.?[377,452] 1.05us 99mb |-------------L2.?--------------| "
- - "L2.?[453,499] 1.05us 63mb |-------L2.?-------| "
+ - "L2.?[300,376] 1.05us 101mb|--------------L2.?--------------| "
+ - "L2.?[377,452] 1.05us 100mb |-------------L2.?--------------| "
+ - "L2.?[453,499] 1.05us 64mb |-------L2.?-------| "
- "Committing partition 1:"
- - " Soft Deleting 4 files: L2.4, L2.5, L1.601, L1.602"
+ - " Soft Deleting 4 files: L2.4, L2.5, L1.103, L1.104"
- " Creating 3 files"
- - "**** Simulation run 253, type=split(ReduceOverlap)(split_times=[452]). 1 Input Files, 45mb total:"
- - "L1, all files 45mb "
- - "L1.598[417,499] 1.05us |-----------------------------------------L1.598-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 45mb total:"
+ - "**** Simulation run 22, type=split(ReduceOverlap)(split_times=[452]). 1 Input Files, 40mb total:"
+ - "L1, all files 40mb "
+ - "L1.99[423,499] 1.05us |-----------------------------------------L1.99------------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 40mb total:"
- "L1 "
- - "L1.?[417,452] 1.05us 19mb|----------------L1.?----------------| "
- - "L1.?[453,499] 1.05us 26mb |----------------------L1.?----------------------| "
+ - "L1.?[423,452] 1.05us 15mb|--------------L1.?--------------| "
+ - "L1.?[453,499] 1.05us 25mb |------------------------L1.?------------------------| "
- "Committing partition 1:"
- - " Soft Deleting 1 files: L1.598"
+ - " Soft Deleting 1 files: L1.99"
- " Creating 2 files"
- - "**** Simulation run 254, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[436, 495]). 4 Input Files, 207mb total:"
+ - "**** Simulation run 23, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[612, 801]). 10 Input Files, 299mb total:"
+ - "L1 "
+ - "L1.119[423,452] 1.05us 15mb|L1.119| "
+ - "L1.120[453,499] 1.05us 25mb |L1.120| "
+ - "L1.100[500,599] 1.05us 52mb |---L1.100----| "
+ - "L1.101[600,611] 1.05us 7mb |L1.101| "
+ - "L1.97[612,699] 1.05us 47mb |---L1.97---| "
+ - "L1.98[700,733] 1.05us 18mb |L1.98| "
+ - "L1.108[734,799] 1.05us 35mb |-L1.108-| "
+ - "L1.109[800,899] 1.05us 53mb |---L1.109----| "
+ - "L1.110[900,922] 1.05us 13mb |L1.110| "
+ - "L1.96[923,986] 1.05us 34mb |-L1.96--| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 299mb total:"
- "L1 "
- - "L1.620[417,452] 1.05us 19mb |--------L1.620---------| "
- - "L1.621[453,499] 1.05us 26mb |------------L1.621-------------| "
+ - "L1.?[423,612] 1.05us 101mb|------------L1.?------------| "
+ - "L1.?[613,801] 1.05us 100mb |------------L1.?------------| "
+ - "L1.?[802,986] 1.05us 99mb |-----------L1.?------------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 10 files: L1.96, L1.97, L1.98, L1.100, L1.101, L1.108, L1.109, L1.110, L1.119, L1.120"
+ - " Creating 3 files"
+ - "**** Simulation run 24, type=split(ReduceOverlap)(split_times=[899]). 1 Input Files, 99mb total:"
+ - "L1, all files 99mb "
+ - "L1.123[802,986] 1.05us |-----------------------------------------L1.123-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 99mb total:"
+ - "L1 "
+ - "L1.?[802,899] 1.05us 52mb|--------------------L1.?---------------------| "
+ - "L1.?[900,986] 1.05us 47mb |------------------L1.?------------------| "
+ - "**** Simulation run 25, type=split(ReduceOverlap)(split_times=[699, 799]). 1 Input Files, 100mb total:"
+ - "L1, all files 100mb "
+ - "L1.122[613,801] 1.05us |-----------------------------------------L1.122-----------------------------------------|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L1 "
+ - "L1.?[613,699] 1.05us 46mb|-----------------L1.?------------------| "
+ - "L1.?[700,799] 1.05us 53mb |--------------------L1.?---------------------| "
+ - "L1.?[800,801] 1.05us 2mb |L1.?|"
+ - "**** Simulation run 26, type=split(ReduceOverlap)(split_times=[452, 499, 599]). 1 Input Files, 101mb total:"
+ - "L1, all files 101mb "
+ - "L1.121[423,612] 1.05us |-----------------------------------------L1.121-----------------------------------------|"
+ - "**** 4 Output Files (parquet_file_id not yet assigned), 101mb total:"
+ - "L1 "
+ - "L1.?[423,452] 1.05us 15mb|---L1.?----| "
+ - "L1.?[453,499] 1.05us 24mb |-------L1.?--------| "
+ - "L1.?[500,599] 1.05us 53mb |--------------------L1.?---------------------| "
+ - "L1.?[600,612] 1.05us 8mb |L1.?|"
+ - "Committing partition 1:"
+ - " Soft Deleting 3 files: L1.121, L1.122, L1.123"
+ - " Creating 9 files"
+ - "**** Simulation run 27, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[437, 497]). 4 Input Files, 204mb total:"
+ - "L1 "
+ - "L1.129[423,452] 1.05us 15mb |------L1.129-------| "
+ - "L1.130[453,499] 1.05us 24mb |------------L1.130-------------| "
- "L2 "
- - "L2.618[377,452] 1.05us 99mb|-----------------------L2.618------------------------| "
- - "L2.619[453,499] 1.05us 63mb |------------L2.619-------------| "
- - "**** 3 Output Files (parquet_file_id not yet assigned), 207mb total:"
+ - "L2.117[377,452] 1.05us 100mb|-----------------------L2.117------------------------| "
+ - "L2.118[453,499] 1.05us 64mb |------------L2.118-------------| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 204mb total:"
- "L2 "
- - "L2.?[377,436] 1.05us 100mb|------------------L2.?-------------------| "
- - "L2.?[437,495] 1.05us 98mb |------------------L2.?------------------| "
- - "L2.?[496,499] 1.05us 8mb |L2.?|"
+ - "L2.?[377,437] 1.05us 100mb|-------------------L2.?-------------------| "
+ - "L2.?[438,497] 1.05us 99mb |------------------L2.?-------------------| "
+ - "L2.?[498,499] 1.05us 5mb |L2.?|"
- "Committing partition 1:"
- - " Soft Deleting 4 files: L2.618, L2.619, L1.620, L1.621"
+ - " Soft Deleting 4 files: L2.117, L2.118, L1.129, L1.130"
- " Creating 3 files"
- - "**** Simulation run 255, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[565]). 3 Input Files, 153mb total:"
+ - "**** Simulation run 28, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[577, 654]). 4 Input Files, 261mb total:"
- "L1 "
- - "L1.599[500,576] 1.05us 42mb|------------------------------L1.599-------------------------------| "
- - "L1.609[577,599] 1.05us 11mb |------L1.609------|"
+ - "L1.131[500,599] 1.05us 53mb|------------------L1.131------------------| "
+ - "L1.132[600,612] 1.05us 8mb |L1.132| "
- "L2 "
- - "L2.6[500,599] 599ns 100mb|-----------------------------------------L2.6------------------------------------------| "
- - "**** 2 Output Files (parquet_file_id not yet assigned), 153mb total:"
+ - "L2.6[500,599] 599ns 100mb|-------------------L2.6-------------------| "
+ - "L2.7[600,699] 699ns 100mb |-------------------L2.7-------------------| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 261mb total:"
- "L2 "
- - "L2.?[500,565] 1.05us 101mb|--------------------------L2.?---------------------------| "
- - "L2.?[566,599] 1.05us 53mb |-----------L2.?------------| "
+ - "L2.?[500,577] 1.05us 101mb|--------------L2.?--------------| "
+ - "L2.?[578,654] 1.05us 100mb |--------------L2.?--------------| "
+ - "L2.?[655,699] 1.05us 60mb |------L2.?-------| "
- "Committing partition 1:"
- - " Soft Deleting 3 files: L2.6, L1.599, L1.609"
+ - " Soft Deleting 4 files: L2.6, L2.7, L1.131, L1.132"
+ - " Creating 3 files"
+ - "**** Simulation run 29, type=split(ReduceOverlap)(split_times=[654]). 1 Input Files, 46mb total:"
+ - "L1, all files 46mb "
+ - "L1.126[613,699] 1.05us |-----------------------------------------L1.126-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 46mb total:"
+ - "L1 "
+ - "L1.?[613,654] 1.05us 22mb|------------------L1.?------------------| "
+ - "L1.?[655,699] 1.05us 24mb |--------------------L1.?--------------------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 1 files: L1.126"
- " Creating 2 files"
- - "**** Simulation run 256, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[669, 738]). 4 Input Files, 289mb total:"
+ - "**** Simulation run 30, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[637, 696]). 4 Input Files, 206mb total:"
- "L1 "
- - "L1.610[600,699] 1.05us 52mb|------------------L1.610------------------| "
- - "L1.611[700,769] 1.05us 37mb |-----------L1.611------------| "
+ - "L1.139[613,654] 1.05us 22mb |-----------L1.139-----------| "
+ - "L1.140[655,699] 1.05us 24mb |------------L1.140------------| "
- "L2 "
- - "L2.7[600,699] 699ns 100mb|-------------------L2.7-------------------| "
- - "L2.8[700,799] 799ns 100mb |-------------------L2.8-------------------| "
- - "**** 3 Output Files (parquet_file_id not yet assigned), 289mb total:"
+ - "L2.137[578,654] 1.05us 100mb|------------------------L2.137------------------------| "
+ - "L2.138[655,699] 1.05us 60mb |------------L2.138------------| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 206mb total:"
- "L2 "
- - "L2.?[600,669] 1.05us 100mb|------------L2.?-------------| "
- - "L2.?[670,738] 1.05us 99mb |------------L2.?------------| "
- - "L2.?[739,799] 1.05us 90mb |----------L2.?-----------| "
+ - "L2.?[578,637] 1.05us 100mb|------------------L2.?-------------------| "
+ - "L2.?[638,696] 1.05us 99mb |------------------L2.?-------------------| "
+ - "L2.?[697,699] 1.05us 7mb |L2.?|"
- "Committing partition 1:"
- - " Soft Deleting 4 files: L2.7, L2.8, L1.610, L1.611"
+ - " Soft Deleting 4 files: L2.137, L2.138, L1.139, L1.140"
- " Creating 3 files"
- - "**** Simulation run 257, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[802, 865]). 4 Input Files, 257mb total:"
+ - "**** Simulation run 31, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[779, 858]). 4 Input Files, 254mb total:"
- "L1 "
- - "L1.606[770,799] 1.05us 15mb |----L1.606----| "
- - "L1.607[800,899] 1.05us 52mb |-----------------------L1.607------------------------| "
+ - "L1.127[700,799] 1.05us 53mb|------------------L1.127------------------| "
+ - "L1.128[800,801] 1.05us 2mb |L1.128| "
- "L2 "
- - "L2.629[739,799] 1.05us 90mb|------------L2.629-------------| "
- - "L2.9[800,899] 899ns 100mb |------------------------L2.9-------------------------| "
- - "**** 3 Output Files (parquet_file_id not yet assigned), 257mb total:"
+ - "L2.8[700,799] 799ns 100mb|-------------------L2.8-------------------| "
+ - "L2.9[800,899] 899ns 100mb |-------------------L2.9-------------------| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 254mb total:"
- "L2 "
- - "L2.?[739,802] 1.05us 101mb|--------------L2.?---------------| "
- - "L2.?[803,865] 1.05us 99mb |--------------L2.?--------------| "
- - "L2.?[866,899] 1.05us 56mb |------L2.?------| "
+ - "L2.?[700,779] 1.05us 101mb|--------------L2.?---------------| "
+ - "L2.?[780,858] 1.05us 100mb |--------------L2.?---------------| "
+ - "L2.?[859,899] 1.05us 54mb |------L2.?------| "
- "Committing partition 1:"
- - " Soft Deleting 4 files: L2.9, L1.606, L1.607, L2.629"
+ - " Soft Deleting 4 files: L2.8, L2.9, L1.127, L1.128"
- " Creating 3 files"
- - "**** Final Output Files (5.7gb written)"
+ - "**** Final Output Files (4.47gb written)"
- "L1 "
- - "L1.597[962,986] 1.05us 14mb |L1.597|"
- - "L1.608[900,961] 1.05us 33mb |L1.608| "
+ - "L1.124[802,899] 1.05us 52mb |L1.124| "
+ - "L1.125[900,986] 1.05us 47mb |L1.125| "
- "L2 "
- "L2.10[900,999] 999ns 100mb |L2.10-| "
- - "L2.612[0,71] 1.05us 101mb|L2.612| "
- - "L2.613[72,142] 1.05us 100mb |L2.613| "
- - "L2.614[143,199] 1.05us 83mb |L2.614| "
- - "L2.615[200,265] 1.05us 101mb |L2.615| "
- - "L2.616[266,299] 1.05us 53mb |L2.616| "
- - "L2.617[300,376] 1.05us 100mb |L2.617| "
- - "L2.622[377,436] 1.05us 100mb |L2.622| "
- - "L2.623[437,495] 1.05us 98mb |L2.623| "
- - "L2.624[496,499] 1.05us 8mb |L2.624| "
- - "L2.625[500,565] 1.05us 101mb |L2.625| "
- - "L2.626[566,599] 1.05us 53mb |L2.626| "
- - "L2.627[600,669] 1.05us 100mb |L2.627| "
- - "L2.628[670,738] 1.05us 99mb |L2.628| "
- - "L2.630[739,802] 1.05us 101mb |L2.630| "
- - "L2.631[803,865] 1.05us 99mb |L2.631| "
- - "L2.632[866,899] 1.05us 56mb |L2.632| "
+ - "L2.111[0,71] 1.05us 101mb|L2.111| "
+ - "L2.112[72,142] 1.05us 99mb |L2.112| "
+ - "L2.113[143,199] 1.05us 82mb |L2.113| "
+ - "L2.114[200,265] 1.05us 100mb |L2.114| "
+ - "L2.115[266,299] 1.05us 53mb |L2.115| "
+ - "L2.116[300,376] 1.05us 101mb |L2.116| "
+ - "L2.133[377,437] 1.05us 100mb |L2.133| "
+ - "L2.134[438,497] 1.05us 99mb |L2.134| "
+ - "L2.135[498,499] 1.05us 5mb |L2.135| "
+ - "L2.136[500,577] 1.05us 101mb |L2.136| "
+ - "L2.141[578,637] 1.05us 100mb |L2.141| "
+ - "L2.142[638,696] 1.05us 99mb |L2.142| "
+ - "L2.143[697,699] 1.05us 7mb |L2.143| "
+ - "L2.144[700,779] 1.05us 101mb |L2.144| "
+ - "L2.145[780,858] 1.05us 100mb |L2.145| "
+ - "L2.146[859,899] 1.05us 54mb |L2.146| "
"###
);
}
@@ -4787,7 +1035,7 @@ async fn actual_case_from_catalog_1() {
let setup = layout_setup_builder()
.await
.with_max_desired_file_size_bytes(MAX_DESIRED_FILE_SIZE)
- .with_max_num_files_per_plan(200)
+ .with_max_num_files_per_plan(20)
.with_suppress_run_output()
.with_partition_timeout(Duration::from_secs(10))
.build()
@@ -6786,68 +3034,67 @@ async fn actual_case_from_catalog_1() {
- "WARNING: file L0.161[327,333] 336ns 183mb exceeds soft limit 100mb by more than 50%"
- "WARNING: file L0.162[330,338] 340ns 231mb exceeds soft limit 100mb by more than 50%"
- "WARNING: file L0.163[331,338] 341ns 232mb exceeds soft limit 100mb by more than 50%"
- - "**** Final Output Files (18.14gb written)"
+ - "**** Final Output Files (23.23gb written)"
- "L2 "
- - "L2.420[1,44] 342ns 100mb |-L2.420--| "
- - "L2.453[282,288] 342ns 100mb |L2.453| "
- - "L2.460[183,189] 342ns 114mb |L2.460| "
- - "L2.467[314,314] 342ns 113mb |L2.467|"
- - "L2.468[315,316] 342ns 107mb |L2.468|"
- - "L2.469[317,317] 342ns 107mb |L2.469|"
- - "L2.470[318,319] 342ns 111mb |L2.470|"
- - "L2.471[320,320] 342ns 111mb |L2.471|"
- - "L2.472[321,323] 342ns 146mb |L2.472|"
- - "L2.473[324,325] 342ns 127mb |L2.473|"
- - "L2.474[326,326] 342ns 127mb |L2.474|"
- - "L2.475[327,329] 342ns 197mb |L2.475|"
- - "L2.476[330,331] 342ns 114mb |L2.476|"
- - "L2.477[332,332] 342ns 114mb |L2.477|"
- - "L2.478[333,335] 342ns 199mb |L2.478|"
- - "L2.493[45,69] 342ns 102mb |L2.493| "
- - "L2.499[115,121] 342ns 113mb |L2.499| "
- - "L2.505[158,164] 342ns 108mb |L2.505| "
- - "L2.509[178,182] 342ns 109mb |L2.509| "
- - "L2.510[190,196] 342ns 110mb |L2.510| "
- - "L2.515[227,233] 342ns 114mb |L2.515| "
- - "L2.521[261,267] 342ns 117mb |L2.521| "
- - "L2.524[289,294] 342ns 124mb |L2.524| "
- - "L2.530[311,313] 342ns 133mb |L2.530|"
- - "L2.531[336,337] 342ns 146mb |L2.531|"
- - "L2.532[338,338] 342ns 146mb |L2.532|"
- - "L2.534[70,85] 342ns 102mb |L2.534| "
- - "L2.535[86,100] 342ns 95mb |L2.535| "
- - "L2.536[101,102] 342ns 20mb |L2.536| "
- - "L2.537[103,109] 342ns 103mb |L2.537| "
- - "L2.538[110,114] 342ns 86mb |L2.538| "
- - "L2.539[122,128] 342ns 104mb |L2.539| "
- - "L2.540[129,134] 342ns 87mb |L2.540| "
- - "L2.541[135,138] 342ns 87mb |L2.541| "
- - "L2.542[139,146] 342ns 106mb |L2.542| "
- - "L2.543[147,153] 342ns 91mb |L2.543| "
- - "L2.544[154,157] 342ns 76mb |L2.544| "
- - "L2.545[165,171] 342ns 118mb |L2.545| "
- - "L2.546[172,177] 342ns 118mb |L2.546| "
- - "L2.547[197,204] 342ns 111mb |L2.547| "
- - "L2.548[205,211] 342ns 95mb |L2.548| "
- - "L2.549[212,213] 342ns 48mb |L2.549| "
- - "L2.550[214,220] 342ns 108mb |L2.550| "
- - "L2.551[221,226] 342ns 108mb |L2.551| "
- - "L2.552[234,240] 342ns 104mb |L2.552| "
- - "L2.553[241,246] 342ns 86mb |L2.553| "
- - "L2.554[247,248] 342ns 52mb |L2.554| "
- - "L2.555[249,255] 342ns 102mb |L2.555| "
- - "L2.556[256,260] 342ns 85mb |L2.556| "
- - "L2.557[268,273] 342ns 111mb |L2.557| "
- - "L2.558[274,278] 342ns 89mb |L2.558| "
- - "L2.559[279,281] 342ns 89mb |L2.559| "
- - "L2.560[295,299] 342ns 130mb |L2.560| "
- - "L2.561[300,303] 342ns 98mb |L2.561| "
- - "L2.562[304,304] 342ns 65mb |L2.562| "
- - "L2.563[305,308] 342ns 137mb |L2.563| "
- - "L2.564[309,310] 342ns 92mb |L2.564|"
- - "L2.565[339,339] 342ns 12mb |L2.565|"
- - "WARNING: file L2.475[327,329] 342ns 197mb exceeds soft limit 100mb by more than 50%"
- - "WARNING: file L2.478[333,335] 342ns 199mb exceeds soft limit 100mb by more than 50%"
+ - "L2.610[282,288] 342ns 100mb |L2.610| "
+ - "L2.619[314,314] 342ns 113mb |L2.619|"
+ - "L2.620[315,316] 342ns 107mb |L2.620|"
+ - "L2.621[317,317] 342ns 107mb |L2.621|"
+ - "L2.622[318,319] 342ns 111mb |L2.622|"
+ - "L2.623[320,320] 342ns 111mb |L2.623|"
+ - "L2.624[321,323] 342ns 146mb |L2.624|"
+ - "L2.625[324,325] 342ns 127mb |L2.625|"
+ - "L2.626[326,326] 342ns 127mb |L2.626|"
+ - "L2.627[327,329] 342ns 197mb |L2.627|"
+ - "L2.628[330,331] 342ns 114mb |L2.628|"
+ - "L2.629[332,332] 342ns 114mb |L2.629|"
+ - "L2.630[333,335] 342ns 199mb |L2.630|"
+ - "L2.631[336,337] 342ns 140mb |L2.631|"
+ - "L2.632[338,338] 342ns 140mb |L2.632|"
+ - "L2.918[1,24] 342ns 102mb |L2.918| "
+ - "L2.924[83,96] 342ns 107mb |L2.924| "
+ - "L2.930[143,151] 342ns 108mb |L2.930| "
+ - "L2.935[182,188] 342ns 119mb |L2.935| "
+ - "L2.938[205,213] 342ns 107mb |L2.938| "
+ - "L2.940[227,233] 342ns 114mb |L2.940| "
+ - "L2.946[261,267] 342ns 117mb |L2.946| "
+ - "L2.949[289,294] 342ns 124mb |L2.949| "
+ - "L2.955[311,313] 342ns 133mb |L2.955|"
+ - "L2.957[25,45] 342ns 105mb |L2.957| "
+ - "L2.958[46,65] 342ns 100mb |L2.958| "
+ - "L2.959[66,82] 342ns 94mb |L2.959| "
+ - "L2.960[97,107] 342ns 107mb |L2.960| "
+ - "L2.961[108,117] 342ns 96mb |L2.961| "
+ - "L2.962[118,124] 342ns 85mb |L2.962| "
+ - "L2.963[125,132] 342ns 115mb |L2.963| "
+ - "L2.964[133,139] 342ns 99mb |L2.964| "
+ - "L2.965[140,142] 342ns 66mb |L2.965| "
+ - "L2.966[152,159] 342ns 108mb |L2.966| "
+ - "L2.967[160,166] 342ns 92mb |L2.967| "
+ - "L2.968[167,171] 342ns 92mb |L2.968| "
+ - "L2.969[172,177] 342ns 121mb |L2.969| "
+ - "L2.970[178,181] 342ns 97mb |L2.970| "
+ - "L2.971[189,195] 342ns 113mb |L2.971| "
+ - "L2.972[196,201] 342ns 94mb |L2.972| "
+ - "L2.973[202,204] 342ns 75mb |L2.973| "
+ - "L2.974[214,220] 342ns 108mb |L2.974| "
+ - "L2.975[221,226] 342ns 108mb |L2.975| "
+ - "L2.976[234,240] 342ns 104mb |L2.976| "
+ - "L2.977[241,246] 342ns 86mb |L2.977| "
+ - "L2.978[247,248] 342ns 52mb |L2.978| "
+ - "L2.979[249,255] 342ns 102mb |L2.979| "
+ - "L2.980[256,260] 342ns 85mb |L2.980| "
+ - "L2.981[268,273] 342ns 111mb |L2.981| "
+ - "L2.982[274,278] 342ns 89mb |L2.982| "
+ - "L2.983[279,281] 342ns 89mb |L2.983| "
+ - "L2.984[295,299] 342ns 130mb |L2.984| "
+ - "L2.985[300,303] 342ns 98mb |L2.985| "
+ - "L2.986[304,304] 342ns 65mb |L2.986| "
+ - "L2.987[305,308] 342ns 137mb |L2.987| "
+ - "L2.988[309,310] 342ns 92mb |L2.988|"
+ - "L2.989[339,339] 342ns 25mb |L2.989|"
+ - "WARNING: file L2.627[327,329] 342ns 197mb exceeds soft limit 100mb by more than 50%"
+ - "WARNING: file L2.630[333,335] 342ns 199mb exceeds soft limit 100mb by more than 50%"
"###
);
}
diff --git a/compactor/tests/layouts/knobs.rs b/compactor/tests/layouts/knobs.rs
index 524c1f3f3c..7a491bfc11 100644
--- a/compactor/tests/layouts/knobs.rs
+++ b/compactor/tests/layouts/knobs.rs
@@ -342,11 +342,11 @@ async fn all_overlapping_l0_max_num_files_per_plan() {
- "Committing partition 1:"
- " Soft Deleting 2 files: L0.21, L0.22"
- " Creating 1 files"
- - "**** Simulation run 9, type=split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))(split_times=[160020]). 3 Input Files, 90mb total:"
+ - "**** Simulation run 9, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[160020]). 3 Input Files, 90mb total:"
- "L0 "
- - "L0.25[100,200000] 10ns 15mb|-----------------------------------------L0.25-----------------------------------------| "
- - "L0.24[160021,200000] 9ns 15mb |-----L0.24-----| "
- "L0.23[100,160020] 9ns 60mb|--------------------------------L0.23---------------------------------| "
+ - "L0.24[160021,200000] 9ns 15mb |-----L0.24-----| "
+ - "L0.25[100,200000] 10ns 15mb|-----------------------------------------L0.25-----------------------------------------| "
- "**** 2 Output Files (parquet_file_id not yet assigned), 90mb total:"
- "L1 "
- "L1.?[100,160020] 10ns 72mb|---------------------------------L1.?---------------------------------| "
diff --git a/compactor/tests/layouts/large_overlaps.rs b/compactor/tests/layouts/large_overlaps.rs
index 1a6c89c9f5..cf12dcf57f 100644
--- a/compactor/tests/layouts/large_overlaps.rs
+++ b/compactor/tests/layouts/large_overlaps.rs
@@ -564,7 +564,7 @@ async fn many_good_size_l0_files() {
- "L0.286[285,286] 286ns |L0.286|"
- "L0.287[286,287] 287ns |L0.287|"
- "L0.288[287,288] 288ns |L0.288|"
- - "**** Simulation run 0, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[50, 100]). 150 Input Files, 300mb total:"
+ - "**** Simulation run 0, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[50, 100]). 150 Input Files, 300mb total:"
- "L0, all files 2mb "
- "L0.1[0,1] 1ns |L0.1| "
- "L0.2[1,2] 2ns |L0.2| "
@@ -717,218 +717,208 @@ async fn many_good_size_l0_files() {
- "L0.149[148,149] 149ns |L0.149|"
- "L0.150[149,150] 150ns |L0.150|"
- "**** 3 Output Files (parquet_file_id not yet assigned), 300mb total:"
- - "L0 "
- - "L0.?[0,50] 150ns 100mb |------------L0.?------------| "
- - "L0.?[51,100] 150ns 98mb |-----------L0.?------------| "
- - "L0.?[101,150] 150ns 102mb |-----------L0.?------------| "
+ - "L1 "
+ - "L1.?[0,50] 150ns 100mb |------------L1.?------------| "
+ - "L1.?[51,100] 150ns 98mb |-----------L1.?------------| "
+ - "L1.?[101,150] 150ns 102mb |-----------L1.?------------| "
- "Committing partition 1:"
- " Soft Deleting 150 files: L0.1, L0.2, L0.3, L0.4, L0.5, L0.6, L0.7, L0.8, L0.9, L0.10, L0.11, L0.12, L0.13, L0.14, L0.15, L0.16, L0.17, L0.18, L0.19, L0.20, L0.21, L0.22, L0.23, L0.24, L0.25, L0.26, L0.27, L0.28, L0.29, L0.30, L0.31, L0.32, L0.33, L0.34, L0.35, L0.36, L0.37, L0.38, L0.39, L0.40, L0.41, L0.42, L0.43, L0.44, L0.45, L0.46, L0.47, L0.48, L0.49, L0.50, L0.51, L0.52, L0.53, L0.54, L0.55, L0.56, L0.57, L0.58, L0.59, L0.60, L0.61, L0.62, L0.63, L0.64, L0.65, L0.66, L0.67, L0.68, L0.69, L0.70, L0.71, L0.72, L0.73, L0.74, L0.75, L0.76, L0.77, L0.78, L0.79, L0.80, L0.81, L0.82, L0.83, L0.84, L0.85, L0.86, L0.87, L0.88, L0.89, L0.90, L0.91, L0.92, L0.93, L0.94, L0.95, L0.96, L0.97, L0.98, L0.99, L0.100, L0.101, L0.102, L0.103, L0.104, L0.105, L0.106, L0.107, L0.108, L0.109, L0.110, L0.111, L0.112, L0.113, L0.114, L0.115, L0.116, L0.117, L0.118, L0.119, L0.120, L0.121, L0.122, L0.123, L0.124, L0.125, L0.126, L0.127, L0.128, L0.129, L0.130, L0.131, L0.132, L0.133, L0.134, L0.135, L0.136, L0.137, L0.138, L0.139, L0.140, L0.141, L0.142, L0.143, L0.144, L0.145, L0.146, L0.147, L0.148, L0.149, L0.150"
- " Creating 3 files"
- - "**** Simulation run 1, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[200, 250]). 138 Input Files, 276mb total:"
- - "L0, all files 2mb "
- - "L0.151[150,151] 151ns |L0.151| "
- - "L0.152[151,152] 152ns |L0.152| "
- - "L0.153[152,153] 153ns |L0.153| "
- - "L0.154[153,154] 154ns |L0.154| "
- - "L0.155[154,155] 155ns |L0.155| "
- - "L0.156[155,156] 156ns |L0.156| "
- - "L0.157[156,157] 157ns |L0.157| "
- - "L0.158[157,158] 158ns |L0.158| "
- - "L0.159[158,159] 159ns |L0.159| "
- - "L0.160[159,160] 160ns |L0.160| "
- - "L0.161[160,161] 161ns |L0.161| "
- - "L0.162[161,162] 162ns |L0.162| "
- - "L0.163[162,163] 163ns |L0.163| "
- - "L0.164[163,164] 164ns |L0.164| "
- - "L0.165[164,165] 165ns |L0.165| "
- - "L0.166[165,166] 166ns |L0.166| "
- - "L0.167[166,167] 167ns |L0.167| "
- - "L0.168[167,168] 168ns |L0.168| "
- - "L0.169[168,169] 169ns |L0.169| "
- - "L0.170[169,170] 170ns |L0.170| "
- - "L0.171[170,171] 171ns |L0.171| "
- - "L0.172[171,172] 172ns |L0.172| "
- - "L0.173[172,173] 173ns |L0.173| "
- - "L0.174[173,174] 174ns |L0.174| "
- - "L0.175[174,175] 175ns |L0.175| "
- - "L0.176[175,176] 176ns |L0.176| "
- - "L0.177[176,177] 177ns |L0.177| "
- - "L0.178[177,178] 178ns |L0.178| "
- - "L0.179[178,179] 179ns |L0.179| "
- - "L0.180[179,180] 180ns |L0.180| "
- - "L0.181[180,181] 181ns |L0.181| "
- - "L0.182[181,182] 182ns |L0.182| "
- - "L0.183[182,183] 183ns |L0.183| "
- - "L0.184[183,184] 184ns |L0.184| "
- - "L0.185[184,185] 185ns |L0.185| "
- - "L0.186[185,186] 186ns |L0.186| "
- - "L0.187[186,187] 187ns |L0.187| "
- - "L0.188[187,188] 188ns |L0.188| "
- - "L0.189[188,189] 189ns |L0.189| "
- - "L0.190[189,190] 190ns |L0.190| "
- - "L0.191[190,191] 191ns |L0.191| "
- - "L0.192[191,192] 192ns |L0.192| "
- - "L0.193[192,193] 193ns |L0.193| "
- - "L0.194[193,194] 194ns |L0.194| "
- - "L0.195[194,195] 195ns |L0.195| "
- - "L0.196[195,196] 196ns |L0.196| "
- - "L0.197[196,197] 197ns |L0.197| "
- - "L0.198[197,198] 198ns |L0.198| "
- - "L0.199[198,199] 199ns |L0.199| "
- - "L0.200[199,200] 200ns |L0.200| "
- - "L0.201[200,201] 201ns |L0.201| "
- - "L0.202[201,202] 202ns |L0.202| "
- - "L0.203[202,203] 203ns |L0.203| "
- - "L0.204[203,204] 204ns |L0.204| "
- - "L0.205[204,205] 205ns |L0.205| "
- - "L0.206[205,206] 206ns |L0.206| "
- - "L0.207[206,207] 207ns |L0.207| "
- - "L0.208[207,208] 208ns |L0.208| "
- - "L0.209[208,209] 209ns |L0.209| "
- - "L0.210[209,210] 210ns |L0.210| "
- - "L0.211[210,211] 211ns |L0.211| "
- - "L0.212[211,212] 212ns |L0.212| "
- - "L0.213[212,213] 213ns |L0.213| "
- - "L0.214[213,214] 214ns |L0.214| "
- - "L0.215[214,215] 215ns |L0.215| "
- - "L0.216[215,216] 216ns |L0.216| "
- - "L0.217[216,217] 217ns |L0.217| "
- - "L0.218[217,218] 218ns |L0.218| "
- - "L0.219[218,219] 219ns |L0.219| "
- - "L0.220[219,220] 220ns |L0.220| "
- - "L0.221[220,221] 221ns |L0.221| "
- - "L0.222[221,222] 222ns |L0.222| "
- - "L0.223[222,223] 223ns |L0.223| "
- - "L0.224[223,224] 224ns |L0.224| "
- - "L0.225[224,225] 225ns |L0.225| "
- - "L0.226[225,226] 226ns |L0.226| "
- - "L0.227[226,227] 227ns |L0.227| "
- - "L0.228[227,228] 228ns |L0.228| "
- - "L0.229[228,229] 229ns |L0.229| "
- - "L0.230[229,230] 230ns |L0.230| "
- - "L0.231[230,231] 231ns |L0.231| "
- - "L0.232[231,232] 232ns |L0.232| "
- - "L0.233[232,233] 233ns |L0.233| "
- - "L0.234[233,234] 234ns |L0.234| "
- - "L0.235[234,235] 235ns |L0.235| "
- - "L0.236[235,236] 236ns |L0.236| "
- - "L0.237[236,237] 237ns |L0.237| "
- - "L0.238[237,238] 238ns |L0.238| "
- - "L0.239[238,239] 239ns |L0.239| "
- - "L0.240[239,240] 240ns |L0.240| "
- - "L0.241[240,241] 241ns |L0.241| "
- - "L0.242[241,242] 242ns |L0.242| "
- - "L0.243[242,243] 243ns |L0.243| "
- - "L0.244[243,244] 244ns |L0.244| "
- - "L0.245[244,245] 245ns |L0.245| "
- - "L0.246[245,246] 246ns |L0.246| "
- - "L0.247[246,247] 247ns |L0.247| "
- - "L0.248[247,248] 248ns |L0.248| "
- - "L0.249[248,249] 249ns |L0.249| "
- - "L0.250[249,250] 250ns |L0.250| "
- - "L0.251[250,251] 251ns |L0.251| "
- - "L0.252[251,252] 252ns |L0.252| "
- - "L0.253[252,253] 253ns |L0.253| "
- - "L0.254[253,254] 254ns |L0.254| "
- - "L0.255[254,255] 255ns |L0.255| "
- - "L0.256[255,256] 256ns |L0.256| "
- - "L0.257[256,257] 257ns |L0.257| "
- - "L0.258[257,258] 258ns |L0.258| "
- - "L0.259[258,259] 259ns |L0.259| "
- - "L0.260[259,260] 260ns |L0.260| "
- - "L0.261[260,261] 261ns |L0.261| "
- - "L0.262[261,262] 262ns |L0.262| "
- - "L0.263[262,263] 263ns |L0.263| "
- - "L0.264[263,264] 264ns |L0.264| "
- - "L0.265[264,265] 265ns |L0.265| "
- - "L0.266[265,266] 266ns |L0.266| "
- - "L0.267[266,267] 267ns |L0.267| "
- - "L0.268[267,268] 268ns |L0.268| "
- - "L0.269[268,269] 269ns |L0.269| "
- - "L0.270[269,270] 270ns |L0.270| "
- - "L0.271[270,271] 271ns |L0.271| "
- - "L0.272[271,272] 272ns |L0.272| "
- - "L0.273[272,273] 273ns |L0.273| "
- - "L0.274[273,274] 274ns |L0.274| "
- - "L0.275[274,275] 275ns |L0.275| "
- - "L0.276[275,276] 276ns |L0.276| "
- - "L0.277[276,277] 277ns |L0.277|"
- - "L0.278[277,278] 278ns |L0.278|"
- - "L0.279[278,279] 279ns |L0.279|"
- - "L0.280[279,280] 280ns |L0.280|"
- - "L0.281[280,281] 281ns |L0.281|"
- - "L0.282[281,282] 282ns |L0.282|"
- - "L0.283[282,283] 283ns |L0.283|"
- - "L0.284[283,284] 284ns |L0.284|"
- - "L0.285[284,285] 285ns |L0.285|"
- - "L0.286[285,286] 286ns |L0.286|"
- - "L0.287[286,287] 287ns |L0.287|"
- - "L0.288[287,288] 288ns |L0.288|"
- - "**** 3 Output Files (parquet_file_id not yet assigned), 276mb total:"
+ - "**** Simulation run 1, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[151, 201]). 100 Input Files, 300mb total:"
- "L0 "
- - "L0.?[150,200] 288ns 100mb|-------------L0.?-------------| "
- - "L0.?[201,250] 288ns 98mb |------------L0.?-------------| "
- - "L0.?[251,288] 288ns 78mb |---------L0.?---------| "
- - "Committing partition 1:"
- - " Soft Deleting 138 files: L0.151, L0.152, L0.153, L0.154, L0.155, L0.156, L0.157, L0.158, L0.159, L0.160, L0.161, L0.162, L0.163, L0.164, L0.165, L0.166, L0.167, L0.168, L0.169, L0.170, L0.171, L0.172, L0.173, L0.174, L0.175, L0.176, L0.177, L0.178, L0.179, L0.180, L0.181, L0.182, L0.183, L0.184, L0.185, L0.186, L0.187, L0.188, L0.189, L0.190, L0.191, L0.192, L0.193, L0.194, L0.195, L0.196, L0.197, L0.198, L0.199, L0.200, L0.201, L0.202, L0.203, L0.204, L0.205, L0.206, L0.207, L0.208, L0.209, L0.210, L0.211, L0.212, L0.213, L0.214, L0.215, L0.216, L0.217, L0.218, L0.219, L0.220, L0.221, L0.222, L0.223, L0.224, L0.225, L0.226, L0.227, L0.228, L0.229, L0.230, L0.231, L0.232, L0.233, L0.234, L0.235, L0.236, L0.237, L0.238, L0.239, L0.240, L0.241, L0.242, L0.243, L0.244, L0.245, L0.246, L0.247, L0.248, L0.249, L0.250, L0.251, L0.252, L0.253, L0.254, L0.255, L0.256, L0.257, L0.258, L0.259, L0.260, L0.261, L0.262, L0.263, L0.264, L0.265, L0.266, L0.267, L0.268, L0.269, L0.270, L0.271, L0.272, L0.273, L0.274, L0.275, L0.276, L0.277, L0.278, L0.279, L0.280, L0.281, L0.282, L0.283, L0.284, L0.285, L0.286, L0.287, L0.288"
- - " Creating 3 files"
- - "**** Simulation run 2, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[101, 151]). 3 Input Files, 300mb total:"
- - "L0 "
- - "L0.290[51,100] 150ns 98mb|----------L0.290-----------| "
- - "L0.291[101,150] 150ns 102mb |----------L0.291-----------| "
- - "L0.292[150,200] 288ns 100mb |-----------L0.292-----------| "
+ - "L0.151[150,151] 151ns 2mb |L0.151| "
+ - "L0.152[151,152] 152ns 2mb |L0.152| "
+ - "L0.153[152,153] 153ns 2mb |L0.153| "
+ - "L0.154[153,154] 154ns 2mb |L0.154| "
+ - "L0.155[154,155] 155ns 2mb |L0.155| "
+ - "L0.156[155,156] 156ns 2mb |L0.156| "
+ - "L0.157[156,157] 157ns 2mb |L0.157| "
+ - "L0.158[157,158] 158ns 2mb |L0.158| "
+ - "L0.159[158,159] 159ns 2mb |L0.159| "
+ - "L0.160[159,160] 160ns 2mb |L0.160| "
+ - "L0.161[160,161] 161ns 2mb |L0.161| "
+ - "L0.162[161,162] 162ns 2mb |L0.162| "
+ - "L0.163[162,163] 163ns 2mb |L0.163| "
+ - "L0.164[163,164] 164ns 2mb |L0.164| "
+ - "L0.165[164,165] 165ns 2mb |L0.165| "
+ - "L0.166[165,166] 166ns 2mb |L0.166| "
+ - "L0.167[166,167] 167ns 2mb |L0.167| "
+ - "L0.168[167,168] 168ns 2mb |L0.168| "
+ - "L0.169[168,169] 169ns 2mb |L0.169| "
+ - "L0.170[169,170] 170ns 2mb |L0.170| "
+ - "L0.171[170,171] 171ns 2mb |L0.171| "
+ - "L0.172[171,172] 172ns 2mb |L0.172| "
+ - "L0.173[172,173] 173ns 2mb |L0.173| "
+ - "L0.174[173,174] 174ns 2mb |L0.174| "
+ - "L0.175[174,175] 175ns 2mb |L0.175| "
+ - "L0.176[175,176] 176ns 2mb |L0.176| "
+ - "L0.177[176,177] 177ns 2mb |L0.177| "
+ - "L0.178[177,178] 178ns 2mb |L0.178| "
+ - "L0.179[178,179] 179ns 2mb |L0.179| "
+ - "L0.180[179,180] 180ns 2mb |L0.180| "
+ - "L0.181[180,181] 181ns 2mb |L0.181| "
+ - "L0.182[181,182] 182ns 2mb |L0.182| "
+ - "L0.183[182,183] 183ns 2mb |L0.183| "
+ - "L0.184[183,184] 184ns 2mb |L0.184| "
+ - "L0.185[184,185] 185ns 2mb |L0.185| "
+ - "L0.186[185,186] 186ns 2mb |L0.186| "
+ - "L0.187[186,187] 187ns 2mb |L0.187| "
+ - "L0.188[187,188] 188ns 2mb |L0.188| "
+ - "L0.189[188,189] 189ns 2mb |L0.189| "
+ - "L0.190[189,190] 190ns 2mb |L0.190| "
+ - "L0.191[190,191] 191ns 2mb |L0.191| "
+ - "L0.192[191,192] 192ns 2mb |L0.192| "
+ - "L0.193[192,193] 193ns 2mb |L0.193| "
+ - "L0.194[193,194] 194ns 2mb |L0.194| "
+ - "L0.195[194,195] 195ns 2mb |L0.195| "
+ - "L0.196[195,196] 196ns 2mb |L0.196| "
+ - "L0.197[196,197] 197ns 2mb |L0.197| "
+ - "L0.198[197,198] 198ns 2mb |L0.198| "
+ - "L0.199[198,199] 199ns 2mb |L0.199| "
+ - "L0.200[199,200] 200ns 2mb |L0.200| "
+ - "L0.201[200,201] 201ns 2mb |L0.201| "
+ - "L0.202[201,202] 202ns 2mb |L0.202| "
+ - "L0.203[202,203] 203ns 2mb |L0.203| "
+ - "L0.204[203,204] 204ns 2mb |L0.204| "
+ - "L0.205[204,205] 205ns 2mb |L0.205| "
+ - "L0.206[205,206] 206ns 2mb |L0.206| "
+ - "L0.207[206,207] 207ns 2mb |L0.207| "
+ - "L0.208[207,208] 208ns 2mb |L0.208| "
+ - "L0.209[208,209] 209ns 2mb |L0.209| "
+ - "L0.210[209,210] 210ns 2mb |L0.210| "
+ - "L0.211[210,211] 211ns 2mb |L0.211| "
+ - "L0.212[211,212] 212ns 2mb |L0.212| "
+ - "L0.213[212,213] 213ns 2mb |L0.213| "
+ - "L0.214[213,214] 214ns 2mb |L0.214| "
+ - "L0.215[214,215] 215ns 2mb |L0.215| "
+ - "L0.216[215,216] 216ns 2mb |L0.216| "
+ - "L0.217[216,217] 217ns 2mb |L0.217| "
+ - "L0.218[217,218] 218ns 2mb |L0.218| "
+ - "L0.219[218,219] 219ns 2mb |L0.219| "
+ - "L0.220[219,220] 220ns 2mb |L0.220| "
+ - "L0.221[220,221] 221ns 2mb |L0.221| "
+ - "L0.222[221,222] 222ns 2mb |L0.222| "
+ - "L0.223[222,223] 223ns 2mb |L0.223| "
+ - "L0.224[223,224] 224ns 2mb |L0.224| "
+ - "L0.225[224,225] 225ns 2mb |L0.225| "
+ - "L0.226[225,226] 226ns 2mb |L0.226| "
+ - "L0.227[226,227] 227ns 2mb |L0.227| "
+ - "L0.228[227,228] 228ns 2mb |L0.228| "
+ - "L0.229[228,229] 229ns 2mb |L0.229| "
+ - "L0.230[229,230] 230ns 2mb |L0.230| "
+ - "L0.231[230,231] 231ns 2mb |L0.231| "
+ - "L0.232[231,232] 232ns 2mb |L0.232| "
+ - "L0.233[232,233] 233ns 2mb |L0.233| "
+ - "L0.234[233,234] 234ns 2mb |L0.234| "
+ - "L0.235[234,235] 235ns 2mb |L0.235| "
+ - "L0.236[235,236] 236ns 2mb |L0.236| "
+ - "L0.237[236,237] 237ns 2mb |L0.237|"
+ - "L0.238[237,238] 238ns 2mb |L0.238|"
+ - "L0.239[238,239] 239ns 2mb |L0.239|"
+ - "L0.240[239,240] 240ns 2mb |L0.240|"
+ - "L0.241[240,241] 241ns 2mb |L0.241|"
+ - "L0.242[241,242] 242ns 2mb |L0.242|"
+ - "L0.243[242,243] 243ns 2mb |L0.243|"
+ - "L0.244[243,244] 244ns 2mb |L0.244|"
+ - "L0.245[244,245] 245ns 2mb |L0.245|"
+ - "L0.246[245,246] 246ns 2mb |L0.246|"
+ - "L0.247[246,247] 247ns 2mb |L0.247|"
+ - "L0.248[247,248] 248ns 2mb |L0.248|"
+ - "L0.249[248,249] 249ns 2mb |L0.249|"
+ - "L1 "
+ - "L1.291[101,150] 150ns 102mb|----------L1.291-----------| "
- "**** 3 Output Files (parquet_file_id not yet assigned), 300mb total:"
- "L1 "
- - "L1.?[51,101] 288ns 101mb |------------L1.?------------| "
- - "L1.?[102,151] 288ns 99mb |-----------L1.?------------| "
- - "L1.?[152,200] 288ns 101mb |-----------L1.?-----------| "
+ - "L1.?[101,151] 249ns 101mb|------------L1.?------------| "
+ - "L1.?[152,201] 249ns 99mb |-----------L1.?------------| "
+ - "L1.?[202,249] 249ns 99mb |-----------L1.?-----------| "
- "Committing partition 1:"
- - " Soft Deleting 3 files: L0.290, L0.291, L0.292"
- - " Upgrading 1 files level to CompactionLevel::L1: L0.289"
+ - " Soft Deleting 100 files: L0.151, L0.152, L0.153, L0.154, L0.155, L0.156, L0.157, L0.158, L0.159, L0.160, L0.161, L0.162, L0.163, L0.164, L0.165, L0.166, L0.167, L0.168, L0.169, L0.170, L0.171, L0.172, L0.173, L0.174, L0.175, L0.176, L0.177, L0.178, L0.179, L0.180, L0.181, L0.182, L0.183, L0.184, L0.185, L0.186, L0.187, L0.188, L0.189, L0.190, L0.191, L0.192, L0.193, L0.194, L0.195, L0.196, L0.197, L0.198, L0.199, L0.200, L0.201, L0.202, L0.203, L0.204, L0.205, L0.206, L0.207, L0.208, L0.209, L0.210, L0.211, L0.212, L0.213, L0.214, L0.215, L0.216, L0.217, L0.218, L0.219, L0.220, L0.221, L0.222, L0.223, L0.224, L0.225, L0.226, L0.227, L0.228, L0.229, L0.230, L0.231, L0.232, L0.233, L0.234, L0.235, L0.236, L0.237, L0.238, L0.239, L0.240, L0.241, L0.242, L0.243, L0.244, L0.245, L0.246, L0.247, L0.248, L0.249, L1.291"
- " Creating 3 files"
- - "**** Simulation run 3, type=split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))(split_times=[251]). 2 Input Files, 176mb total:"
+ - "**** Simulation run 2, type=split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))(split_times=[251]). 40 Input Files, 177mb total:"
- "L0 "
- - "L0.294[251,288] 288ns 78mb |---------------L0.294---------------| "
- - "L0.293[201,250] 288ns 98mb|---------------------L0.293---------------------| "
- - "**** 2 Output Files (parquet_file_id not yet assigned), 176mb total:"
+ - "L0.288[287,288] 288ns 2mb |L0.288|"
+ - "L0.287[286,287] 287ns 2mb |L0.287|"
+ - "L0.286[285,286] 286ns 2mb |L0.286|"
+ - "L0.285[284,285] 285ns 2mb |L0.285|"
+ - "L0.284[283,284] 284ns 2mb |L0.284|"
+ - "L0.283[282,283] 283ns 2mb |L0.283|"
+ - "L0.282[281,282] 282ns 2mb |L0.282|"
+ - "L0.281[280,281] 281ns 2mb |L0.281| "
+ - "L0.280[279,280] 280ns 2mb |L0.280| "
+ - "L0.279[278,279] 279ns 2mb |L0.279| "
+ - "L0.278[277,278] 278ns 2mb |L0.278| "
+ - "L0.277[276,277] 277ns 2mb |L0.277| "
+ - "L0.276[275,276] 276ns 2mb |L0.276| "
+ - "L0.275[274,275] 275ns 2mb |L0.275| "
+ - "L0.274[273,274] 274ns 2mb |L0.274| "
+ - "L0.273[272,273] 273ns 2mb |L0.273| "
+ - "L0.272[271,272] 272ns 2mb |L0.272| "
+ - "L0.271[270,271] 271ns 2mb |L0.271| "
+ - "L0.270[269,270] 270ns 2mb |L0.270| "
+ - "L0.269[268,269] 269ns 2mb |L0.269| "
+ - "L0.268[267,268] 268ns 2mb |L0.268| "
+ - "L0.267[266,267] 267ns 2mb |L0.267| "
+ - "L0.266[265,266] 266ns 2mb |L0.266| "
+ - "L0.265[264,265] 265ns 2mb |L0.265| "
+ - "L0.264[263,264] 264ns 2mb |L0.264| "
+ - "L0.263[262,263] 263ns 2mb |L0.263| "
+ - "L0.262[261,262] 262ns 2mb |L0.262| "
+ - "L0.261[260,261] 261ns 2mb |L0.261| "
+ - "L0.260[259,260] 260ns 2mb |L0.260| "
+ - "L0.259[258,259] 259ns 2mb |L0.259| "
+ - "L0.258[257,258] 258ns 2mb |L0.258| "
+ - "L0.257[256,257] 257ns 2mb |L0.257| "
+ - "L0.256[255,256] 256ns 2mb |L0.256| "
+ - "L0.255[254,255] 255ns 2mb |L0.255| "
+ - "L0.254[253,254] 254ns 2mb |L0.254| "
+ - "L0.253[252,253] 253ns 2mb |L0.253| "
+ - "L0.252[251,252] 252ns 2mb |L0.252| "
+ - "L0.251[250,251] 251ns 2mb |L0.251| "
+ - "L0.250[249,250] 250ns 2mb |L0.250| "
+ - "L1 "
+ - "L1.294[202,249] 249ns 99mb|--------------------L1.294---------------------| "
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 177mb total:"
- "L1 "
- - "L1.?[201,251] 288ns 101mb|----------------------L1.?-----------------------| "
- - "L1.?[252,288] 288ns 75mb |---------------L1.?----------------| "
+ - "L1.?[202,251] 288ns 101mb|----------------------L1.?-----------------------| "
+ - "L1.?[252,288] 288ns 76mb |---------------L1.?----------------| "
- "Committing partition 1:"
- - " Soft Deleting 2 files: L0.293, L0.294"
+ - " Soft Deleting 40 files: L0.250, L0.251, L0.252, L0.253, L0.254, L0.255, L0.256, L0.257, L0.258, L0.259, L0.260, L0.261, L0.262, L0.263, L0.264, L0.265, L0.266, L0.267, L0.268, L0.269, L0.270, L0.271, L0.272, L0.273, L0.274, L0.275, L0.276, L0.277, L0.278, L0.279, L0.280, L0.281, L0.282, L0.283, L0.284, L0.285, L0.286, L0.287, L0.288, L1.294"
- " Creating 2 files"
- - "**** Simulation run 4, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[152]). 2 Input Files, 199mb total:"
+ - "**** Simulation run 3, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[102, 153]). 3 Input Files, 299mb total:"
- "L1 "
- - "L1.296[102,151] 288ns 99mb|------------------L1.296-------------------| "
- - "L1.297[152,200] 288ns 101mb |------------------L1.297------------------| "
- - "**** 2 Output Files (parquet_file_id not yet assigned), 199mb total:"
+ - "L1.290[51,100] 150ns 98mb|----------L1.290-----------| "
+ - "L1.292[101,151] 249ns 101mb |-----------L1.292-----------| "
+ - "L1.293[152,201] 249ns 99mb |----------L1.293-----------| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 299mb total:"
- "L2 "
- - "L2.?[102,152] 288ns 102mb|-------------------L2.?--------------------| "
- - "L2.?[153,200] 288ns 98mb |------------------L2.?-------------------| "
+ - "L2.?[51,102] 249ns 102mb |------------L2.?------------| "
+ - "L2.?[103,153] 249ns 100mb |------------L2.?------------| "
+ - "L2.?[154,201] 249ns 98mb |-----------L2.?-----------| "
- "Committing partition 1:"
- - " Soft Deleting 2 files: L1.296, L1.297"
- - " Upgrading 2 files level to CompactionLevel::L2: L1.289, L1.295"
- - " Creating 2 files"
- - "**** Simulation run 5, type=split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))(split_times=[280]). 1 Input Files, 75mb total:"
- - "L1, all files 75mb "
- - "L1.299[252,288] 288ns |-----------------------------------------L1.299-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 75mb total:"
+ - " Soft Deleting 3 files: L1.290, L1.292, L1.293"
+ - " Upgrading 1 files level to CompactionLevel::L2: L1.289"
+ - " Creating 3 files"
+ - "**** Simulation run 4, type=split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))(split_times=[280]). 1 Input Files, 76mb total:"
+ - "L1, all files 76mb "
+ - "L1.296[252,288] 288ns |-----------------------------------------L1.296-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 76mb total:"
- "L2 "
- - "L2.?[252,280] 288ns 58mb |--------------------------------L2.?--------------------------------| "
+ - "L2.?[252,280] 288ns 59mb |--------------------------------L2.?--------------------------------| "
- "L2.?[281,288] 288ns 17mb |-----L2.?------| "
- "Committing partition 1:"
- - " Soft Deleting 1 files: L1.299"
- - " Upgrading 1 files level to CompactionLevel::L2: L1.298"
+ - " Soft Deleting 1 files: L1.296"
+ - " Upgrading 1 files level to CompactionLevel::L2: L1.295"
- " Creating 2 files"
- - "**** Final Output Files (1.3gb written)"
+ - "**** Final Output Files (1.13gb written)"
- "L2 "
- "L2.289[0,50] 150ns 100mb |---L2.289----| "
- - "L2.295[51,101] 288ns 101mb |---L2.295----| "
- - "L2.298[201,251] 288ns 101mb |---L2.298----| "
- - "L2.300[102,152] 288ns 102mb |---L2.300----| "
- - "L2.301[153,200] 288ns 98mb |---L2.301---| "
- - "L2.302[252,280] 288ns 58mb |L2.302| "
- - "L2.303[281,288] 288ns 17mb |L2.303|"
+ - "L2.295[202,251] 288ns 101mb |---L2.295----| "
+ - "L2.297[51,102] 249ns 102mb |---L2.297----| "
+ - "L2.298[103,153] 249ns 100mb |---L2.298----| "
+ - "L2.299[154,201] 249ns 98mb |---L2.299---| "
+ - "L2.300[252,280] 288ns 59mb |L2.300| "
+ - "L2.301[281,288] 288ns 17mb |L2.301|"
"###
);
}
diff --git a/compactor/tests/layouts/many_files.rs b/compactor/tests/layouts/many_files.rs
index 817212185c..3dca11825a 100644
--- a/compactor/tests/layouts/many_files.rs
+++ b/compactor/tests/layouts/many_files.rs
@@ -4,6 +4,7 @@
use data_types::CompactionLevel;
use iox_time::Time;
+use std::time::Duration;
use crate::layouts::{layout_setup_builder, parquet_builder, run_layout_scenario, ONE_MB};
@@ -98,10 +99,10 @@ async fn many_l0_files_different_created_order() {
- "Committing partition 1:"
- " Soft Deleting 2 files: L0.3, L0.4"
- " Creating 1 files"
- - "**** Simulation run 2, type=compact(TotalSizeLessThanMaxCompactSize). 2 Input Files, 10kb total:"
+ - "**** Simulation run 2, type=compact(FoundSubsetLessThanMaxCompactSize). 2 Input Files, 10kb total:"
- "L0, all files 5kb "
- - "L0.6[20,52] 4ns |-------------------------------L0.6-------------------------------| "
- "L0.5[10,42] 2ns |-------------------------------L0.5-------------------------------| "
+ - "L0.6[20,52] 4ns |-------------------------------L0.6-------------------------------| "
- "**** 1 Output Files (parquet_file_id not yet assigned), 10kb total:"
- "L1, all files 10kb "
- "L1.?[10,52] 4ns |------------------------------------------L1.?------------------------------------------|"
@@ -208,10 +209,10 @@ async fn many_l1_files_different_created_order() {
- "Committing partition 1:"
- " Soft Deleting 2 files: L1.2, L1.4"
- " Creating 1 files"
- - "**** Simulation run 2, type=compact(TotalSizeLessThanMaxCompactSize). 2 Input Files, 10kb total:"
+ - "**** Simulation run 2, type=compact(FoundSubsetLessThanMaxCompactSize). 2 Input Files, 10kb total:"
- "L1, all files 5kb "
- - "L1.6[31,50] 4ns |------------------L1.6-------------------| "
- "L1.5[11,30] 3ns |------------------L1.5-------------------| "
+ - "L1.6[31,50] 4ns |------------------L1.6-------------------| "
- "**** 1 Output Files (parquet_file_id not yet assigned), 10kb total:"
- "L2, all files 10kb "
- "L2.?[11,50] 4ns |------------------------------------------L2.?------------------------------------------|"
@@ -316,10 +317,10 @@ async fn many_l0_files_different_created_order_non_overlap() {
- "Committing partition 1:"
- " Soft Deleting 2 files: L0.3, L0.4"
- " Creating 1 files"
- - "**** Simulation run 2, type=compact(TotalSizeLessThanMaxCompactSize). 2 Input Files, 10kb total:"
+ - "**** Simulation run 2, type=compact(FoundSubsetLessThanMaxCompactSize). 2 Input Files, 10kb total:"
- "L0, all files 5kb "
- - "L0.6[21,50] 4ns |------------------------------L0.6------------------------------| "
- "L0.5[11,40] 2ns |------------------------------L0.5------------------------------| "
+ - "L0.6[21,50] 4ns |------------------------------L0.6------------------------------| "
- "**** 1 Output Files (parquet_file_id not yet assigned), 10kb total:"
- "L1, all files 10kb "
- "L1.?[11,50] 4ns |------------------------------------------L1.?------------------------------------------|"
@@ -3654,3 +3655,8702 @@ async fn not_many_l0_and_overlapped_l1_files() {
"###
);
}
+
+#[tokio::test]
+async fn l0s_almost_needing_vertical_split() {
+ test_helpers::maybe_start_logging();
+
+ let max_files_per_plan = 200;
+ let max_compact_size = 300 * ONE_MB;
+ let max_file_size = max_compact_size / 3;
+ let actual_file_size = max_compact_size / (max_files_per_plan * 2);
+
+ let setup = layout_setup_builder()
+ .await
+ .with_max_num_files_per_plan(max_files_per_plan as usize)
+ .with_max_desired_file_size_bytes(max_file_size)
+ .with_partition_timeout(Duration::from_millis(10000))
+ .build()
+ .await;
+
+ // // L1: 20 non overlapping files (more than with_min_num_l1_files_to_compact)
+ // for i in 0..20 {
+ // setup
+ // .partition
+ // .create_parquet_file(
+ // parquet_builder()
+ // .with_min_time(i * 2)
+ // .with_max_time(i * 2 + 1)
+ // .with_compaction_level(CompactionLevel::FileNonOverlapped)
+ // // content in L1 files ingested before all available L0
+ // .with_max_l0_created_at(Time::from_timestamp_nanos(i + 1))
+ // .with_file_size_bytes(actual_file_size),
+ // )
+ // .await;
+ // }
+ // L0: a few small files that overlap
+ for i in 0..1000 {
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(24)
+ .with_max_time(100)
+ // L0 files created after all L1 files
+ .with_max_l0_created_at(Time::from_timestamp_nanos(20 + i + 1))
+ .with_file_size_bytes(actual_file_size),
+ )
+ .await;
+ }
+
+ insta::assert_yaml_snapshot!(
+ run_layout_scenario(&setup).await,
+ @r###"
+ ---
+ - "**** Input Files "
+ - "L0, all files 768kb "
+ - "L0.1[24,100] 21ns |------------------------------------------L0.1------------------------------------------|"
+ - "L0.2[24,100] 22ns |------------------------------------------L0.2------------------------------------------|"
+ - "L0.3[24,100] 23ns |------------------------------------------L0.3------------------------------------------|"
+ - "L0.4[24,100] 24ns |------------------------------------------L0.4------------------------------------------|"
+ - "L0.5[24,100] 25ns |------------------------------------------L0.5------------------------------------------|"
+ - "L0.6[24,100] 26ns |------------------------------------------L0.6------------------------------------------|"
+ - "L0.7[24,100] 27ns |------------------------------------------L0.7------------------------------------------|"
+ - "L0.8[24,100] 28ns |------------------------------------------L0.8------------------------------------------|"
+ - "L0.9[24,100] 29ns |------------------------------------------L0.9------------------------------------------|"
+ - "L0.10[24,100] 30ns |-----------------------------------------L0.10------------------------------------------|"
+ - "L0.11[24,100] 31ns |-----------------------------------------L0.11------------------------------------------|"
+ - "L0.12[24,100] 32ns |-----------------------------------------L0.12------------------------------------------|"
+ - "L0.13[24,100] 33ns |-----------------------------------------L0.13------------------------------------------|"
+ - "L0.14[24,100] 34ns |-----------------------------------------L0.14------------------------------------------|"
+ - "L0.15[24,100] 35ns |-----------------------------------------L0.15------------------------------------------|"
+ - "L0.16[24,100] 36ns |-----------------------------------------L0.16------------------------------------------|"
+ - "L0.17[24,100] 37ns |-----------------------------------------L0.17------------------------------------------|"
+ - "L0.18[24,100] 38ns |-----------------------------------------L0.18------------------------------------------|"
+ - "L0.19[24,100] 39ns |-----------------------------------------L0.19------------------------------------------|"
+ - "L0.20[24,100] 40ns |-----------------------------------------L0.20------------------------------------------|"
+ - "L0.21[24,100] 41ns |-----------------------------------------L0.21------------------------------------------|"
+ - "L0.22[24,100] 42ns |-----------------------------------------L0.22------------------------------------------|"
+ - "L0.23[24,100] 43ns |-----------------------------------------L0.23------------------------------------------|"
+ - "L0.24[24,100] 44ns |-----------------------------------------L0.24------------------------------------------|"
+ - "L0.25[24,100] 45ns |-----------------------------------------L0.25------------------------------------------|"
+ - "L0.26[24,100] 46ns |-----------------------------------------L0.26------------------------------------------|"
+ - "L0.27[24,100] 47ns |-----------------------------------------L0.27------------------------------------------|"
+ - "L0.28[24,100] 48ns |-----------------------------------------L0.28------------------------------------------|"
+ - "L0.29[24,100] 49ns |-----------------------------------------L0.29------------------------------------------|"
+ - "L0.30[24,100] 50ns |-----------------------------------------L0.30------------------------------------------|"
+ - "L0.31[24,100] 51ns |-----------------------------------------L0.31------------------------------------------|"
+ - "L0.32[24,100] 52ns |-----------------------------------------L0.32------------------------------------------|"
+ - "L0.33[24,100] 53ns |-----------------------------------------L0.33------------------------------------------|"
+ - "L0.34[24,100] 54ns |-----------------------------------------L0.34------------------------------------------|"
+ - "L0.35[24,100] 55ns |-----------------------------------------L0.35------------------------------------------|"
+ - "L0.36[24,100] 56ns |-----------------------------------------L0.36------------------------------------------|"
+ - "L0.37[24,100] 57ns |-----------------------------------------L0.37------------------------------------------|"
+ - "L0.38[24,100] 58ns |-----------------------------------------L0.38------------------------------------------|"
+ - "L0.39[24,100] 59ns |-----------------------------------------L0.39------------------------------------------|"
+ - "L0.40[24,100] 60ns |-----------------------------------------L0.40------------------------------------------|"
+ - "L0.41[24,100] 61ns |-----------------------------------------L0.41------------------------------------------|"
+ - "L0.42[24,100] 62ns |-----------------------------------------L0.42------------------------------------------|"
+ - "L0.43[24,100] 63ns |-----------------------------------------L0.43------------------------------------------|"
+ - "L0.44[24,100] 64ns |-----------------------------------------L0.44------------------------------------------|"
+ - "L0.45[24,100] 65ns |-----------------------------------------L0.45------------------------------------------|"
+ - "L0.46[24,100] 66ns |-----------------------------------------L0.46------------------------------------------|"
+ - "L0.47[24,100] 67ns |-----------------------------------------L0.47------------------------------------------|"
+ - "L0.48[24,100] 68ns |-----------------------------------------L0.48------------------------------------------|"
+ - "L0.49[24,100] 69ns |-----------------------------------------L0.49------------------------------------------|"
+ - "L0.50[24,100] 70ns |-----------------------------------------L0.50------------------------------------------|"
+ - "L0.51[24,100] 71ns |-----------------------------------------L0.51------------------------------------------|"
+ - "L0.52[24,100] 72ns |-----------------------------------------L0.52------------------------------------------|"
+ - "L0.53[24,100] 73ns |-----------------------------------------L0.53------------------------------------------|"
+ - "L0.54[24,100] 74ns |-----------------------------------------L0.54------------------------------------------|"
+ - "L0.55[24,100] 75ns |-----------------------------------------L0.55------------------------------------------|"
+ - "L0.56[24,100] 76ns |-----------------------------------------L0.56------------------------------------------|"
+ - "L0.57[24,100] 77ns |-----------------------------------------L0.57------------------------------------------|"
+ - "L0.58[24,100] 78ns |-----------------------------------------L0.58------------------------------------------|"
+ - "L0.59[24,100] 79ns |-----------------------------------------L0.59------------------------------------------|"
+ - "L0.60[24,100] 80ns |-----------------------------------------L0.60------------------------------------------|"
+ - "L0.61[24,100] 81ns |-----------------------------------------L0.61------------------------------------------|"
+ - "L0.62[24,100] 82ns |-----------------------------------------L0.62------------------------------------------|"
+ - "L0.63[24,100] 83ns |-----------------------------------------L0.63------------------------------------------|"
+ - "L0.64[24,100] 84ns |-----------------------------------------L0.64------------------------------------------|"
+ - "L0.65[24,100] 85ns |-----------------------------------------L0.65------------------------------------------|"
+ - "L0.66[24,100] 86ns |-----------------------------------------L0.66------------------------------------------|"
+ - "L0.67[24,100] 87ns |-----------------------------------------L0.67------------------------------------------|"
+ - "L0.68[24,100] 88ns |-----------------------------------------L0.68------------------------------------------|"
+ - "L0.69[24,100] 89ns |-----------------------------------------L0.69------------------------------------------|"
+ - "L0.70[24,100] 90ns |-----------------------------------------L0.70------------------------------------------|"
+ - "L0.71[24,100] 91ns |-----------------------------------------L0.71------------------------------------------|"
+ - "L0.72[24,100] 92ns |-----------------------------------------L0.72------------------------------------------|"
+ - "L0.73[24,100] 93ns |-----------------------------------------L0.73------------------------------------------|"
+ - "L0.74[24,100] 94ns |-----------------------------------------L0.74------------------------------------------|"
+ - "L0.75[24,100] 95ns |-----------------------------------------L0.75------------------------------------------|"
+ - "L0.76[24,100] 96ns |-----------------------------------------L0.76------------------------------------------|"
+ - "L0.77[24,100] 97ns |-----------------------------------------L0.77------------------------------------------|"
+ - "L0.78[24,100] 98ns |-----------------------------------------L0.78------------------------------------------|"
+ - "L0.79[24,100] 99ns |-----------------------------------------L0.79------------------------------------------|"
+ - "L0.80[24,100] 100ns |-----------------------------------------L0.80------------------------------------------|"
+ - "L0.81[24,100] 101ns |-----------------------------------------L0.81------------------------------------------|"
+ - "L0.82[24,100] 102ns |-----------------------------------------L0.82------------------------------------------|"
+ - "L0.83[24,100] 103ns |-----------------------------------------L0.83------------------------------------------|"
+ - "L0.84[24,100] 104ns |-----------------------------------------L0.84------------------------------------------|"
+ - "L0.85[24,100] 105ns |-----------------------------------------L0.85------------------------------------------|"
+ - "L0.86[24,100] 106ns |-----------------------------------------L0.86------------------------------------------|"
+ - "L0.87[24,100] 107ns |-----------------------------------------L0.87------------------------------------------|"
+ - "L0.88[24,100] 108ns |-----------------------------------------L0.88------------------------------------------|"
+ - "L0.89[24,100] 109ns |-----------------------------------------L0.89------------------------------------------|"
+ - "L0.90[24,100] 110ns |-----------------------------------------L0.90------------------------------------------|"
+ - "L0.91[24,100] 111ns |-----------------------------------------L0.91------------------------------------------|"
+ - "L0.92[24,100] 112ns |-----------------------------------------L0.92------------------------------------------|"
+ - "L0.93[24,100] 113ns |-----------------------------------------L0.93------------------------------------------|"
+ - "L0.94[24,100] 114ns |-----------------------------------------L0.94------------------------------------------|"
+ - "L0.95[24,100] 115ns |-----------------------------------------L0.95------------------------------------------|"
+ - "L0.96[24,100] 116ns |-----------------------------------------L0.96------------------------------------------|"
+ - "L0.97[24,100] 117ns |-----------------------------------------L0.97------------------------------------------|"
+ - "L0.98[24,100] 118ns |-----------------------------------------L0.98------------------------------------------|"
+ - "L0.99[24,100] 119ns |-----------------------------------------L0.99------------------------------------------|"
+ - "L0.100[24,100] 120ns |-----------------------------------------L0.100-----------------------------------------|"
+ - "L0.101[24,100] 121ns |-----------------------------------------L0.101-----------------------------------------|"
+ - "L0.102[24,100] 122ns |-----------------------------------------L0.102-----------------------------------------|"
+ - "L0.103[24,100] 123ns |-----------------------------------------L0.103-----------------------------------------|"
+ - "L0.104[24,100] 124ns |-----------------------------------------L0.104-----------------------------------------|"
+ - "L0.105[24,100] 125ns |-----------------------------------------L0.105-----------------------------------------|"
+ - "L0.106[24,100] 126ns |-----------------------------------------L0.106-----------------------------------------|"
+ - "L0.107[24,100] 127ns |-----------------------------------------L0.107-----------------------------------------|"
+ - "L0.108[24,100] 128ns |-----------------------------------------L0.108-----------------------------------------|"
+ - "L0.109[24,100] 129ns |-----------------------------------------L0.109-----------------------------------------|"
+ - "L0.110[24,100] 130ns |-----------------------------------------L0.110-----------------------------------------|"
+ - "L0.111[24,100] 131ns |-----------------------------------------L0.111-----------------------------------------|"
+ - "L0.112[24,100] 132ns |-----------------------------------------L0.112-----------------------------------------|"
+ - "L0.113[24,100] 133ns |-----------------------------------------L0.113-----------------------------------------|"
+ - "L0.114[24,100] 134ns |-----------------------------------------L0.114-----------------------------------------|"
+ - "L0.115[24,100] 135ns |-----------------------------------------L0.115-----------------------------------------|"
+ - "L0.116[24,100] 136ns |-----------------------------------------L0.116-----------------------------------------|"
+ - "L0.117[24,100] 137ns |-----------------------------------------L0.117-----------------------------------------|"
+ - "L0.118[24,100] 138ns |-----------------------------------------L0.118-----------------------------------------|"
+ - "L0.119[24,100] 139ns |-----------------------------------------L0.119-----------------------------------------|"
+ - "L0.120[24,100] 140ns |-----------------------------------------L0.120-----------------------------------------|"
+ - "L0.121[24,100] 141ns |-----------------------------------------L0.121-----------------------------------------|"
+ - "L0.122[24,100] 142ns |-----------------------------------------L0.122-----------------------------------------|"
+ - "L0.123[24,100] 143ns |-----------------------------------------L0.123-----------------------------------------|"
+ - "L0.124[24,100] 144ns |-----------------------------------------L0.124-----------------------------------------|"
+ - "L0.125[24,100] 145ns |-----------------------------------------L0.125-----------------------------------------|"
+ - "L0.126[24,100] 146ns |-----------------------------------------L0.126-----------------------------------------|"
+ - "L0.127[24,100] 147ns |-----------------------------------------L0.127-----------------------------------------|"
+ - "L0.128[24,100] 148ns |-----------------------------------------L0.128-----------------------------------------|"
+ - "L0.129[24,100] 149ns |-----------------------------------------L0.129-----------------------------------------|"
+ - "L0.130[24,100] 150ns |-----------------------------------------L0.130-----------------------------------------|"
+ - "L0.131[24,100] 151ns |-----------------------------------------L0.131-----------------------------------------|"
+ - "L0.132[24,100] 152ns |-----------------------------------------L0.132-----------------------------------------|"
+ - "L0.133[24,100] 153ns |-----------------------------------------L0.133-----------------------------------------|"
+ - "L0.134[24,100] 154ns |-----------------------------------------L0.134-----------------------------------------|"
+ - "L0.135[24,100] 155ns |-----------------------------------------L0.135-----------------------------------------|"
+ - "L0.136[24,100] 156ns |-----------------------------------------L0.136-----------------------------------------|"
+ - "L0.137[24,100] 157ns |-----------------------------------------L0.137-----------------------------------------|"
+ - "L0.138[24,100] 158ns |-----------------------------------------L0.138-----------------------------------------|"
+ - "L0.139[24,100] 159ns |-----------------------------------------L0.139-----------------------------------------|"
+ - "L0.140[24,100] 160ns |-----------------------------------------L0.140-----------------------------------------|"
+ - "L0.141[24,100] 161ns |-----------------------------------------L0.141-----------------------------------------|"
+ - "L0.142[24,100] 162ns |-----------------------------------------L0.142-----------------------------------------|"
+ - "L0.143[24,100] 163ns |-----------------------------------------L0.143-----------------------------------------|"
+ - "L0.144[24,100] 164ns |-----------------------------------------L0.144-----------------------------------------|"
+ - "L0.145[24,100] 165ns |-----------------------------------------L0.145-----------------------------------------|"
+ - "L0.146[24,100] 166ns |-----------------------------------------L0.146-----------------------------------------|"
+ - "L0.147[24,100] 167ns |-----------------------------------------L0.147-----------------------------------------|"
+ - "L0.148[24,100] 168ns |-----------------------------------------L0.148-----------------------------------------|"
+ - "L0.149[24,100] 169ns |-----------------------------------------L0.149-----------------------------------------|"
+ - "L0.150[24,100] 170ns |-----------------------------------------L0.150-----------------------------------------|"
+ - "L0.151[24,100] 171ns |-----------------------------------------L0.151-----------------------------------------|"
+ - "L0.152[24,100] 172ns |-----------------------------------------L0.152-----------------------------------------|"
+ - "L0.153[24,100] 173ns |-----------------------------------------L0.153-----------------------------------------|"
+ - "L0.154[24,100] 174ns |-----------------------------------------L0.154-----------------------------------------|"
+ - "L0.155[24,100] 175ns |-----------------------------------------L0.155-----------------------------------------|"
+ - "L0.156[24,100] 176ns |-----------------------------------------L0.156-----------------------------------------|"
+ - "L0.157[24,100] 177ns |-----------------------------------------L0.157-----------------------------------------|"
+ - "L0.158[24,100] 178ns |-----------------------------------------L0.158-----------------------------------------|"
+ - "L0.159[24,100] 179ns |-----------------------------------------L0.159-----------------------------------------|"
+ - "L0.160[24,100] 180ns |-----------------------------------------L0.160-----------------------------------------|"
+ - "L0.161[24,100] 181ns |-----------------------------------------L0.161-----------------------------------------|"
+ - "L0.162[24,100] 182ns |-----------------------------------------L0.162-----------------------------------------|"
+ - "L0.163[24,100] 183ns |-----------------------------------------L0.163-----------------------------------------|"
+ - "L0.164[24,100] 184ns |-----------------------------------------L0.164-----------------------------------------|"
+ - "L0.165[24,100] 185ns |-----------------------------------------L0.165-----------------------------------------|"
+ - "L0.166[24,100] 186ns |-----------------------------------------L0.166-----------------------------------------|"
+ - "L0.167[24,100] 187ns |-----------------------------------------L0.167-----------------------------------------|"
+ - "L0.168[24,100] 188ns |-----------------------------------------L0.168-----------------------------------------|"
+ - "L0.169[24,100] 189ns |-----------------------------------------L0.169-----------------------------------------|"
+ - "L0.170[24,100] 190ns |-----------------------------------------L0.170-----------------------------------------|"
+ - "L0.171[24,100] 191ns |-----------------------------------------L0.171-----------------------------------------|"
+ - "L0.172[24,100] 192ns |-----------------------------------------L0.172-----------------------------------------|"
+ - "L0.173[24,100] 193ns |-----------------------------------------L0.173-----------------------------------------|"
+ - "L0.174[24,100] 194ns |-----------------------------------------L0.174-----------------------------------------|"
+ - "L0.175[24,100] 195ns |-----------------------------------------L0.175-----------------------------------------|"
+ - "L0.176[24,100] 196ns |-----------------------------------------L0.176-----------------------------------------|"
+ - "L0.177[24,100] 197ns |-----------------------------------------L0.177-----------------------------------------|"
+ - "L0.178[24,100] 198ns |-----------------------------------------L0.178-----------------------------------------|"
+ - "L0.179[24,100] 199ns |-----------------------------------------L0.179-----------------------------------------|"
+ - "L0.180[24,100] 200ns |-----------------------------------------L0.180-----------------------------------------|"
+ - "L0.181[24,100] 201ns |-----------------------------------------L0.181-----------------------------------------|"
+ - "L0.182[24,100] 202ns |-----------------------------------------L0.182-----------------------------------------|"
+ - "L0.183[24,100] 203ns |-----------------------------------------L0.183-----------------------------------------|"
+ - "L0.184[24,100] 204ns |-----------------------------------------L0.184-----------------------------------------|"
+ - "L0.185[24,100] 205ns |-----------------------------------------L0.185-----------------------------------------|"
+ - "L0.186[24,100] 206ns |-----------------------------------------L0.186-----------------------------------------|"
+ - "L0.187[24,100] 207ns |-----------------------------------------L0.187-----------------------------------------|"
+ - "L0.188[24,100] 208ns |-----------------------------------------L0.188-----------------------------------------|"
+ - "L0.189[24,100] 209ns |-----------------------------------------L0.189-----------------------------------------|"
+ - "L0.190[24,100] 210ns |-----------------------------------------L0.190-----------------------------------------|"
+ - "L0.191[24,100] 211ns |-----------------------------------------L0.191-----------------------------------------|"
+ - "L0.192[24,100] 212ns |-----------------------------------------L0.192-----------------------------------------|"
+ - "L0.193[24,100] 213ns |-----------------------------------------L0.193-----------------------------------------|"
+ - "L0.194[24,100] 214ns |-----------------------------------------L0.194-----------------------------------------|"
+ - "L0.195[24,100] 215ns |-----------------------------------------L0.195-----------------------------------------|"
+ - "L0.196[24,100] 216ns |-----------------------------------------L0.196-----------------------------------------|"
+ - "L0.197[24,100] 217ns |-----------------------------------------L0.197-----------------------------------------|"
+ - "L0.198[24,100] 218ns |-----------------------------------------L0.198-----------------------------------------|"
+ - "L0.199[24,100] 219ns |-----------------------------------------L0.199-----------------------------------------|"
+ - "L0.200[24,100] 220ns |-----------------------------------------L0.200-----------------------------------------|"
+ - "L0.201[24,100] 221ns |-----------------------------------------L0.201-----------------------------------------|"
+ - "L0.202[24,100] 222ns |-----------------------------------------L0.202-----------------------------------------|"
+ - "L0.203[24,100] 223ns |-----------------------------------------L0.203-----------------------------------------|"
+ - "L0.204[24,100] 224ns |-----------------------------------------L0.204-----------------------------------------|"
+ - "L0.205[24,100] 225ns |-----------------------------------------L0.205-----------------------------------------|"
+ - "L0.206[24,100] 226ns |-----------------------------------------L0.206-----------------------------------------|"
+ - "L0.207[24,100] 227ns |-----------------------------------------L0.207-----------------------------------------|"
+ - "L0.208[24,100] 228ns |-----------------------------------------L0.208-----------------------------------------|"
+ - "L0.209[24,100] 229ns |-----------------------------------------L0.209-----------------------------------------|"
+ - "L0.210[24,100] 230ns |-----------------------------------------L0.210-----------------------------------------|"
+ - "L0.211[24,100] 231ns |-----------------------------------------L0.211-----------------------------------------|"
+ - "L0.212[24,100] 232ns |-----------------------------------------L0.212-----------------------------------------|"
+ - "L0.213[24,100] 233ns |-----------------------------------------L0.213-----------------------------------------|"
+ - "L0.214[24,100] 234ns |-----------------------------------------L0.214-----------------------------------------|"
+ - "L0.215[24,100] 235ns |-----------------------------------------L0.215-----------------------------------------|"
+ - "L0.216[24,100] 236ns |-----------------------------------------L0.216-----------------------------------------|"
+ - "L0.217[24,100] 237ns |-----------------------------------------L0.217-----------------------------------------|"
+ - "L0.218[24,100] 238ns |-----------------------------------------L0.218-----------------------------------------|"
+ - "L0.219[24,100] 239ns |-----------------------------------------L0.219-----------------------------------------|"
+ - "L0.220[24,100] 240ns |-----------------------------------------L0.220-----------------------------------------|"
+ - "L0.221[24,100] 241ns |-----------------------------------------L0.221-----------------------------------------|"
+ - "L0.222[24,100] 242ns |-----------------------------------------L0.222-----------------------------------------|"
+ - "L0.223[24,100] 243ns |-----------------------------------------L0.223-----------------------------------------|"
+ - "L0.224[24,100] 244ns |-----------------------------------------L0.224-----------------------------------------|"
+ - "L0.225[24,100] 245ns |-----------------------------------------L0.225-----------------------------------------|"
+ - "L0.226[24,100] 246ns |-----------------------------------------L0.226-----------------------------------------|"
+ - "L0.227[24,100] 247ns |-----------------------------------------L0.227-----------------------------------------|"
+ - "L0.228[24,100] 248ns |-----------------------------------------L0.228-----------------------------------------|"
+ - "L0.229[24,100] 249ns |-----------------------------------------L0.229-----------------------------------------|"
+ - "L0.230[24,100] 250ns |-----------------------------------------L0.230-----------------------------------------|"
+ - "L0.231[24,100] 251ns |-----------------------------------------L0.231-----------------------------------------|"
+ - "L0.232[24,100] 252ns |-----------------------------------------L0.232-----------------------------------------|"
+ - "L0.233[24,100] 253ns |-----------------------------------------L0.233-----------------------------------------|"
+ - "L0.234[24,100] 254ns |-----------------------------------------L0.234-----------------------------------------|"
+ - "L0.235[24,100] 255ns |-----------------------------------------L0.235-----------------------------------------|"
+ - "L0.236[24,100] 256ns |-----------------------------------------L0.236-----------------------------------------|"
+ - "L0.237[24,100] 257ns |-----------------------------------------L0.237-----------------------------------------|"
+ - "L0.238[24,100] 258ns |-----------------------------------------L0.238-----------------------------------------|"
+ - "L0.239[24,100] 259ns |-----------------------------------------L0.239-----------------------------------------|"
+ - "L0.240[24,100] 260ns |-----------------------------------------L0.240-----------------------------------------|"
+ - "L0.241[24,100] 261ns |-----------------------------------------L0.241-----------------------------------------|"
+ - "L0.242[24,100] 262ns |-----------------------------------------L0.242-----------------------------------------|"
+ - "L0.243[24,100] 263ns |-----------------------------------------L0.243-----------------------------------------|"
+ - "L0.244[24,100] 264ns |-----------------------------------------L0.244-----------------------------------------|"
+ - "L0.245[24,100] 265ns |-----------------------------------------L0.245-----------------------------------------|"
+ - "L0.246[24,100] 266ns |-----------------------------------------L0.246-----------------------------------------|"
+ - "L0.247[24,100] 267ns |-----------------------------------------L0.247-----------------------------------------|"
+ - "L0.248[24,100] 268ns |-----------------------------------------L0.248-----------------------------------------|"
+ - "L0.249[24,100] 269ns |-----------------------------------------L0.249-----------------------------------------|"
+ - "L0.250[24,100] 270ns |-----------------------------------------L0.250-----------------------------------------|"
+ - "L0.251[24,100] 271ns |-----------------------------------------L0.251-----------------------------------------|"
+ - "L0.252[24,100] 272ns |-----------------------------------------L0.252-----------------------------------------|"
+ - "L0.253[24,100] 273ns |-----------------------------------------L0.253-----------------------------------------|"
+ - "L0.254[24,100] 274ns |-----------------------------------------L0.254-----------------------------------------|"
+ - "L0.255[24,100] 275ns |-----------------------------------------L0.255-----------------------------------------|"
+ - "L0.256[24,100] 276ns |-----------------------------------------L0.256-----------------------------------------|"
+ - "L0.257[24,100] 277ns |-----------------------------------------L0.257-----------------------------------------|"
+ - "L0.258[24,100] 278ns |-----------------------------------------L0.258-----------------------------------------|"
+ - "L0.259[24,100] 279ns |-----------------------------------------L0.259-----------------------------------------|"
+ - "L0.260[24,100] 280ns |-----------------------------------------L0.260-----------------------------------------|"
+ - "L0.261[24,100] 281ns |-----------------------------------------L0.261-----------------------------------------|"
+ - "L0.262[24,100] 282ns |-----------------------------------------L0.262-----------------------------------------|"
+ - "L0.263[24,100] 283ns |-----------------------------------------L0.263-----------------------------------------|"
+ - "L0.264[24,100] 284ns |-----------------------------------------L0.264-----------------------------------------|"
+ - "L0.265[24,100] 285ns |-----------------------------------------L0.265-----------------------------------------|"
+ - "L0.266[24,100] 286ns |-----------------------------------------L0.266-----------------------------------------|"
+ - "L0.267[24,100] 287ns |-----------------------------------------L0.267-----------------------------------------|"
+ - "L0.268[24,100] 288ns |-----------------------------------------L0.268-----------------------------------------|"
+ - "L0.269[24,100] 289ns |-----------------------------------------L0.269-----------------------------------------|"
+ - "L0.270[24,100] 290ns |-----------------------------------------L0.270-----------------------------------------|"
+ - "L0.271[24,100] 291ns |-----------------------------------------L0.271-----------------------------------------|"
+ - "L0.272[24,100] 292ns |-----------------------------------------L0.272-----------------------------------------|"
+ - "L0.273[24,100] 293ns |-----------------------------------------L0.273-----------------------------------------|"
+ - "L0.274[24,100] 294ns |-----------------------------------------L0.274-----------------------------------------|"
+ - "L0.275[24,100] 295ns |-----------------------------------------L0.275-----------------------------------------|"
+ - "L0.276[24,100] 296ns |-----------------------------------------L0.276-----------------------------------------|"
+ - "L0.277[24,100] 297ns |-----------------------------------------L0.277-----------------------------------------|"
+ - "L0.278[24,100] 298ns |-----------------------------------------L0.278-----------------------------------------|"
+ - "L0.279[24,100] 299ns |-----------------------------------------L0.279-----------------------------------------|"
+ - "L0.280[24,100] 300ns |-----------------------------------------L0.280-----------------------------------------|"
+ - "L0.281[24,100] 301ns |-----------------------------------------L0.281-----------------------------------------|"
+ - "L0.282[24,100] 302ns |-----------------------------------------L0.282-----------------------------------------|"
+ - "L0.283[24,100] 303ns |-----------------------------------------L0.283-----------------------------------------|"
+ - "L0.284[24,100] 304ns |-----------------------------------------L0.284-----------------------------------------|"
+ - "L0.285[24,100] 305ns |-----------------------------------------L0.285-----------------------------------------|"
+ - "L0.286[24,100] 306ns |-----------------------------------------L0.286-----------------------------------------|"
+ - "L0.287[24,100] 307ns |-----------------------------------------L0.287-----------------------------------------|"
+ - "L0.288[24,100] 308ns |-----------------------------------------L0.288-----------------------------------------|"
+ - "L0.289[24,100] 309ns |-----------------------------------------L0.289-----------------------------------------|"
+ - "L0.290[24,100] 310ns |-----------------------------------------L0.290-----------------------------------------|"
+ - "L0.291[24,100] 311ns |-----------------------------------------L0.291-----------------------------------------|"
+ - "L0.292[24,100] 312ns |-----------------------------------------L0.292-----------------------------------------|"
+ - "L0.293[24,100] 313ns |-----------------------------------------L0.293-----------------------------------------|"
+ - "L0.294[24,100] 314ns |-----------------------------------------L0.294-----------------------------------------|"
+ - "L0.295[24,100] 315ns |-----------------------------------------L0.295-----------------------------------------|"
+ - "L0.296[24,100] 316ns |-----------------------------------------L0.296-----------------------------------------|"
+ - "L0.297[24,100] 317ns |-----------------------------------------L0.297-----------------------------------------|"
+ - "L0.298[24,100] 318ns |-----------------------------------------L0.298-----------------------------------------|"
+ - "L0.299[24,100] 319ns |-----------------------------------------L0.299-----------------------------------------|"
+ - "L0.300[24,100] 320ns |-----------------------------------------L0.300-----------------------------------------|"
+ - "L0.301[24,100] 321ns |-----------------------------------------L0.301-----------------------------------------|"
+ - "L0.302[24,100] 322ns |-----------------------------------------L0.302-----------------------------------------|"
+ - "L0.303[24,100] 323ns |-----------------------------------------L0.303-----------------------------------------|"
+ - "L0.304[24,100] 324ns |-----------------------------------------L0.304-----------------------------------------|"
+ - "L0.305[24,100] 325ns |-----------------------------------------L0.305-----------------------------------------|"
+ - "L0.306[24,100] 326ns |-----------------------------------------L0.306-----------------------------------------|"
+ - "L0.307[24,100] 327ns |-----------------------------------------L0.307-----------------------------------------|"
+ - "L0.308[24,100] 328ns |-----------------------------------------L0.308-----------------------------------------|"
+ - "L0.309[24,100] 329ns |-----------------------------------------L0.309-----------------------------------------|"
+ - "L0.310[24,100] 330ns |-----------------------------------------L0.310-----------------------------------------|"
+ - "L0.311[24,100] 331ns |-----------------------------------------L0.311-----------------------------------------|"
+ - "L0.312[24,100] 332ns |-----------------------------------------L0.312-----------------------------------------|"
+ - "L0.313[24,100] 333ns |-----------------------------------------L0.313-----------------------------------------|"
+ - "L0.314[24,100] 334ns |-----------------------------------------L0.314-----------------------------------------|"
+ - "L0.315[24,100] 335ns |-----------------------------------------L0.315-----------------------------------------|"
+ - "L0.316[24,100] 336ns |-----------------------------------------L0.316-----------------------------------------|"
+ - "L0.317[24,100] 337ns |-----------------------------------------L0.317-----------------------------------------|"
+ - "L0.318[24,100] 338ns |-----------------------------------------L0.318-----------------------------------------|"
+ - "L0.319[24,100] 339ns |-----------------------------------------L0.319-----------------------------------------|"
+ - "L0.320[24,100] 340ns |-----------------------------------------L0.320-----------------------------------------|"
+ - "L0.321[24,100] 341ns |-----------------------------------------L0.321-----------------------------------------|"
+ - "L0.322[24,100] 342ns |-----------------------------------------L0.322-----------------------------------------|"
+ - "L0.323[24,100] 343ns |-----------------------------------------L0.323-----------------------------------------|"
+ - "L0.324[24,100] 344ns |-----------------------------------------L0.324-----------------------------------------|"
+ - "L0.325[24,100] 345ns |-----------------------------------------L0.325-----------------------------------------|"
+ - "L0.326[24,100] 346ns |-----------------------------------------L0.326-----------------------------------------|"
+ - "L0.327[24,100] 347ns |-----------------------------------------L0.327-----------------------------------------|"
+ - "L0.328[24,100] 348ns |-----------------------------------------L0.328-----------------------------------------|"
+ - "L0.329[24,100] 349ns |-----------------------------------------L0.329-----------------------------------------|"
+ - "L0.330[24,100] 350ns |-----------------------------------------L0.330-----------------------------------------|"
+ - "L0.331[24,100] 351ns |-----------------------------------------L0.331-----------------------------------------|"
+ - "L0.332[24,100] 352ns |-----------------------------------------L0.332-----------------------------------------|"
+ - "L0.333[24,100] 353ns |-----------------------------------------L0.333-----------------------------------------|"
+ - "L0.334[24,100] 354ns |-----------------------------------------L0.334-----------------------------------------|"
+ - "L0.335[24,100] 355ns |-----------------------------------------L0.335-----------------------------------------|"
+ - "L0.336[24,100] 356ns |-----------------------------------------L0.336-----------------------------------------|"
+ - "L0.337[24,100] 357ns |-----------------------------------------L0.337-----------------------------------------|"
+ - "L0.338[24,100] 358ns |-----------------------------------------L0.338-----------------------------------------|"
+ - "L0.339[24,100] 359ns |-----------------------------------------L0.339-----------------------------------------|"
+ - "L0.340[24,100] 360ns |-----------------------------------------L0.340-----------------------------------------|"
+ - "L0.341[24,100] 361ns |-----------------------------------------L0.341-----------------------------------------|"
+ - "L0.342[24,100] 362ns |-----------------------------------------L0.342-----------------------------------------|"
+ - "L0.343[24,100] 363ns |-----------------------------------------L0.343-----------------------------------------|"
+ - "L0.344[24,100] 364ns |-----------------------------------------L0.344-----------------------------------------|"
+ - "L0.345[24,100] 365ns |-----------------------------------------L0.345-----------------------------------------|"
+ - "L0.346[24,100] 366ns |-----------------------------------------L0.346-----------------------------------------|"
+ - "L0.347[24,100] 367ns |-----------------------------------------L0.347-----------------------------------------|"
+ - "L0.348[24,100] 368ns |-----------------------------------------L0.348-----------------------------------------|"
+ - "L0.349[24,100] 369ns |-----------------------------------------L0.349-----------------------------------------|"
+ - "L0.350[24,100] 370ns |-----------------------------------------L0.350-----------------------------------------|"
+ - "L0.351[24,100] 371ns |-----------------------------------------L0.351-----------------------------------------|"
+ - "L0.352[24,100] 372ns |-----------------------------------------L0.352-----------------------------------------|"
+ - "L0.353[24,100] 373ns |-----------------------------------------L0.353-----------------------------------------|"
+ - "L0.354[24,100] 374ns |-----------------------------------------L0.354-----------------------------------------|"
+ - "L0.355[24,100] 375ns |-----------------------------------------L0.355-----------------------------------------|"
+ - "L0.356[24,100] 376ns |-----------------------------------------L0.356-----------------------------------------|"
+ - "L0.357[24,100] 377ns |-----------------------------------------L0.357-----------------------------------------|"
+ - "L0.358[24,100] 378ns |-----------------------------------------L0.358-----------------------------------------|"
+ - "L0.359[24,100] 379ns |-----------------------------------------L0.359-----------------------------------------|"
+ - "L0.360[24,100] 380ns |-----------------------------------------L0.360-----------------------------------------|"
+ - "L0.361[24,100] 381ns |-----------------------------------------L0.361-----------------------------------------|"
+ - "L0.362[24,100] 382ns |-----------------------------------------L0.362-----------------------------------------|"
+ - "L0.363[24,100] 383ns |-----------------------------------------L0.363-----------------------------------------|"
+ - "L0.364[24,100] 384ns |-----------------------------------------L0.364-----------------------------------------|"
+ - "L0.365[24,100] 385ns |-----------------------------------------L0.365-----------------------------------------|"
+ - "L0.366[24,100] 386ns |-----------------------------------------L0.366-----------------------------------------|"
+ - "L0.367[24,100] 387ns |-----------------------------------------L0.367-----------------------------------------|"
+ - "L0.368[24,100] 388ns |-----------------------------------------L0.368-----------------------------------------|"
+ - "L0.369[24,100] 389ns |-----------------------------------------L0.369-----------------------------------------|"
+ - "L0.370[24,100] 390ns |-----------------------------------------L0.370-----------------------------------------|"
+ - "L0.371[24,100] 391ns |-----------------------------------------L0.371-----------------------------------------|"
+ - "L0.372[24,100] 392ns |-----------------------------------------L0.372-----------------------------------------|"
+ - "L0.373[24,100] 393ns |-----------------------------------------L0.373-----------------------------------------|"
+ - "L0.374[24,100] 394ns |-----------------------------------------L0.374-----------------------------------------|"
+ - "L0.375[24,100] 395ns |-----------------------------------------L0.375-----------------------------------------|"
+ - "L0.376[24,100] 396ns |-----------------------------------------L0.376-----------------------------------------|"
+ - "L0.377[24,100] 397ns |-----------------------------------------L0.377-----------------------------------------|"
+ - "L0.378[24,100] 398ns |-----------------------------------------L0.378-----------------------------------------|"
+ - "L0.379[24,100] 399ns |-----------------------------------------L0.379-----------------------------------------|"
+ - "L0.380[24,100] 400ns |-----------------------------------------L0.380-----------------------------------------|"
+ - "L0.381[24,100] 401ns |-----------------------------------------L0.381-----------------------------------------|"
+ - "L0.382[24,100] 402ns |-----------------------------------------L0.382-----------------------------------------|"
+ - "L0.383[24,100] 403ns |-----------------------------------------L0.383-----------------------------------------|"
+ - "L0.384[24,100] 404ns |-----------------------------------------L0.384-----------------------------------------|"
+ - "L0.385[24,100] 405ns |-----------------------------------------L0.385-----------------------------------------|"
+ - "L0.386[24,100] 406ns |-----------------------------------------L0.386-----------------------------------------|"
+ - "L0.387[24,100] 407ns |-----------------------------------------L0.387-----------------------------------------|"
+ - "L0.388[24,100] 408ns |-----------------------------------------L0.388-----------------------------------------|"
+ - "L0.389[24,100] 409ns |-----------------------------------------L0.389-----------------------------------------|"
+ - "L0.390[24,100] 410ns |-----------------------------------------L0.390-----------------------------------------|"
+ - "L0.391[24,100] 411ns |-----------------------------------------L0.391-----------------------------------------|"
+ - "L0.392[24,100] 412ns |-----------------------------------------L0.392-----------------------------------------|"
+ - "L0.393[24,100] 413ns |-----------------------------------------L0.393-----------------------------------------|"
+ - "L0.394[24,100] 414ns |-----------------------------------------L0.394-----------------------------------------|"
+ - "L0.395[24,100] 415ns |-----------------------------------------L0.395-----------------------------------------|"
+ - "L0.396[24,100] 416ns |-----------------------------------------L0.396-----------------------------------------|"
+ - "L0.397[24,100] 417ns |-----------------------------------------L0.397-----------------------------------------|"
+ - "L0.398[24,100] 418ns |-----------------------------------------L0.398-----------------------------------------|"
+ - "L0.399[24,100] 419ns |-----------------------------------------L0.399-----------------------------------------|"
+ - "L0.400[24,100] 420ns |-----------------------------------------L0.400-----------------------------------------|"
+ - "L0.401[24,100] 421ns |-----------------------------------------L0.401-----------------------------------------|"
+ - "L0.402[24,100] 422ns |-----------------------------------------L0.402-----------------------------------------|"
+ - "L0.403[24,100] 423ns |-----------------------------------------L0.403-----------------------------------------|"
+ - "L0.404[24,100] 424ns |-----------------------------------------L0.404-----------------------------------------|"
+ - "L0.405[24,100] 425ns |-----------------------------------------L0.405-----------------------------------------|"
+ - "L0.406[24,100] 426ns |-----------------------------------------L0.406-----------------------------------------|"
+ - "L0.407[24,100] 427ns |-----------------------------------------L0.407-----------------------------------------|"
+ - "L0.408[24,100] 428ns |-----------------------------------------L0.408-----------------------------------------|"
+ - "L0.409[24,100] 429ns |-----------------------------------------L0.409-----------------------------------------|"
+ - "L0.410[24,100] 430ns |-----------------------------------------L0.410-----------------------------------------|"
+ - "L0.411[24,100] 431ns |-----------------------------------------L0.411-----------------------------------------|"
+ - "L0.412[24,100] 432ns |-----------------------------------------L0.412-----------------------------------------|"
+ - "L0.413[24,100] 433ns |-----------------------------------------L0.413-----------------------------------------|"
+ - "L0.414[24,100] 434ns |-----------------------------------------L0.414-----------------------------------------|"
+ - "L0.415[24,100] 435ns |-----------------------------------------L0.415-----------------------------------------|"
+ - "L0.416[24,100] 436ns |-----------------------------------------L0.416-----------------------------------------|"
+ - "L0.417[24,100] 437ns |-----------------------------------------L0.417-----------------------------------------|"
+ - "L0.418[24,100] 438ns |-----------------------------------------L0.418-----------------------------------------|"
+ - "L0.419[24,100] 439ns |-----------------------------------------L0.419-----------------------------------------|"
+ - "L0.420[24,100] 440ns |-----------------------------------------L0.420-----------------------------------------|"
+ - "L0.421[24,100] 441ns |-----------------------------------------L0.421-----------------------------------------|"
+ - "L0.422[24,100] 442ns |-----------------------------------------L0.422-----------------------------------------|"
+ - "L0.423[24,100] 443ns |-----------------------------------------L0.423-----------------------------------------|"
+ - "L0.424[24,100] 444ns |-----------------------------------------L0.424-----------------------------------------|"
+ - "L0.425[24,100] 445ns |-----------------------------------------L0.425-----------------------------------------|"
+ - "L0.426[24,100] 446ns |-----------------------------------------L0.426-----------------------------------------|"
+ - "L0.427[24,100] 447ns |-----------------------------------------L0.427-----------------------------------------|"
+ - "L0.428[24,100] 448ns |-----------------------------------------L0.428-----------------------------------------|"
+ - "L0.429[24,100] 449ns |-----------------------------------------L0.429-----------------------------------------|"
+ - "L0.430[24,100] 450ns |-----------------------------------------L0.430-----------------------------------------|"
+ - "L0.431[24,100] 451ns |-----------------------------------------L0.431-----------------------------------------|"
+ - "L0.432[24,100] 452ns |-----------------------------------------L0.432-----------------------------------------|"
+ - "L0.433[24,100] 453ns |-----------------------------------------L0.433-----------------------------------------|"
+ - "L0.434[24,100] 454ns |-----------------------------------------L0.434-----------------------------------------|"
+ - "L0.435[24,100] 455ns |-----------------------------------------L0.435-----------------------------------------|"
+ - "L0.436[24,100] 456ns |-----------------------------------------L0.436-----------------------------------------|"
+ - "L0.437[24,100] 457ns |-----------------------------------------L0.437-----------------------------------------|"
+ - "L0.438[24,100] 458ns |-----------------------------------------L0.438-----------------------------------------|"
+ - "L0.439[24,100] 459ns |-----------------------------------------L0.439-----------------------------------------|"
+ - "L0.440[24,100] 460ns |-----------------------------------------L0.440-----------------------------------------|"
+ - "L0.441[24,100] 461ns |-----------------------------------------L0.441-----------------------------------------|"
+ - "L0.442[24,100] 462ns |-----------------------------------------L0.442-----------------------------------------|"
+ - "L0.443[24,100] 463ns |-----------------------------------------L0.443-----------------------------------------|"
+ - "L0.444[24,100] 464ns |-----------------------------------------L0.444-----------------------------------------|"
+ - "L0.445[24,100] 465ns |-----------------------------------------L0.445-----------------------------------------|"
+ - "L0.446[24,100] 466ns |-----------------------------------------L0.446-----------------------------------------|"
+ - "L0.447[24,100] 467ns |-----------------------------------------L0.447-----------------------------------------|"
+ - "L0.448[24,100] 468ns |-----------------------------------------L0.448-----------------------------------------|"
+ - "L0.449[24,100] 469ns |-----------------------------------------L0.449-----------------------------------------|"
+ - "L0.450[24,100] 470ns |-----------------------------------------L0.450-----------------------------------------|"
+ - "L0.451[24,100] 471ns |-----------------------------------------L0.451-----------------------------------------|"
+ - "L0.452[24,100] 472ns |-----------------------------------------L0.452-----------------------------------------|"
+ - "L0.453[24,100] 473ns |-----------------------------------------L0.453-----------------------------------------|"
+ - "L0.454[24,100] 474ns |-----------------------------------------L0.454-----------------------------------------|"
+ - "L0.455[24,100] 475ns |-----------------------------------------L0.455-----------------------------------------|"
+ - "L0.456[24,100] 476ns |-----------------------------------------L0.456-----------------------------------------|"
+ - "L0.457[24,100] 477ns |-----------------------------------------L0.457-----------------------------------------|"
+ - "L0.458[24,100] 478ns |-----------------------------------------L0.458-----------------------------------------|"
+ - "L0.459[24,100] 479ns |-----------------------------------------L0.459-----------------------------------------|"
+ - "L0.460[24,100] 480ns |-----------------------------------------L0.460-----------------------------------------|"
+ - "L0.461[24,100] 481ns |-----------------------------------------L0.461-----------------------------------------|"
+ - "L0.462[24,100] 482ns |-----------------------------------------L0.462-----------------------------------------|"
+ - "L0.463[24,100] 483ns |-----------------------------------------L0.463-----------------------------------------|"
+ - "L0.464[24,100] 484ns |-----------------------------------------L0.464-----------------------------------------|"
+ - "L0.465[24,100] 485ns |-----------------------------------------L0.465-----------------------------------------|"
+ - "L0.466[24,100] 486ns |-----------------------------------------L0.466-----------------------------------------|"
+ - "L0.467[24,100] 487ns |-----------------------------------------L0.467-----------------------------------------|"
+ - "L0.468[24,100] 488ns |-----------------------------------------L0.468-----------------------------------------|"
+ - "L0.469[24,100] 489ns |-----------------------------------------L0.469-----------------------------------------|"
+ - "L0.470[24,100] 490ns |-----------------------------------------L0.470-----------------------------------------|"
+ - "L0.471[24,100] 491ns |-----------------------------------------L0.471-----------------------------------------|"
+ - "L0.472[24,100] 492ns |-----------------------------------------L0.472-----------------------------------------|"
+ - "L0.473[24,100] 493ns |-----------------------------------------L0.473-----------------------------------------|"
+ - "L0.474[24,100] 494ns |-----------------------------------------L0.474-----------------------------------------|"
+ - "L0.475[24,100] 495ns |-----------------------------------------L0.475-----------------------------------------|"
+ - "L0.476[24,100] 496ns |-----------------------------------------L0.476-----------------------------------------|"
+ - "L0.477[24,100] 497ns |-----------------------------------------L0.477-----------------------------------------|"
+ - "L0.478[24,100] 498ns |-----------------------------------------L0.478-----------------------------------------|"
+ - "L0.479[24,100] 499ns |-----------------------------------------L0.479-----------------------------------------|"
+ - "L0.480[24,100] 500ns |-----------------------------------------L0.480-----------------------------------------|"
+ - "L0.481[24,100] 501ns |-----------------------------------------L0.481-----------------------------------------|"
+ - "L0.482[24,100] 502ns |-----------------------------------------L0.482-----------------------------------------|"
+ - "L0.483[24,100] 503ns |-----------------------------------------L0.483-----------------------------------------|"
+ - "L0.484[24,100] 504ns |-----------------------------------------L0.484-----------------------------------------|"
+ - "L0.485[24,100] 505ns |-----------------------------------------L0.485-----------------------------------------|"
+ - "L0.486[24,100] 506ns |-----------------------------------------L0.486-----------------------------------------|"
+ - "L0.487[24,100] 507ns |-----------------------------------------L0.487-----------------------------------------|"
+ - "L0.488[24,100] 508ns |-----------------------------------------L0.488-----------------------------------------|"
+ - "L0.489[24,100] 509ns |-----------------------------------------L0.489-----------------------------------------|"
+ - "L0.490[24,100] 510ns |-----------------------------------------L0.490-----------------------------------------|"
+ - "L0.491[24,100] 511ns |-----------------------------------------L0.491-----------------------------------------|"
+ - "L0.492[24,100] 512ns |-----------------------------------------L0.492-----------------------------------------|"
+ - "L0.493[24,100] 513ns |-----------------------------------------L0.493-----------------------------------------|"
+ - "L0.494[24,100] 514ns |-----------------------------------------L0.494-----------------------------------------|"
+ - "L0.495[24,100] 515ns |-----------------------------------------L0.495-----------------------------------------|"
+ - "L0.496[24,100] 516ns |-----------------------------------------L0.496-----------------------------------------|"
+ - "L0.497[24,100] 517ns |-----------------------------------------L0.497-----------------------------------------|"
+ - "L0.498[24,100] 518ns |-----------------------------------------L0.498-----------------------------------------|"
+ - "L0.499[24,100] 519ns |-----------------------------------------L0.499-----------------------------------------|"
+ - "L0.500[24,100] 520ns |-----------------------------------------L0.500-----------------------------------------|"
+ - "L0.501[24,100] 521ns |-----------------------------------------L0.501-----------------------------------------|"
+ - "L0.502[24,100] 522ns |-----------------------------------------L0.502-----------------------------------------|"
+ - "L0.503[24,100] 523ns |-----------------------------------------L0.503-----------------------------------------|"
+ - "L0.504[24,100] 524ns |-----------------------------------------L0.504-----------------------------------------|"
+ - "L0.505[24,100] 525ns |-----------------------------------------L0.505-----------------------------------------|"
+ - "L0.506[24,100] 526ns |-----------------------------------------L0.506-----------------------------------------|"
+ - "L0.507[24,100] 527ns |-----------------------------------------L0.507-----------------------------------------|"
+ - "L0.508[24,100] 528ns |-----------------------------------------L0.508-----------------------------------------|"
+ - "L0.509[24,100] 529ns |-----------------------------------------L0.509-----------------------------------------|"
+ - "L0.510[24,100] 530ns |-----------------------------------------L0.510-----------------------------------------|"
+ - "L0.511[24,100] 531ns |-----------------------------------------L0.511-----------------------------------------|"
+ - "L0.512[24,100] 532ns |-----------------------------------------L0.512-----------------------------------------|"
+ - "L0.513[24,100] 533ns |-----------------------------------------L0.513-----------------------------------------|"
+ - "L0.514[24,100] 534ns |-----------------------------------------L0.514-----------------------------------------|"
+ - "L0.515[24,100] 535ns |-----------------------------------------L0.515-----------------------------------------|"
+ - "L0.516[24,100] 536ns |-----------------------------------------L0.516-----------------------------------------|"
+ - "L0.517[24,100] 537ns |-----------------------------------------L0.517-----------------------------------------|"
+ - "L0.518[24,100] 538ns |-----------------------------------------L0.518-----------------------------------------|"
+ - "L0.519[24,100] 539ns |-----------------------------------------L0.519-----------------------------------------|"
+ - "L0.520[24,100] 540ns |-----------------------------------------L0.520-----------------------------------------|"
+ - "L0.521[24,100] 541ns |-----------------------------------------L0.521-----------------------------------------|"
+ - "L0.522[24,100] 542ns |-----------------------------------------L0.522-----------------------------------------|"
+ - "L0.523[24,100] 543ns |-----------------------------------------L0.523-----------------------------------------|"
+ - "L0.524[24,100] 544ns |-----------------------------------------L0.524-----------------------------------------|"
+ - "L0.525[24,100] 545ns |-----------------------------------------L0.525-----------------------------------------|"
+ - "L0.526[24,100] 546ns |-----------------------------------------L0.526-----------------------------------------|"
+ - "L0.527[24,100] 547ns |-----------------------------------------L0.527-----------------------------------------|"
+ - "L0.528[24,100] 548ns |-----------------------------------------L0.528-----------------------------------------|"
+ - "L0.529[24,100] 549ns |-----------------------------------------L0.529-----------------------------------------|"
+ - "L0.530[24,100] 550ns |-----------------------------------------L0.530-----------------------------------------|"
+ - "L0.531[24,100] 551ns |-----------------------------------------L0.531-----------------------------------------|"
+ - "L0.532[24,100] 552ns |-----------------------------------------L0.532-----------------------------------------|"
+ - "L0.533[24,100] 553ns |-----------------------------------------L0.533-----------------------------------------|"
+ - "L0.534[24,100] 554ns |-----------------------------------------L0.534-----------------------------------------|"
+ - "L0.535[24,100] 555ns |-----------------------------------------L0.535-----------------------------------------|"
+ - "L0.536[24,100] 556ns |-----------------------------------------L0.536-----------------------------------------|"
+ - "L0.537[24,100] 557ns |-----------------------------------------L0.537-----------------------------------------|"
+ - "L0.538[24,100] 558ns |-----------------------------------------L0.538-----------------------------------------|"
+ - "L0.539[24,100] 559ns |-----------------------------------------L0.539-----------------------------------------|"
+ - "L0.540[24,100] 560ns |-----------------------------------------L0.540-----------------------------------------|"
+ - "L0.541[24,100] 561ns |-----------------------------------------L0.541-----------------------------------------|"
+ - "L0.542[24,100] 562ns |-----------------------------------------L0.542-----------------------------------------|"
+ - "L0.543[24,100] 563ns |-----------------------------------------L0.543-----------------------------------------|"
+ - "L0.544[24,100] 564ns |-----------------------------------------L0.544-----------------------------------------|"
+ - "L0.545[24,100] 565ns |-----------------------------------------L0.545-----------------------------------------|"
+ - "L0.546[24,100] 566ns |-----------------------------------------L0.546-----------------------------------------|"
+ - "L0.547[24,100] 567ns |-----------------------------------------L0.547-----------------------------------------|"
+ - "L0.548[24,100] 568ns |-----------------------------------------L0.548-----------------------------------------|"
+ - "L0.549[24,100] 569ns |-----------------------------------------L0.549-----------------------------------------|"
+ - "L0.550[24,100] 570ns |-----------------------------------------L0.550-----------------------------------------|"
+ - "L0.551[24,100] 571ns |-----------------------------------------L0.551-----------------------------------------|"
+ - "L0.552[24,100] 572ns |-----------------------------------------L0.552-----------------------------------------|"
+ - "L0.553[24,100] 573ns |-----------------------------------------L0.553-----------------------------------------|"
+ - "L0.554[24,100] 574ns |-----------------------------------------L0.554-----------------------------------------|"
+ - "L0.555[24,100] 575ns |-----------------------------------------L0.555-----------------------------------------|"
+ - "L0.556[24,100] 576ns |-----------------------------------------L0.556-----------------------------------------|"
+ - "L0.557[24,100] 577ns |-----------------------------------------L0.557-----------------------------------------|"
+ - "L0.558[24,100] 578ns |-----------------------------------------L0.558-----------------------------------------|"
+ - "L0.559[24,100] 579ns |-----------------------------------------L0.559-----------------------------------------|"
+ - "L0.560[24,100] 580ns |-----------------------------------------L0.560-----------------------------------------|"
+ - "L0.561[24,100] 581ns |-----------------------------------------L0.561-----------------------------------------|"
+ - "L0.562[24,100] 582ns |-----------------------------------------L0.562-----------------------------------------|"
+ - "L0.563[24,100] 583ns |-----------------------------------------L0.563-----------------------------------------|"
+ - "L0.564[24,100] 584ns |-----------------------------------------L0.564-----------------------------------------|"
+ - "L0.565[24,100] 585ns |-----------------------------------------L0.565-----------------------------------------|"
+ - "L0.566[24,100] 586ns |-----------------------------------------L0.566-----------------------------------------|"
+ - "L0.567[24,100] 587ns |-----------------------------------------L0.567-----------------------------------------|"
+ - "L0.568[24,100] 588ns |-----------------------------------------L0.568-----------------------------------------|"
+ - "L0.569[24,100] 589ns |-----------------------------------------L0.569-----------------------------------------|"
+ - "L0.570[24,100] 590ns |-----------------------------------------L0.570-----------------------------------------|"
+ - "L0.571[24,100] 591ns |-----------------------------------------L0.571-----------------------------------------|"
+ - "L0.572[24,100] 592ns |-----------------------------------------L0.572-----------------------------------------|"
+ - "L0.573[24,100] 593ns |-----------------------------------------L0.573-----------------------------------------|"
+ - "L0.574[24,100] 594ns |-----------------------------------------L0.574-----------------------------------------|"
+ - "L0.575[24,100] 595ns |-----------------------------------------L0.575-----------------------------------------|"
+ - "L0.576[24,100] 596ns |-----------------------------------------L0.576-----------------------------------------|"
+ - "L0.577[24,100] 597ns |-----------------------------------------L0.577-----------------------------------------|"
+ - "L0.578[24,100] 598ns |-----------------------------------------L0.578-----------------------------------------|"
+ - "L0.579[24,100] 599ns |-----------------------------------------L0.579-----------------------------------------|"
+ - "L0.580[24,100] 600ns |-----------------------------------------L0.580-----------------------------------------|"
+ - "L0.581[24,100] 601ns |-----------------------------------------L0.581-----------------------------------------|"
+ - "L0.582[24,100] 602ns |-----------------------------------------L0.582-----------------------------------------|"
+ - "L0.583[24,100] 603ns |-----------------------------------------L0.583-----------------------------------------|"
+ - "L0.584[24,100] 604ns |-----------------------------------------L0.584-----------------------------------------|"
+ - "L0.585[24,100] 605ns |-----------------------------------------L0.585-----------------------------------------|"
+ - "L0.586[24,100] 606ns |-----------------------------------------L0.586-----------------------------------------|"
+ - "L0.587[24,100] 607ns |-----------------------------------------L0.587-----------------------------------------|"
+ - "L0.588[24,100] 608ns |-----------------------------------------L0.588-----------------------------------------|"
+ - "L0.589[24,100] 609ns |-----------------------------------------L0.589-----------------------------------------|"
+ - "L0.590[24,100] 610ns |-----------------------------------------L0.590-----------------------------------------|"
+ - "L0.591[24,100] 611ns |-----------------------------------------L0.591-----------------------------------------|"
+ - "L0.592[24,100] 612ns |-----------------------------------------L0.592-----------------------------------------|"
+ - "L0.593[24,100] 613ns |-----------------------------------------L0.593-----------------------------------------|"
+ - "L0.594[24,100] 614ns |-----------------------------------------L0.594-----------------------------------------|"
+ - "L0.595[24,100] 615ns |-----------------------------------------L0.595-----------------------------------------|"
+ - "L0.596[24,100] 616ns |-----------------------------------------L0.596-----------------------------------------|"
+ - "L0.597[24,100] 617ns |-----------------------------------------L0.597-----------------------------------------|"
+ - "L0.598[24,100] 618ns |-----------------------------------------L0.598-----------------------------------------|"
+ - "L0.599[24,100] 619ns |-----------------------------------------L0.599-----------------------------------------|"
+ - "L0.600[24,100] 620ns |-----------------------------------------L0.600-----------------------------------------|"
+ - "L0.601[24,100] 621ns |-----------------------------------------L0.601-----------------------------------------|"
+ - "L0.602[24,100] 622ns |-----------------------------------------L0.602-----------------------------------------|"
+ - "L0.603[24,100] 623ns |-----------------------------------------L0.603-----------------------------------------|"
+ - "L0.604[24,100] 624ns |-----------------------------------------L0.604-----------------------------------------|"
+ - "L0.605[24,100] 625ns |-----------------------------------------L0.605-----------------------------------------|"
+ - "L0.606[24,100] 626ns |-----------------------------------------L0.606-----------------------------------------|"
+ - "L0.607[24,100] 627ns |-----------------------------------------L0.607-----------------------------------------|"
+ - "L0.608[24,100] 628ns |-----------------------------------------L0.608-----------------------------------------|"
+ - "L0.609[24,100] 629ns |-----------------------------------------L0.609-----------------------------------------|"
+ - "L0.610[24,100] 630ns |-----------------------------------------L0.610-----------------------------------------|"
+ - "L0.611[24,100] 631ns |-----------------------------------------L0.611-----------------------------------------|"
+ - "L0.612[24,100] 632ns |-----------------------------------------L0.612-----------------------------------------|"
+ - "L0.613[24,100] 633ns |-----------------------------------------L0.613-----------------------------------------|"
+ - "L0.614[24,100] 634ns |-----------------------------------------L0.614-----------------------------------------|"
+ - "L0.615[24,100] 635ns |-----------------------------------------L0.615-----------------------------------------|"
+ - "L0.616[24,100] 636ns |-----------------------------------------L0.616-----------------------------------------|"
+ - "L0.617[24,100] 637ns |-----------------------------------------L0.617-----------------------------------------|"
+ - "L0.618[24,100] 638ns |-----------------------------------------L0.618-----------------------------------------|"
+ - "L0.619[24,100] 639ns |-----------------------------------------L0.619-----------------------------------------|"
+ - "L0.620[24,100] 640ns |-----------------------------------------L0.620-----------------------------------------|"
+ - "L0.621[24,100] 641ns |-----------------------------------------L0.621-----------------------------------------|"
+ - "L0.622[24,100] 642ns |-----------------------------------------L0.622-----------------------------------------|"
+ - "L0.623[24,100] 643ns |-----------------------------------------L0.623-----------------------------------------|"
+ - "L0.624[24,100] 644ns |-----------------------------------------L0.624-----------------------------------------|"
+ - "L0.625[24,100] 645ns |-----------------------------------------L0.625-----------------------------------------|"
+ - "L0.626[24,100] 646ns |-----------------------------------------L0.626-----------------------------------------|"
+ - "L0.627[24,100] 647ns |-----------------------------------------L0.627-----------------------------------------|"
+ - "L0.628[24,100] 648ns |-----------------------------------------L0.628-----------------------------------------|"
+ - "L0.629[24,100] 649ns |-----------------------------------------L0.629-----------------------------------------|"
+ - "L0.630[24,100] 650ns |-----------------------------------------L0.630-----------------------------------------|"
+ - "L0.631[24,100] 651ns |-----------------------------------------L0.631-----------------------------------------|"
+ - "L0.632[24,100] 652ns |-----------------------------------------L0.632-----------------------------------------|"
+ - "L0.633[24,100] 653ns |-----------------------------------------L0.633-----------------------------------------|"
+ - "L0.634[24,100] 654ns |-----------------------------------------L0.634-----------------------------------------|"
+ - "L0.635[24,100] 655ns |-----------------------------------------L0.635-----------------------------------------|"
+ - "L0.636[24,100] 656ns |-----------------------------------------L0.636-----------------------------------------|"
+ - "L0.637[24,100] 657ns |-----------------------------------------L0.637-----------------------------------------|"
+ - "L0.638[24,100] 658ns |-----------------------------------------L0.638-----------------------------------------|"
+ - "L0.639[24,100] 659ns |-----------------------------------------L0.639-----------------------------------------|"
+ - "L0.640[24,100] 660ns |-----------------------------------------L0.640-----------------------------------------|"
+ - "L0.641[24,100] 661ns |-----------------------------------------L0.641-----------------------------------------|"
+ - "L0.642[24,100] 662ns |-----------------------------------------L0.642-----------------------------------------|"
+ - "L0.643[24,100] 663ns |-----------------------------------------L0.643-----------------------------------------|"
+ - "L0.644[24,100] 664ns |-----------------------------------------L0.644-----------------------------------------|"
+ - "L0.645[24,100] 665ns |-----------------------------------------L0.645-----------------------------------------|"
+ - "L0.646[24,100] 666ns |-----------------------------------------L0.646-----------------------------------------|"
+ - "L0.647[24,100] 667ns |-----------------------------------------L0.647-----------------------------------------|"
+ - "L0.648[24,100] 668ns |-----------------------------------------L0.648-----------------------------------------|"
+ - "L0.649[24,100] 669ns |-----------------------------------------L0.649-----------------------------------------|"
+ - "L0.650[24,100] 670ns |-----------------------------------------L0.650-----------------------------------------|"
+ - "L0.651[24,100] 671ns |-----------------------------------------L0.651-----------------------------------------|"
+ - "L0.652[24,100] 672ns |-----------------------------------------L0.652-----------------------------------------|"
+ - "L0.653[24,100] 673ns |-----------------------------------------L0.653-----------------------------------------|"
+ - "L0.654[24,100] 674ns |-----------------------------------------L0.654-----------------------------------------|"
+ - "L0.655[24,100] 675ns |-----------------------------------------L0.655-----------------------------------------|"
+ - "L0.656[24,100] 676ns |-----------------------------------------L0.656-----------------------------------------|"
+ - "L0.657[24,100] 677ns |-----------------------------------------L0.657-----------------------------------------|"
+ - "L0.658[24,100] 678ns |-----------------------------------------L0.658-----------------------------------------|"
+ - "L0.659[24,100] 679ns |-----------------------------------------L0.659-----------------------------------------|"
+ - "L0.660[24,100] 680ns |-----------------------------------------L0.660-----------------------------------------|"
+ - "L0.661[24,100] 681ns |-----------------------------------------L0.661-----------------------------------------|"
+ - "L0.662[24,100] 682ns |-----------------------------------------L0.662-----------------------------------------|"
+ - "L0.663[24,100] 683ns |-----------------------------------------L0.663-----------------------------------------|"
+ - "L0.664[24,100] 684ns |-----------------------------------------L0.664-----------------------------------------|"
+ - "L0.665[24,100] 685ns |-----------------------------------------L0.665-----------------------------------------|"
+ - "L0.666[24,100] 686ns |-----------------------------------------L0.666-----------------------------------------|"
+ - "L0.667[24,100] 687ns |-----------------------------------------L0.667-----------------------------------------|"
+ - "L0.668[24,100] 688ns |-----------------------------------------L0.668-----------------------------------------|"
+ - "L0.669[24,100] 689ns |-----------------------------------------L0.669-----------------------------------------|"
+ - "L0.670[24,100] 690ns |-----------------------------------------L0.670-----------------------------------------|"
+ - "L0.671[24,100] 691ns |-----------------------------------------L0.671-----------------------------------------|"
+ - "L0.672[24,100] 692ns |-----------------------------------------L0.672-----------------------------------------|"
+ - "L0.673[24,100] 693ns |-----------------------------------------L0.673-----------------------------------------|"
+ - "L0.674[24,100] 694ns |-----------------------------------------L0.674-----------------------------------------|"
+ - "L0.675[24,100] 695ns |-----------------------------------------L0.675-----------------------------------------|"
+ - "L0.676[24,100] 696ns |-----------------------------------------L0.676-----------------------------------------|"
+ - "L0.677[24,100] 697ns |-----------------------------------------L0.677-----------------------------------------|"
+ - "L0.678[24,100] 698ns |-----------------------------------------L0.678-----------------------------------------|"
+ - "L0.679[24,100] 699ns |-----------------------------------------L0.679-----------------------------------------|"
+ - "L0.680[24,100] 700ns |-----------------------------------------L0.680-----------------------------------------|"
+ - "L0.681[24,100] 701ns |-----------------------------------------L0.681-----------------------------------------|"
+ - "L0.682[24,100] 702ns |-----------------------------------------L0.682-----------------------------------------|"
+ - "L0.683[24,100] 703ns |-----------------------------------------L0.683-----------------------------------------|"
+ - "L0.684[24,100] 704ns |-----------------------------------------L0.684-----------------------------------------|"
+ - "L0.685[24,100] 705ns |-----------------------------------------L0.685-----------------------------------------|"
+ - "L0.686[24,100] 706ns |-----------------------------------------L0.686-----------------------------------------|"
+ - "L0.687[24,100] 707ns |-----------------------------------------L0.687-----------------------------------------|"
+ - "L0.688[24,100] 708ns |-----------------------------------------L0.688-----------------------------------------|"
+ - "L0.689[24,100] 709ns |-----------------------------------------L0.689-----------------------------------------|"
+ - "L0.690[24,100] 710ns |-----------------------------------------L0.690-----------------------------------------|"
+ - "L0.691[24,100] 711ns |-----------------------------------------L0.691-----------------------------------------|"
+ - "L0.692[24,100] 712ns |-----------------------------------------L0.692-----------------------------------------|"
+ - "L0.693[24,100] 713ns |-----------------------------------------L0.693-----------------------------------------|"
+ - "L0.694[24,100] 714ns |-----------------------------------------L0.694-----------------------------------------|"
+ - "L0.695[24,100] 715ns |-----------------------------------------L0.695-----------------------------------------|"
+ - "L0.696[24,100] 716ns |-----------------------------------------L0.696-----------------------------------------|"
+ - "L0.697[24,100] 717ns |-----------------------------------------L0.697-----------------------------------------|"
+ - "L0.698[24,100] 718ns |-----------------------------------------L0.698-----------------------------------------|"
+ - "L0.699[24,100] 719ns |-----------------------------------------L0.699-----------------------------------------|"
+ - "L0.700[24,100] 720ns |-----------------------------------------L0.700-----------------------------------------|"
+ - "L0.701[24,100] 721ns |-----------------------------------------L0.701-----------------------------------------|"
+ - "L0.702[24,100] 722ns |-----------------------------------------L0.702-----------------------------------------|"
+ - "L0.703[24,100] 723ns |-----------------------------------------L0.703-----------------------------------------|"
+ - "L0.704[24,100] 724ns |-----------------------------------------L0.704-----------------------------------------|"
+ - "L0.705[24,100] 725ns |-----------------------------------------L0.705-----------------------------------------|"
+ - "L0.706[24,100] 726ns |-----------------------------------------L0.706-----------------------------------------|"
+ - "L0.707[24,100] 727ns |-----------------------------------------L0.707-----------------------------------------|"
+ - "L0.708[24,100] 728ns |-----------------------------------------L0.708-----------------------------------------|"
+ - "L0.709[24,100] 729ns |-----------------------------------------L0.709-----------------------------------------|"
+ - "L0.710[24,100] 730ns |-----------------------------------------L0.710-----------------------------------------|"
+ - "L0.711[24,100] 731ns |-----------------------------------------L0.711-----------------------------------------|"
+ - "L0.712[24,100] 732ns |-----------------------------------------L0.712-----------------------------------------|"
+ - "L0.713[24,100] 733ns |-----------------------------------------L0.713-----------------------------------------|"
+ - "L0.714[24,100] 734ns |-----------------------------------------L0.714-----------------------------------------|"
+ - "L0.715[24,100] 735ns |-----------------------------------------L0.715-----------------------------------------|"
+ - "L0.716[24,100] 736ns |-----------------------------------------L0.716-----------------------------------------|"
+ - "L0.717[24,100] 737ns |-----------------------------------------L0.717-----------------------------------------|"
+ - "L0.718[24,100] 738ns |-----------------------------------------L0.718-----------------------------------------|"
+ - "L0.719[24,100] 739ns |-----------------------------------------L0.719-----------------------------------------|"
+ - "L0.720[24,100] 740ns |-----------------------------------------L0.720-----------------------------------------|"
+ - "L0.721[24,100] 741ns |-----------------------------------------L0.721-----------------------------------------|"
+ - "L0.722[24,100] 742ns |-----------------------------------------L0.722-----------------------------------------|"
+ - "L0.723[24,100] 743ns |-----------------------------------------L0.723-----------------------------------------|"
+ - "L0.724[24,100] 744ns |-----------------------------------------L0.724-----------------------------------------|"
+ - "L0.725[24,100] 745ns |-----------------------------------------L0.725-----------------------------------------|"
+ - "L0.726[24,100] 746ns |-----------------------------------------L0.726-----------------------------------------|"
+ - "L0.727[24,100] 747ns |-----------------------------------------L0.727-----------------------------------------|"
+ - "L0.728[24,100] 748ns |-----------------------------------------L0.728-----------------------------------------|"
+ - "L0.729[24,100] 749ns |-----------------------------------------L0.729-----------------------------------------|"
+ - "L0.730[24,100] 750ns |-----------------------------------------L0.730-----------------------------------------|"
+ - "L0.731[24,100] 751ns |-----------------------------------------L0.731-----------------------------------------|"
+ - "L0.732[24,100] 752ns |-----------------------------------------L0.732-----------------------------------------|"
+ - "L0.733[24,100] 753ns |-----------------------------------------L0.733-----------------------------------------|"
+ - "L0.734[24,100] 754ns |-----------------------------------------L0.734-----------------------------------------|"
+ - "L0.735[24,100] 755ns |-----------------------------------------L0.735-----------------------------------------|"
+ - "L0.736[24,100] 756ns |-----------------------------------------L0.736-----------------------------------------|"
+ - "L0.737[24,100] 757ns |-----------------------------------------L0.737-----------------------------------------|"
+ - "L0.738[24,100] 758ns |-----------------------------------------L0.738-----------------------------------------|"
+ - "L0.739[24,100] 759ns |-----------------------------------------L0.739-----------------------------------------|"
+ - "L0.740[24,100] 760ns |-----------------------------------------L0.740-----------------------------------------|"
+ - "L0.741[24,100] 761ns |-----------------------------------------L0.741-----------------------------------------|"
+ - "L0.742[24,100] 762ns |-----------------------------------------L0.742-----------------------------------------|"
+ - "L0.743[24,100] 763ns |-----------------------------------------L0.743-----------------------------------------|"
+ - "L0.744[24,100] 764ns |-----------------------------------------L0.744-----------------------------------------|"
+ - "L0.745[24,100] 765ns |-----------------------------------------L0.745-----------------------------------------|"
+ - "L0.746[24,100] 766ns |-----------------------------------------L0.746-----------------------------------------|"
+ - "L0.747[24,100] 767ns |-----------------------------------------L0.747-----------------------------------------|"
+ - "L0.748[24,100] 768ns |-----------------------------------------L0.748-----------------------------------------|"
+ - "L0.749[24,100] 769ns |-----------------------------------------L0.749-----------------------------------------|"
+ - "L0.750[24,100] 770ns |-----------------------------------------L0.750-----------------------------------------|"
+ - "L0.751[24,100] 771ns |-----------------------------------------L0.751-----------------------------------------|"
+ - "L0.752[24,100] 772ns |-----------------------------------------L0.752-----------------------------------------|"
+ - "L0.753[24,100] 773ns |-----------------------------------------L0.753-----------------------------------------|"
+ - "L0.754[24,100] 774ns |-----------------------------------------L0.754-----------------------------------------|"
+ - "L0.755[24,100] 775ns |-----------------------------------------L0.755-----------------------------------------|"
+ - "L0.756[24,100] 776ns |-----------------------------------------L0.756-----------------------------------------|"
+ - "L0.757[24,100] 777ns |-----------------------------------------L0.757-----------------------------------------|"
+ - "L0.758[24,100] 778ns |-----------------------------------------L0.758-----------------------------------------|"
+ - "L0.759[24,100] 779ns |-----------------------------------------L0.759-----------------------------------------|"
+ - "L0.760[24,100] 780ns |-----------------------------------------L0.760-----------------------------------------|"
+ - "L0.761[24,100] 781ns |-----------------------------------------L0.761-----------------------------------------|"
+ - "L0.762[24,100] 782ns |-----------------------------------------L0.762-----------------------------------------|"
+ - "L0.763[24,100] 783ns |-----------------------------------------L0.763-----------------------------------------|"
+ - "L0.764[24,100] 784ns |-----------------------------------------L0.764-----------------------------------------|"
+ - "L0.765[24,100] 785ns |-----------------------------------------L0.765-----------------------------------------|"
+ - "L0.766[24,100] 786ns |-----------------------------------------L0.766-----------------------------------------|"
+ - "L0.767[24,100] 787ns |-----------------------------------------L0.767-----------------------------------------|"
+ - "L0.768[24,100] 788ns |-----------------------------------------L0.768-----------------------------------------|"
+ - "L0.769[24,100] 789ns |-----------------------------------------L0.769-----------------------------------------|"
+ - "L0.770[24,100] 790ns |-----------------------------------------L0.770-----------------------------------------|"
+ - "L0.771[24,100] 791ns |-----------------------------------------L0.771-----------------------------------------|"
+ - "L0.772[24,100] 792ns |-----------------------------------------L0.772-----------------------------------------|"
+ - "L0.773[24,100] 793ns |-----------------------------------------L0.773-----------------------------------------|"
+ - "L0.774[24,100] 794ns |-----------------------------------------L0.774-----------------------------------------|"
+ - "L0.775[24,100] 795ns |-----------------------------------------L0.775-----------------------------------------|"
+ - "L0.776[24,100] 796ns |-----------------------------------------L0.776-----------------------------------------|"
+ - "L0.777[24,100] 797ns |-----------------------------------------L0.777-----------------------------------------|"
+ - "L0.778[24,100] 798ns |-----------------------------------------L0.778-----------------------------------------|"
+ - "L0.779[24,100] 799ns |-----------------------------------------L0.779-----------------------------------------|"
+ - "L0.780[24,100] 800ns |-----------------------------------------L0.780-----------------------------------------|"
+ - "L0.781[24,100] 801ns |-----------------------------------------L0.781-----------------------------------------|"
+ - "L0.782[24,100] 802ns |-----------------------------------------L0.782-----------------------------------------|"
+ - "L0.783[24,100] 803ns |-----------------------------------------L0.783-----------------------------------------|"
+ - "L0.784[24,100] 804ns |-----------------------------------------L0.784-----------------------------------------|"
+ - "L0.785[24,100] 805ns |-----------------------------------------L0.785-----------------------------------------|"
+ - "L0.786[24,100] 806ns |-----------------------------------------L0.786-----------------------------------------|"
+ - "L0.787[24,100] 807ns |-----------------------------------------L0.787-----------------------------------------|"
+ - "L0.788[24,100] 808ns |-----------------------------------------L0.788-----------------------------------------|"
+ - "L0.789[24,100] 809ns |-----------------------------------------L0.789-----------------------------------------|"
+ - "L0.790[24,100] 810ns |-----------------------------------------L0.790-----------------------------------------|"
+ - "L0.791[24,100] 811ns |-----------------------------------------L0.791-----------------------------------------|"
+ - "L0.792[24,100] 812ns |-----------------------------------------L0.792-----------------------------------------|"
+ - "L0.793[24,100] 813ns |-----------------------------------------L0.793-----------------------------------------|"
+ - "L0.794[24,100] 814ns |-----------------------------------------L0.794-----------------------------------------|"
+ - "L0.795[24,100] 815ns |-----------------------------------------L0.795-----------------------------------------|"
+ - "L0.796[24,100] 816ns |-----------------------------------------L0.796-----------------------------------------|"
+ - "L0.797[24,100] 817ns |-----------------------------------------L0.797-----------------------------------------|"
+ - "L0.798[24,100] 818ns |-----------------------------------------L0.798-----------------------------------------|"
+ - "L0.799[24,100] 819ns |-----------------------------------------L0.799-----------------------------------------|"
+ - "L0.800[24,100] 820ns |-----------------------------------------L0.800-----------------------------------------|"
+ - "L0.801[24,100] 821ns |-----------------------------------------L0.801-----------------------------------------|"
+ - "L0.802[24,100] 822ns |-----------------------------------------L0.802-----------------------------------------|"
+ - "L0.803[24,100] 823ns |-----------------------------------------L0.803-----------------------------------------|"
+ - "L0.804[24,100] 824ns |-----------------------------------------L0.804-----------------------------------------|"
+ - "L0.805[24,100] 825ns |-----------------------------------------L0.805-----------------------------------------|"
+ - "L0.806[24,100] 826ns |-----------------------------------------L0.806-----------------------------------------|"
+ - "L0.807[24,100] 827ns |-----------------------------------------L0.807-----------------------------------------|"
+ - "L0.808[24,100] 828ns |-----------------------------------------L0.808-----------------------------------------|"
+ - "L0.809[24,100] 829ns |-----------------------------------------L0.809-----------------------------------------|"
+ - "L0.810[24,100] 830ns |-----------------------------------------L0.810-----------------------------------------|"
+ - "L0.811[24,100] 831ns |-----------------------------------------L0.811-----------------------------------------|"
+ - "L0.812[24,100] 832ns |-----------------------------------------L0.812-----------------------------------------|"
+ - "L0.813[24,100] 833ns |-----------------------------------------L0.813-----------------------------------------|"
+ - "L0.814[24,100] 834ns |-----------------------------------------L0.814-----------------------------------------|"
+ - "L0.815[24,100] 835ns |-----------------------------------------L0.815-----------------------------------------|"
+ - "L0.816[24,100] 836ns |-----------------------------------------L0.816-----------------------------------------|"
+ - "L0.817[24,100] 837ns |-----------------------------------------L0.817-----------------------------------------|"
+ - "L0.818[24,100] 838ns |-----------------------------------------L0.818-----------------------------------------|"
+ - "L0.819[24,100] 839ns |-----------------------------------------L0.819-----------------------------------------|"
+ - "L0.820[24,100] 840ns |-----------------------------------------L0.820-----------------------------------------|"
+ - "L0.821[24,100] 841ns |-----------------------------------------L0.821-----------------------------------------|"
+ - "L0.822[24,100] 842ns |-----------------------------------------L0.822-----------------------------------------|"
+ - "L0.823[24,100] 843ns |-----------------------------------------L0.823-----------------------------------------|"
+ - "L0.824[24,100] 844ns |-----------------------------------------L0.824-----------------------------------------|"
+ - "L0.825[24,100] 845ns |-----------------------------------------L0.825-----------------------------------------|"
+ - "L0.826[24,100] 846ns |-----------------------------------------L0.826-----------------------------------------|"
+ - "L0.827[24,100] 847ns |-----------------------------------------L0.827-----------------------------------------|"
+ - "L0.828[24,100] 848ns |-----------------------------------------L0.828-----------------------------------------|"
+ - "L0.829[24,100] 849ns |-----------------------------------------L0.829-----------------------------------------|"
+ - "L0.830[24,100] 850ns |-----------------------------------------L0.830-----------------------------------------|"
+ - "L0.831[24,100] 851ns |-----------------------------------------L0.831-----------------------------------------|"
+ - "L0.832[24,100] 852ns |-----------------------------------------L0.832-----------------------------------------|"
+ - "L0.833[24,100] 853ns |-----------------------------------------L0.833-----------------------------------------|"
+ - "L0.834[24,100] 854ns |-----------------------------------------L0.834-----------------------------------------|"
+ - "L0.835[24,100] 855ns |-----------------------------------------L0.835-----------------------------------------|"
+ - "L0.836[24,100] 856ns |-----------------------------------------L0.836-----------------------------------------|"
+ - "L0.837[24,100] 857ns |-----------------------------------------L0.837-----------------------------------------|"
+ - "L0.838[24,100] 858ns |-----------------------------------------L0.838-----------------------------------------|"
+ - "L0.839[24,100] 859ns |-----------------------------------------L0.839-----------------------------------------|"
+ - "L0.840[24,100] 860ns |-----------------------------------------L0.840-----------------------------------------|"
+ - "L0.841[24,100] 861ns |-----------------------------------------L0.841-----------------------------------------|"
+ - "L0.842[24,100] 862ns |-----------------------------------------L0.842-----------------------------------------|"
+ - "L0.843[24,100] 863ns |-----------------------------------------L0.843-----------------------------------------|"
+ - "L0.844[24,100] 864ns |-----------------------------------------L0.844-----------------------------------------|"
+ - "L0.845[24,100] 865ns |-----------------------------------------L0.845-----------------------------------------|"
+ - "L0.846[24,100] 866ns |-----------------------------------------L0.846-----------------------------------------|"
+ - "L0.847[24,100] 867ns |-----------------------------------------L0.847-----------------------------------------|"
+ - "L0.848[24,100] 868ns |-----------------------------------------L0.848-----------------------------------------|"
+ - "L0.849[24,100] 869ns |-----------------------------------------L0.849-----------------------------------------|"
+ - "L0.850[24,100] 870ns |-----------------------------------------L0.850-----------------------------------------|"
+ - "L0.851[24,100] 871ns |-----------------------------------------L0.851-----------------------------------------|"
+ - "L0.852[24,100] 872ns |-----------------------------------------L0.852-----------------------------------------|"
+ - "L0.853[24,100] 873ns |-----------------------------------------L0.853-----------------------------------------|"
+ - "L0.854[24,100] 874ns |-----------------------------------------L0.854-----------------------------------------|"
+ - "L0.855[24,100] 875ns |-----------------------------------------L0.855-----------------------------------------|"
+ - "L0.856[24,100] 876ns |-----------------------------------------L0.856-----------------------------------------|"
+ - "L0.857[24,100] 877ns |-----------------------------------------L0.857-----------------------------------------|"
+ - "L0.858[24,100] 878ns |-----------------------------------------L0.858-----------------------------------------|"
+ - "L0.859[24,100] 879ns |-----------------------------------------L0.859-----------------------------------------|"
+ - "L0.860[24,100] 880ns |-----------------------------------------L0.860-----------------------------------------|"
+ - "L0.861[24,100] 881ns |-----------------------------------------L0.861-----------------------------------------|"
+ - "L0.862[24,100] 882ns |-----------------------------------------L0.862-----------------------------------------|"
+ - "L0.863[24,100] 883ns |-----------------------------------------L0.863-----------------------------------------|"
+ - "L0.864[24,100] 884ns |-----------------------------------------L0.864-----------------------------------------|"
+ - "L0.865[24,100] 885ns |-----------------------------------------L0.865-----------------------------------------|"
+ - "L0.866[24,100] 886ns |-----------------------------------------L0.866-----------------------------------------|"
+ - "L0.867[24,100] 887ns |-----------------------------------------L0.867-----------------------------------------|"
+ - "L0.868[24,100] 888ns |-----------------------------------------L0.868-----------------------------------------|"
+ - "L0.869[24,100] 889ns |-----------------------------------------L0.869-----------------------------------------|"
+ - "L0.870[24,100] 890ns |-----------------------------------------L0.870-----------------------------------------|"
+ - "L0.871[24,100] 891ns |-----------------------------------------L0.871-----------------------------------------|"
+ - "L0.872[24,100] 892ns |-----------------------------------------L0.872-----------------------------------------|"
+ - "L0.873[24,100] 893ns |-----------------------------------------L0.873-----------------------------------------|"
+ - "L0.874[24,100] 894ns |-----------------------------------------L0.874-----------------------------------------|"
+ - "L0.875[24,100] 895ns |-----------------------------------------L0.875-----------------------------------------|"
+ - "L0.876[24,100] 896ns |-----------------------------------------L0.876-----------------------------------------|"
+ - "L0.877[24,100] 897ns |-----------------------------------------L0.877-----------------------------------------|"
+ - "L0.878[24,100] 898ns |-----------------------------------------L0.878-----------------------------------------|"
+ - "L0.879[24,100] 899ns |-----------------------------------------L0.879-----------------------------------------|"
+ - "L0.880[24,100] 900ns |-----------------------------------------L0.880-----------------------------------------|"
+ - "L0.881[24,100] 901ns |-----------------------------------------L0.881-----------------------------------------|"
+ - "L0.882[24,100] 902ns |-----------------------------------------L0.882-----------------------------------------|"
+ - "L0.883[24,100] 903ns |-----------------------------------------L0.883-----------------------------------------|"
+ - "L0.884[24,100] 904ns |-----------------------------------------L0.884-----------------------------------------|"
+ - "L0.885[24,100] 905ns |-----------------------------------------L0.885-----------------------------------------|"
+ - "L0.886[24,100] 906ns |-----------------------------------------L0.886-----------------------------------------|"
+ - "L0.887[24,100] 907ns |-----------------------------------------L0.887-----------------------------------------|"
+ - "L0.888[24,100] 908ns |-----------------------------------------L0.888-----------------------------------------|"
+ - "L0.889[24,100] 909ns |-----------------------------------------L0.889-----------------------------------------|"
+ - "L0.890[24,100] 910ns |-----------------------------------------L0.890-----------------------------------------|"
+ - "L0.891[24,100] 911ns |-----------------------------------------L0.891-----------------------------------------|"
+ - "L0.892[24,100] 912ns |-----------------------------------------L0.892-----------------------------------------|"
+ - "L0.893[24,100] 913ns |-----------------------------------------L0.893-----------------------------------------|"
+ - "L0.894[24,100] 914ns |-----------------------------------------L0.894-----------------------------------------|"
+ - "L0.895[24,100] 915ns |-----------------------------------------L0.895-----------------------------------------|"
+ - "L0.896[24,100] 916ns |-----------------------------------------L0.896-----------------------------------------|"
+ - "L0.897[24,100] 917ns |-----------------------------------------L0.897-----------------------------------------|"
+ - "L0.898[24,100] 918ns |-----------------------------------------L0.898-----------------------------------------|"
+ - "L0.899[24,100] 919ns |-----------------------------------------L0.899-----------------------------------------|"
+ - "L0.900[24,100] 920ns |-----------------------------------------L0.900-----------------------------------------|"
+ - "L0.901[24,100] 921ns |-----------------------------------------L0.901-----------------------------------------|"
+ - "L0.902[24,100] 922ns |-----------------------------------------L0.902-----------------------------------------|"
+ - "L0.903[24,100] 923ns |-----------------------------------------L0.903-----------------------------------------|"
+ - "L0.904[24,100] 924ns |-----------------------------------------L0.904-----------------------------------------|"
+ - "L0.905[24,100] 925ns |-----------------------------------------L0.905-----------------------------------------|"
+ - "L0.906[24,100] 926ns |-----------------------------------------L0.906-----------------------------------------|"
+ - "L0.907[24,100] 927ns |-----------------------------------------L0.907-----------------------------------------|"
+ - "L0.908[24,100] 928ns |-----------------------------------------L0.908-----------------------------------------|"
+ - "L0.909[24,100] 929ns |-----------------------------------------L0.909-----------------------------------------|"
+ - "L0.910[24,100] 930ns |-----------------------------------------L0.910-----------------------------------------|"
+ - "L0.911[24,100] 931ns |-----------------------------------------L0.911-----------------------------------------|"
+ - "L0.912[24,100] 932ns |-----------------------------------------L0.912-----------------------------------------|"
+ - "L0.913[24,100] 933ns |-----------------------------------------L0.913-----------------------------------------|"
+ - "L0.914[24,100] 934ns |-----------------------------------------L0.914-----------------------------------------|"
+ - "L0.915[24,100] 935ns |-----------------------------------------L0.915-----------------------------------------|"
+ - "L0.916[24,100] 936ns |-----------------------------------------L0.916-----------------------------------------|"
+ - "L0.917[24,100] 937ns |-----------------------------------------L0.917-----------------------------------------|"
+ - "L0.918[24,100] 938ns |-----------------------------------------L0.918-----------------------------------------|"
+ - "L0.919[24,100] 939ns |-----------------------------------------L0.919-----------------------------------------|"
+ - "L0.920[24,100] 940ns |-----------------------------------------L0.920-----------------------------------------|"
+ - "L0.921[24,100] 941ns |-----------------------------------------L0.921-----------------------------------------|"
+ - "L0.922[24,100] 942ns |-----------------------------------------L0.922-----------------------------------------|"
+ - "L0.923[24,100] 943ns |-----------------------------------------L0.923-----------------------------------------|"
+ - "L0.924[24,100] 944ns |-----------------------------------------L0.924-----------------------------------------|"
+ - "L0.925[24,100] 945ns |-----------------------------------------L0.925-----------------------------------------|"
+ - "L0.926[24,100] 946ns |-----------------------------------------L0.926-----------------------------------------|"
+ - "L0.927[24,100] 947ns |-----------------------------------------L0.927-----------------------------------------|"
+ - "L0.928[24,100] 948ns |-----------------------------------------L0.928-----------------------------------------|"
+ - "L0.929[24,100] 949ns |-----------------------------------------L0.929-----------------------------------------|"
+ - "L0.930[24,100] 950ns |-----------------------------------------L0.930-----------------------------------------|"
+ - "L0.931[24,100] 951ns |-----------------------------------------L0.931-----------------------------------------|"
+ - "L0.932[24,100] 952ns |-----------------------------------------L0.932-----------------------------------------|"
+ - "L0.933[24,100] 953ns |-----------------------------------------L0.933-----------------------------------------|"
+ - "L0.934[24,100] 954ns |-----------------------------------------L0.934-----------------------------------------|"
+ - "L0.935[24,100] 955ns |-----------------------------------------L0.935-----------------------------------------|"
+ - "L0.936[24,100] 956ns |-----------------------------------------L0.936-----------------------------------------|"
+ - "L0.937[24,100] 957ns |-----------------------------------------L0.937-----------------------------------------|"
+ - "L0.938[24,100] 958ns |-----------------------------------------L0.938-----------------------------------------|"
+ - "L0.939[24,100] 959ns |-----------------------------------------L0.939-----------------------------------------|"
+ - "L0.940[24,100] 960ns |-----------------------------------------L0.940-----------------------------------------|"
+ - "L0.941[24,100] 961ns |-----------------------------------------L0.941-----------------------------------------|"
+ - "L0.942[24,100] 962ns |-----------------------------------------L0.942-----------------------------------------|"
+ - "L0.943[24,100] 963ns |-----------------------------------------L0.943-----------------------------------------|"
+ - "L0.944[24,100] 964ns |-----------------------------------------L0.944-----------------------------------------|"
+ - "L0.945[24,100] 965ns |-----------------------------------------L0.945-----------------------------------------|"
+ - "L0.946[24,100] 966ns |-----------------------------------------L0.946-----------------------------------------|"
+ - "L0.947[24,100] 967ns |-----------------------------------------L0.947-----------------------------------------|"
+ - "L0.948[24,100] 968ns |-----------------------------------------L0.948-----------------------------------------|"
+ - "L0.949[24,100] 969ns |-----------------------------------------L0.949-----------------------------------------|"
+ - "L0.950[24,100] 970ns |-----------------------------------------L0.950-----------------------------------------|"
+ - "L0.951[24,100] 971ns |-----------------------------------------L0.951-----------------------------------------|"
+ - "L0.952[24,100] 972ns |-----------------------------------------L0.952-----------------------------------------|"
+ - "L0.953[24,100] 973ns |-----------------------------------------L0.953-----------------------------------------|"
+ - "L0.954[24,100] 974ns |-----------------------------------------L0.954-----------------------------------------|"
+ - "L0.955[24,100] 975ns |-----------------------------------------L0.955-----------------------------------------|"
+ - "L0.956[24,100] 976ns |-----------------------------------------L0.956-----------------------------------------|"
+ - "L0.957[24,100] 977ns |-----------------------------------------L0.957-----------------------------------------|"
+ - "L0.958[24,100] 978ns |-----------------------------------------L0.958-----------------------------------------|"
+ - "L0.959[24,100] 979ns |-----------------------------------------L0.959-----------------------------------------|"
+ - "L0.960[24,100] 980ns |-----------------------------------------L0.960-----------------------------------------|"
+ - "L0.961[24,100] 981ns |-----------------------------------------L0.961-----------------------------------------|"
+ - "L0.962[24,100] 982ns |-----------------------------------------L0.962-----------------------------------------|"
+ - "L0.963[24,100] 983ns |-----------------------------------------L0.963-----------------------------------------|"
+ - "L0.964[24,100] 984ns |-----------------------------------------L0.964-----------------------------------------|"
+ - "L0.965[24,100] 985ns |-----------------------------------------L0.965-----------------------------------------|"
+ - "L0.966[24,100] 986ns |-----------------------------------------L0.966-----------------------------------------|"
+ - "L0.967[24,100] 987ns |-----------------------------------------L0.967-----------------------------------------|"
+ - "L0.968[24,100] 988ns |-----------------------------------------L0.968-----------------------------------------|"
+ - "L0.969[24,100] 989ns |-----------------------------------------L0.969-----------------------------------------|"
+ - "L0.970[24,100] 990ns |-----------------------------------------L0.970-----------------------------------------|"
+ - "L0.971[24,100] 991ns |-----------------------------------------L0.971-----------------------------------------|"
+ - "L0.972[24,100] 992ns |-----------------------------------------L0.972-----------------------------------------|"
+ - "L0.973[24,100] 993ns |-----------------------------------------L0.973-----------------------------------------|"
+ - "L0.974[24,100] 994ns |-----------------------------------------L0.974-----------------------------------------|"
+ - "L0.975[24,100] 995ns |-----------------------------------------L0.975-----------------------------------------|"
+ - "L0.976[24,100] 996ns |-----------------------------------------L0.976-----------------------------------------|"
+ - "L0.977[24,100] 997ns |-----------------------------------------L0.977-----------------------------------------|"
+ - "L0.978[24,100] 998ns |-----------------------------------------L0.978-----------------------------------------|"
+ - "L0.979[24,100] 999ns |-----------------------------------------L0.979-----------------------------------------|"
+ - "L0.980[24,100] 1us |-----------------------------------------L0.980-----------------------------------------|"
+ - "L0.981[24,100] 1us |-----------------------------------------L0.981-----------------------------------------|"
+ - "L0.982[24,100] 1us |-----------------------------------------L0.982-----------------------------------------|"
+ - "L0.983[24,100] 1us |-----------------------------------------L0.983-----------------------------------------|"
+ - "L0.984[24,100] 1us |-----------------------------------------L0.984-----------------------------------------|"
+ - "L0.985[24,100] 1us |-----------------------------------------L0.985-----------------------------------------|"
+ - "L0.986[24,100] 1.01us |-----------------------------------------L0.986-----------------------------------------|"
+ - "L0.987[24,100] 1.01us |-----------------------------------------L0.987-----------------------------------------|"
+ - "L0.988[24,100] 1.01us |-----------------------------------------L0.988-----------------------------------------|"
+ - "L0.989[24,100] 1.01us |-----------------------------------------L0.989-----------------------------------------|"
+ - "L0.990[24,100] 1.01us |-----------------------------------------L0.990-----------------------------------------|"
+ - "L0.991[24,100] 1.01us |-----------------------------------------L0.991-----------------------------------------|"
+ - "L0.992[24,100] 1.01us |-----------------------------------------L0.992-----------------------------------------|"
+ - "L0.993[24,100] 1.01us |-----------------------------------------L0.993-----------------------------------------|"
+ - "L0.994[24,100] 1.01us |-----------------------------------------L0.994-----------------------------------------|"
+ - "L0.995[24,100] 1.01us |-----------------------------------------L0.995-----------------------------------------|"
+ - "L0.996[24,100] 1.02us |-----------------------------------------L0.996-----------------------------------------|"
+ - "L0.997[24,100] 1.02us |-----------------------------------------L0.997-----------------------------------------|"
+ - "L0.998[24,100] 1.02us |-----------------------------------------L0.998-----------------------------------------|"
+ - "L0.999[24,100] 1.02us |-----------------------------------------L0.999-----------------------------------------|"
+ - "L0.1000[24,100] 1.02us |----------------------------------------L0.1000-----------------------------------------|"
+ - "**** Simulation run 0, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[75]). 200 Input Files, 150mb total:"
+ - "L0, all files 768kb "
+ - "L0.1[24,100] 21ns |------------------------------------------L0.1------------------------------------------|"
+ - "L0.2[24,100] 22ns |------------------------------------------L0.2------------------------------------------|"
+ - "L0.3[24,100] 23ns |------------------------------------------L0.3------------------------------------------|"
+ - "L0.4[24,100] 24ns |------------------------------------------L0.4------------------------------------------|"
+ - "L0.5[24,100] 25ns |------------------------------------------L0.5------------------------------------------|"
+ - "L0.6[24,100] 26ns |------------------------------------------L0.6------------------------------------------|"
+ - "L0.7[24,100] 27ns |------------------------------------------L0.7------------------------------------------|"
+ - "L0.8[24,100] 28ns |------------------------------------------L0.8------------------------------------------|"
+ - "L0.9[24,100] 29ns |------------------------------------------L0.9------------------------------------------|"
+ - "L0.10[24,100] 30ns |-----------------------------------------L0.10------------------------------------------|"
+ - "L0.11[24,100] 31ns |-----------------------------------------L0.11------------------------------------------|"
+ - "L0.12[24,100] 32ns |-----------------------------------------L0.12------------------------------------------|"
+ - "L0.13[24,100] 33ns |-----------------------------------------L0.13------------------------------------------|"
+ - "L0.14[24,100] 34ns |-----------------------------------------L0.14------------------------------------------|"
+ - "L0.15[24,100] 35ns |-----------------------------------------L0.15------------------------------------------|"
+ - "L0.16[24,100] 36ns |-----------------------------------------L0.16------------------------------------------|"
+ - "L0.17[24,100] 37ns |-----------------------------------------L0.17------------------------------------------|"
+ - "L0.18[24,100] 38ns |-----------------------------------------L0.18------------------------------------------|"
+ - "L0.19[24,100] 39ns |-----------------------------------------L0.19------------------------------------------|"
+ - "L0.20[24,100] 40ns |-----------------------------------------L0.20------------------------------------------|"
+ - "L0.21[24,100] 41ns |-----------------------------------------L0.21------------------------------------------|"
+ - "L0.22[24,100] 42ns |-----------------------------------------L0.22------------------------------------------|"
+ - "L0.23[24,100] 43ns |-----------------------------------------L0.23------------------------------------------|"
+ - "L0.24[24,100] 44ns |-----------------------------------------L0.24------------------------------------------|"
+ - "L0.25[24,100] 45ns |-----------------------------------------L0.25------------------------------------------|"
+ - "L0.26[24,100] 46ns |-----------------------------------------L0.26------------------------------------------|"
+ - "L0.27[24,100] 47ns |-----------------------------------------L0.27------------------------------------------|"
+ - "L0.28[24,100] 48ns |-----------------------------------------L0.28------------------------------------------|"
+ - "L0.29[24,100] 49ns |-----------------------------------------L0.29------------------------------------------|"
+ - "L0.30[24,100] 50ns |-----------------------------------------L0.30------------------------------------------|"
+ - "L0.31[24,100] 51ns |-----------------------------------------L0.31------------------------------------------|"
+ - "L0.32[24,100] 52ns |-----------------------------------------L0.32------------------------------------------|"
+ - "L0.33[24,100] 53ns |-----------------------------------------L0.33------------------------------------------|"
+ - "L0.34[24,100] 54ns |-----------------------------------------L0.34------------------------------------------|"
+ - "L0.35[24,100] 55ns |-----------------------------------------L0.35------------------------------------------|"
+ - "L0.36[24,100] 56ns |-----------------------------------------L0.36------------------------------------------|"
+ - "L0.37[24,100] 57ns |-----------------------------------------L0.37------------------------------------------|"
+ - "L0.38[24,100] 58ns |-----------------------------------------L0.38------------------------------------------|"
+ - "L0.39[24,100] 59ns |-----------------------------------------L0.39------------------------------------------|"
+ - "L0.40[24,100] 60ns |-----------------------------------------L0.40------------------------------------------|"
+ - "L0.41[24,100] 61ns |-----------------------------------------L0.41------------------------------------------|"
+ - "L0.42[24,100] 62ns |-----------------------------------------L0.42------------------------------------------|"
+ - "L0.43[24,100] 63ns |-----------------------------------------L0.43------------------------------------------|"
+ - "L0.44[24,100] 64ns |-----------------------------------------L0.44------------------------------------------|"
+ - "L0.45[24,100] 65ns |-----------------------------------------L0.45------------------------------------------|"
+ - "L0.46[24,100] 66ns |-----------------------------------------L0.46------------------------------------------|"
+ - "L0.47[24,100] 67ns |-----------------------------------------L0.47------------------------------------------|"
+ - "L0.48[24,100] 68ns |-----------------------------------------L0.48------------------------------------------|"
+ - "L0.49[24,100] 69ns |-----------------------------------------L0.49------------------------------------------|"
+ - "L0.50[24,100] 70ns |-----------------------------------------L0.50------------------------------------------|"
+ - "L0.51[24,100] 71ns |-----------------------------------------L0.51------------------------------------------|"
+ - "L0.52[24,100] 72ns |-----------------------------------------L0.52------------------------------------------|"
+ - "L0.53[24,100] 73ns |-----------------------------------------L0.53------------------------------------------|"
+ - "L0.54[24,100] 74ns |-----------------------------------------L0.54------------------------------------------|"
+ - "L0.55[24,100] 75ns |-----------------------------------------L0.55------------------------------------------|"
+ - "L0.56[24,100] 76ns |-----------------------------------------L0.56------------------------------------------|"
+ - "L0.57[24,100] 77ns |-----------------------------------------L0.57------------------------------------------|"
+ - "L0.58[24,100] 78ns |-----------------------------------------L0.58------------------------------------------|"
+ - "L0.59[24,100] 79ns |-----------------------------------------L0.59------------------------------------------|"
+ - "L0.60[24,100] 80ns |-----------------------------------------L0.60------------------------------------------|"
+ - "L0.61[24,100] 81ns |-----------------------------------------L0.61------------------------------------------|"
+ - "L0.62[24,100] 82ns |-----------------------------------------L0.62------------------------------------------|"
+ - "L0.63[24,100] 83ns |-----------------------------------------L0.63------------------------------------------|"
+ - "L0.64[24,100] 84ns |-----------------------------------------L0.64------------------------------------------|"
+ - "L0.65[24,100] 85ns |-----------------------------------------L0.65------------------------------------------|"
+ - "L0.66[24,100] 86ns |-----------------------------------------L0.66------------------------------------------|"
+ - "L0.67[24,100] 87ns |-----------------------------------------L0.67------------------------------------------|"
+ - "L0.68[24,100] 88ns |-----------------------------------------L0.68------------------------------------------|"
+ - "L0.69[24,100] 89ns |-----------------------------------------L0.69------------------------------------------|"
+ - "L0.70[24,100] 90ns |-----------------------------------------L0.70------------------------------------------|"
+ - "L0.71[24,100] 91ns |-----------------------------------------L0.71------------------------------------------|"
+ - "L0.72[24,100] 92ns |-----------------------------------------L0.72------------------------------------------|"
+ - "L0.73[24,100] 93ns |-----------------------------------------L0.73------------------------------------------|"
+ - "L0.74[24,100] 94ns |-----------------------------------------L0.74------------------------------------------|"
+ - "L0.75[24,100] 95ns |-----------------------------------------L0.75------------------------------------------|"
+ - "L0.76[24,100] 96ns |-----------------------------------------L0.76------------------------------------------|"
+ - "L0.77[24,100] 97ns |-----------------------------------------L0.77------------------------------------------|"
+ - "L0.78[24,100] 98ns |-----------------------------------------L0.78------------------------------------------|"
+ - "L0.79[24,100] 99ns |-----------------------------------------L0.79------------------------------------------|"
+ - "L0.80[24,100] 100ns |-----------------------------------------L0.80------------------------------------------|"
+ - "L0.81[24,100] 101ns |-----------------------------------------L0.81------------------------------------------|"
+ - "L0.82[24,100] 102ns |-----------------------------------------L0.82------------------------------------------|"
+ - "L0.83[24,100] 103ns |-----------------------------------------L0.83------------------------------------------|"
+ - "L0.84[24,100] 104ns |-----------------------------------------L0.84------------------------------------------|"
+ - "L0.85[24,100] 105ns |-----------------------------------------L0.85------------------------------------------|"
+ - "L0.86[24,100] 106ns |-----------------------------------------L0.86------------------------------------------|"
+ - "L0.87[24,100] 107ns |-----------------------------------------L0.87------------------------------------------|"
+ - "L0.88[24,100] 108ns |-----------------------------------------L0.88------------------------------------------|"
+ - "L0.89[24,100] 109ns |-----------------------------------------L0.89------------------------------------------|"
+ - "L0.90[24,100] 110ns |-----------------------------------------L0.90------------------------------------------|"
+ - "L0.91[24,100] 111ns |-----------------------------------------L0.91------------------------------------------|"
+ - "L0.92[24,100] 112ns |-----------------------------------------L0.92------------------------------------------|"
+ - "L0.93[24,100] 113ns |-----------------------------------------L0.93------------------------------------------|"
+ - "L0.94[24,100] 114ns |-----------------------------------------L0.94------------------------------------------|"
+ - "L0.95[24,100] 115ns |-----------------------------------------L0.95------------------------------------------|"
+ - "L0.96[24,100] 116ns |-----------------------------------------L0.96------------------------------------------|"
+ - "L0.97[24,100] 117ns |-----------------------------------------L0.97------------------------------------------|"
+ - "L0.98[24,100] 118ns |-----------------------------------------L0.98------------------------------------------|"
+ - "L0.99[24,100] 119ns |-----------------------------------------L0.99------------------------------------------|"
+ - "L0.100[24,100] 120ns |-----------------------------------------L0.100-----------------------------------------|"
+ - "L0.101[24,100] 121ns |-----------------------------------------L0.101-----------------------------------------|"
+ - "L0.102[24,100] 122ns |-----------------------------------------L0.102-----------------------------------------|"
+ - "L0.103[24,100] 123ns |-----------------------------------------L0.103-----------------------------------------|"
+ - "L0.104[24,100] 124ns |-----------------------------------------L0.104-----------------------------------------|"
+ - "L0.105[24,100] 125ns |-----------------------------------------L0.105-----------------------------------------|"
+ - "L0.106[24,100] 126ns |-----------------------------------------L0.106-----------------------------------------|"
+ - "L0.107[24,100] 127ns |-----------------------------------------L0.107-----------------------------------------|"
+ - "L0.108[24,100] 128ns |-----------------------------------------L0.108-----------------------------------------|"
+ - "L0.109[24,100] 129ns |-----------------------------------------L0.109-----------------------------------------|"
+ - "L0.110[24,100] 130ns |-----------------------------------------L0.110-----------------------------------------|"
+ - "L0.111[24,100] 131ns |-----------------------------------------L0.111-----------------------------------------|"
+ - "L0.112[24,100] 132ns |-----------------------------------------L0.112-----------------------------------------|"
+ - "L0.113[24,100] 133ns |-----------------------------------------L0.113-----------------------------------------|"
+ - "L0.114[24,100] 134ns |-----------------------------------------L0.114-----------------------------------------|"
+ - "L0.115[24,100] 135ns |-----------------------------------------L0.115-----------------------------------------|"
+ - "L0.116[24,100] 136ns |-----------------------------------------L0.116-----------------------------------------|"
+ - "L0.117[24,100] 137ns |-----------------------------------------L0.117-----------------------------------------|"
+ - "L0.118[24,100] 138ns |-----------------------------------------L0.118-----------------------------------------|"
+ - "L0.119[24,100] 139ns |-----------------------------------------L0.119-----------------------------------------|"
+ - "L0.120[24,100] 140ns |-----------------------------------------L0.120-----------------------------------------|"
+ - "L0.121[24,100] 141ns |-----------------------------------------L0.121-----------------------------------------|"
+ - "L0.122[24,100] 142ns |-----------------------------------------L0.122-----------------------------------------|"
+ - "L0.123[24,100] 143ns |-----------------------------------------L0.123-----------------------------------------|"
+ - "L0.124[24,100] 144ns |-----------------------------------------L0.124-----------------------------------------|"
+ - "L0.125[24,100] 145ns |-----------------------------------------L0.125-----------------------------------------|"
+ - "L0.126[24,100] 146ns |-----------------------------------------L0.126-----------------------------------------|"
+ - "L0.127[24,100] 147ns |-----------------------------------------L0.127-----------------------------------------|"
+ - "L0.128[24,100] 148ns |-----------------------------------------L0.128-----------------------------------------|"
+ - "L0.129[24,100] 149ns |-----------------------------------------L0.129-----------------------------------------|"
+ - "L0.130[24,100] 150ns |-----------------------------------------L0.130-----------------------------------------|"
+ - "L0.131[24,100] 151ns |-----------------------------------------L0.131-----------------------------------------|"
+ - "L0.132[24,100] 152ns |-----------------------------------------L0.132-----------------------------------------|"
+ - "L0.133[24,100] 153ns |-----------------------------------------L0.133-----------------------------------------|"
+ - "L0.134[24,100] 154ns |-----------------------------------------L0.134-----------------------------------------|"
+ - "L0.135[24,100] 155ns |-----------------------------------------L0.135-----------------------------------------|"
+ - "L0.136[24,100] 156ns |-----------------------------------------L0.136-----------------------------------------|"
+ - "L0.137[24,100] 157ns |-----------------------------------------L0.137-----------------------------------------|"
+ - "L0.138[24,100] 158ns |-----------------------------------------L0.138-----------------------------------------|"
+ - "L0.139[24,100] 159ns |-----------------------------------------L0.139-----------------------------------------|"
+ - "L0.140[24,100] 160ns |-----------------------------------------L0.140-----------------------------------------|"
+ - "L0.141[24,100] 161ns |-----------------------------------------L0.141-----------------------------------------|"
+ - "L0.142[24,100] 162ns |-----------------------------------------L0.142-----------------------------------------|"
+ - "L0.143[24,100] 163ns |-----------------------------------------L0.143-----------------------------------------|"
+ - "L0.144[24,100] 164ns |-----------------------------------------L0.144-----------------------------------------|"
+ - "L0.145[24,100] 165ns |-----------------------------------------L0.145-----------------------------------------|"
+ - "L0.146[24,100] 166ns |-----------------------------------------L0.146-----------------------------------------|"
+ - "L0.147[24,100] 167ns |-----------------------------------------L0.147-----------------------------------------|"
+ - "L0.148[24,100] 168ns |-----------------------------------------L0.148-----------------------------------------|"
+ - "L0.149[24,100] 169ns |-----------------------------------------L0.149-----------------------------------------|"
+ - "L0.150[24,100] 170ns |-----------------------------------------L0.150-----------------------------------------|"
+ - "L0.151[24,100] 171ns |-----------------------------------------L0.151-----------------------------------------|"
+ - "L0.152[24,100] 172ns |-----------------------------------------L0.152-----------------------------------------|"
+ - "L0.153[24,100] 173ns |-----------------------------------------L0.153-----------------------------------------|"
+ - "L0.154[24,100] 174ns |-----------------------------------------L0.154-----------------------------------------|"
+ - "L0.155[24,100] 175ns |-----------------------------------------L0.155-----------------------------------------|"
+ - "L0.156[24,100] 176ns |-----------------------------------------L0.156-----------------------------------------|"
+ - "L0.157[24,100] 177ns |-----------------------------------------L0.157-----------------------------------------|"
+ - "L0.158[24,100] 178ns |-----------------------------------------L0.158-----------------------------------------|"
+ - "L0.159[24,100] 179ns |-----------------------------------------L0.159-----------------------------------------|"
+ - "L0.160[24,100] 180ns |-----------------------------------------L0.160-----------------------------------------|"
+ - "L0.161[24,100] 181ns |-----------------------------------------L0.161-----------------------------------------|"
+ - "L0.162[24,100] 182ns |-----------------------------------------L0.162-----------------------------------------|"
+ - "L0.163[24,100] 183ns |-----------------------------------------L0.163-----------------------------------------|"
+ - "L0.164[24,100] 184ns |-----------------------------------------L0.164-----------------------------------------|"
+ - "L0.165[24,100] 185ns |-----------------------------------------L0.165-----------------------------------------|"
+ - "L0.166[24,100] 186ns |-----------------------------------------L0.166-----------------------------------------|"
+ - "L0.167[24,100] 187ns |-----------------------------------------L0.167-----------------------------------------|"
+ - "L0.168[24,100] 188ns |-----------------------------------------L0.168-----------------------------------------|"
+ - "L0.169[24,100] 189ns |-----------------------------------------L0.169-----------------------------------------|"
+ - "L0.170[24,100] 190ns |-----------------------------------------L0.170-----------------------------------------|"
+ - "L0.171[24,100] 191ns |-----------------------------------------L0.171-----------------------------------------|"
+ - "L0.172[24,100] 192ns |-----------------------------------------L0.172-----------------------------------------|"
+ - "L0.173[24,100] 193ns |-----------------------------------------L0.173-----------------------------------------|"
+ - "L0.174[24,100] 194ns |-----------------------------------------L0.174-----------------------------------------|"
+ - "L0.175[24,100] 195ns |-----------------------------------------L0.175-----------------------------------------|"
+ - "L0.176[24,100] 196ns |-----------------------------------------L0.176-----------------------------------------|"
+ - "L0.177[24,100] 197ns |-----------------------------------------L0.177-----------------------------------------|"
+ - "L0.178[24,100] 198ns |-----------------------------------------L0.178-----------------------------------------|"
+ - "L0.179[24,100] 199ns |-----------------------------------------L0.179-----------------------------------------|"
+ - "L0.180[24,100] 200ns |-----------------------------------------L0.180-----------------------------------------|"
+ - "L0.181[24,100] 201ns |-----------------------------------------L0.181-----------------------------------------|"
+ - "L0.182[24,100] 202ns |-----------------------------------------L0.182-----------------------------------------|"
+ - "L0.183[24,100] 203ns |-----------------------------------------L0.183-----------------------------------------|"
+ - "L0.184[24,100] 204ns |-----------------------------------------L0.184-----------------------------------------|"
+ - "L0.185[24,100] 205ns |-----------------------------------------L0.185-----------------------------------------|"
+ - "L0.186[24,100] 206ns |-----------------------------------------L0.186-----------------------------------------|"
+ - "L0.187[24,100] 207ns |-----------------------------------------L0.187-----------------------------------------|"
+ - "L0.188[24,100] 208ns |-----------------------------------------L0.188-----------------------------------------|"
+ - "L0.189[24,100] 209ns |-----------------------------------------L0.189-----------------------------------------|"
+ - "L0.190[24,100] 210ns |-----------------------------------------L0.190-----------------------------------------|"
+ - "L0.191[24,100] 211ns |-----------------------------------------L0.191-----------------------------------------|"
+ - "L0.192[24,100] 212ns |-----------------------------------------L0.192-----------------------------------------|"
+ - "L0.193[24,100] 213ns |-----------------------------------------L0.193-----------------------------------------|"
+ - "L0.194[24,100] 214ns |-----------------------------------------L0.194-----------------------------------------|"
+ - "L0.195[24,100] 215ns |-----------------------------------------L0.195-----------------------------------------|"
+ - "L0.196[24,100] 216ns |-----------------------------------------L0.196-----------------------------------------|"
+ - "L0.197[24,100] 217ns |-----------------------------------------L0.197-----------------------------------------|"
+ - "L0.198[24,100] 218ns |-----------------------------------------L0.198-----------------------------------------|"
+ - "L0.199[24,100] 219ns |-----------------------------------------L0.199-----------------------------------------|"
+ - "L0.200[24,100] 220ns |-----------------------------------------L0.200-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 150mb total:"
+ - "L0 "
+ - "L0.?[24,75] 220ns 101mb |---------------------------L0.?---------------------------| "
+ - "L0.?[76,100] 220ns 49mb |-----------L0.?-----------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 200 files: L0.1, L0.2, L0.3, L0.4, L0.5, L0.6, L0.7, L0.8, L0.9, L0.10, L0.11, L0.12, L0.13, L0.14, L0.15, L0.16, L0.17, L0.18, L0.19, L0.20, L0.21, L0.22, L0.23, L0.24, L0.25, L0.26, L0.27, L0.28, L0.29, L0.30, L0.31, L0.32, L0.33, L0.34, L0.35, L0.36, L0.37, L0.38, L0.39, L0.40, L0.41, L0.42, L0.43, L0.44, L0.45, L0.46, L0.47, L0.48, L0.49, L0.50, L0.51, L0.52, L0.53, L0.54, L0.55, L0.56, L0.57, L0.58, L0.59, L0.60, L0.61, L0.62, L0.63, L0.64, L0.65, L0.66, L0.67, L0.68, L0.69, L0.70, L0.71, L0.72, L0.73, L0.74, L0.75, L0.76, L0.77, L0.78, L0.79, L0.80, L0.81, L0.82, L0.83, L0.84, L0.85, L0.86, L0.87, L0.88, L0.89, L0.90, L0.91, L0.92, L0.93, L0.94, L0.95, L0.96, L0.97, L0.98, L0.99, L0.100, L0.101, L0.102, L0.103, L0.104, L0.105, L0.106, L0.107, L0.108, L0.109, L0.110, L0.111, L0.112, L0.113, L0.114, L0.115, L0.116, L0.117, L0.118, L0.119, L0.120, L0.121, L0.122, L0.123, L0.124, L0.125, L0.126, L0.127, L0.128, L0.129, L0.130, L0.131, L0.132, L0.133, L0.134, L0.135, L0.136, L0.137, L0.138, L0.139, L0.140, L0.141, L0.142, L0.143, L0.144, L0.145, L0.146, L0.147, L0.148, L0.149, L0.150, L0.151, L0.152, L0.153, L0.154, L0.155, L0.156, L0.157, L0.158, L0.159, L0.160, L0.161, L0.162, L0.163, L0.164, L0.165, L0.166, L0.167, L0.168, L0.169, L0.170, L0.171, L0.172, L0.173, L0.174, L0.175, L0.176, L0.177, L0.178, L0.179, L0.180, L0.181, L0.182, L0.183, L0.184, L0.185, L0.186, L0.187, L0.188, L0.189, L0.190, L0.191, L0.192, L0.193, L0.194, L0.195, L0.196, L0.197, L0.198, L0.199, L0.200"
+ - " Creating 2 files"
+ - "**** Simulation run 1, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[50, 76]). 200 Input Files, 299mb total:"
+ - "L0 "
+ - "L0.1001[24,75] 220ns 101mb|-------------------------L0.1001--------------------------| "
+ - "L0.1002[76,100] 220ns 49mb |---------L0.1002----------| "
+ - "L0.201[24,100] 221ns 768kb|-----------------------------------------L0.201-----------------------------------------|"
+ - "L0.202[24,100] 222ns 768kb|-----------------------------------------L0.202-----------------------------------------|"
+ - "L0.203[24,100] 223ns 768kb|-----------------------------------------L0.203-----------------------------------------|"
+ - "L0.204[24,100] 224ns 768kb|-----------------------------------------L0.204-----------------------------------------|"
+ - "L0.205[24,100] 225ns 768kb|-----------------------------------------L0.205-----------------------------------------|"
+ - "L0.206[24,100] 226ns 768kb|-----------------------------------------L0.206-----------------------------------------|"
+ - "L0.207[24,100] 227ns 768kb|-----------------------------------------L0.207-----------------------------------------|"
+ - "L0.208[24,100] 228ns 768kb|-----------------------------------------L0.208-----------------------------------------|"
+ - "L0.209[24,100] 229ns 768kb|-----------------------------------------L0.209-----------------------------------------|"
+ - "L0.210[24,100] 230ns 768kb|-----------------------------------------L0.210-----------------------------------------|"
+ - "L0.211[24,100] 231ns 768kb|-----------------------------------------L0.211-----------------------------------------|"
+ - "L0.212[24,100] 232ns 768kb|-----------------------------------------L0.212-----------------------------------------|"
+ - "L0.213[24,100] 233ns 768kb|-----------------------------------------L0.213-----------------------------------------|"
+ - "L0.214[24,100] 234ns 768kb|-----------------------------------------L0.214-----------------------------------------|"
+ - "L0.215[24,100] 235ns 768kb|-----------------------------------------L0.215-----------------------------------------|"
+ - "L0.216[24,100] 236ns 768kb|-----------------------------------------L0.216-----------------------------------------|"
+ - "L0.217[24,100] 237ns 768kb|-----------------------------------------L0.217-----------------------------------------|"
+ - "L0.218[24,100] 238ns 768kb|-----------------------------------------L0.218-----------------------------------------|"
+ - "L0.219[24,100] 239ns 768kb|-----------------------------------------L0.219-----------------------------------------|"
+ - "L0.220[24,100] 240ns 768kb|-----------------------------------------L0.220-----------------------------------------|"
+ - "L0.221[24,100] 241ns 768kb|-----------------------------------------L0.221-----------------------------------------|"
+ - "L0.222[24,100] 242ns 768kb|-----------------------------------------L0.222-----------------------------------------|"
+ - "L0.223[24,100] 243ns 768kb|-----------------------------------------L0.223-----------------------------------------|"
+ - "L0.224[24,100] 244ns 768kb|-----------------------------------------L0.224-----------------------------------------|"
+ - "L0.225[24,100] 245ns 768kb|-----------------------------------------L0.225-----------------------------------------|"
+ - "L0.226[24,100] 246ns 768kb|-----------------------------------------L0.226-----------------------------------------|"
+ - "L0.227[24,100] 247ns 768kb|-----------------------------------------L0.227-----------------------------------------|"
+ - "L0.228[24,100] 248ns 768kb|-----------------------------------------L0.228-----------------------------------------|"
+ - "L0.229[24,100] 249ns 768kb|-----------------------------------------L0.229-----------------------------------------|"
+ - "L0.230[24,100] 250ns 768kb|-----------------------------------------L0.230-----------------------------------------|"
+ - "L0.231[24,100] 251ns 768kb|-----------------------------------------L0.231-----------------------------------------|"
+ - "L0.232[24,100] 252ns 768kb|-----------------------------------------L0.232-----------------------------------------|"
+ - "L0.233[24,100] 253ns 768kb|-----------------------------------------L0.233-----------------------------------------|"
+ - "L0.234[24,100] 254ns 768kb|-----------------------------------------L0.234-----------------------------------------|"
+ - "L0.235[24,100] 255ns 768kb|-----------------------------------------L0.235-----------------------------------------|"
+ - "L0.236[24,100] 256ns 768kb|-----------------------------------------L0.236-----------------------------------------|"
+ - "L0.237[24,100] 257ns 768kb|-----------------------------------------L0.237-----------------------------------------|"
+ - "L0.238[24,100] 258ns 768kb|-----------------------------------------L0.238-----------------------------------------|"
+ - "L0.239[24,100] 259ns 768kb|-----------------------------------------L0.239-----------------------------------------|"
+ - "L0.240[24,100] 260ns 768kb|-----------------------------------------L0.240-----------------------------------------|"
+ - "L0.241[24,100] 261ns 768kb|-----------------------------------------L0.241-----------------------------------------|"
+ - "L0.242[24,100] 262ns 768kb|-----------------------------------------L0.242-----------------------------------------|"
+ - "L0.243[24,100] 263ns 768kb|-----------------------------------------L0.243-----------------------------------------|"
+ - "L0.244[24,100] 264ns 768kb|-----------------------------------------L0.244-----------------------------------------|"
+ - "L0.245[24,100] 265ns 768kb|-----------------------------------------L0.245-----------------------------------------|"
+ - "L0.246[24,100] 266ns 768kb|-----------------------------------------L0.246-----------------------------------------|"
+ - "L0.247[24,100] 267ns 768kb|-----------------------------------------L0.247-----------------------------------------|"
+ - "L0.248[24,100] 268ns 768kb|-----------------------------------------L0.248-----------------------------------------|"
+ - "L0.249[24,100] 269ns 768kb|-----------------------------------------L0.249-----------------------------------------|"
+ - "L0.250[24,100] 270ns 768kb|-----------------------------------------L0.250-----------------------------------------|"
+ - "L0.251[24,100] 271ns 768kb|-----------------------------------------L0.251-----------------------------------------|"
+ - "L0.252[24,100] 272ns 768kb|-----------------------------------------L0.252-----------------------------------------|"
+ - "L0.253[24,100] 273ns 768kb|-----------------------------------------L0.253-----------------------------------------|"
+ - "L0.254[24,100] 274ns 768kb|-----------------------------------------L0.254-----------------------------------------|"
+ - "L0.255[24,100] 275ns 768kb|-----------------------------------------L0.255-----------------------------------------|"
+ - "L0.256[24,100] 276ns 768kb|-----------------------------------------L0.256-----------------------------------------|"
+ - "L0.257[24,100] 277ns 768kb|-----------------------------------------L0.257-----------------------------------------|"
+ - "L0.258[24,100] 278ns 768kb|-----------------------------------------L0.258-----------------------------------------|"
+ - "L0.259[24,100] 279ns 768kb|-----------------------------------------L0.259-----------------------------------------|"
+ - "L0.260[24,100] 280ns 768kb|-----------------------------------------L0.260-----------------------------------------|"
+ - "L0.261[24,100] 281ns 768kb|-----------------------------------------L0.261-----------------------------------------|"
+ - "L0.262[24,100] 282ns 768kb|-----------------------------------------L0.262-----------------------------------------|"
+ - "L0.263[24,100] 283ns 768kb|-----------------------------------------L0.263-----------------------------------------|"
+ - "L0.264[24,100] 284ns 768kb|-----------------------------------------L0.264-----------------------------------------|"
+ - "L0.265[24,100] 285ns 768kb|-----------------------------------------L0.265-----------------------------------------|"
+ - "L0.266[24,100] 286ns 768kb|-----------------------------------------L0.266-----------------------------------------|"
+ - "L0.267[24,100] 287ns 768kb|-----------------------------------------L0.267-----------------------------------------|"
+ - "L0.268[24,100] 288ns 768kb|-----------------------------------------L0.268-----------------------------------------|"
+ - "L0.269[24,100] 289ns 768kb|-----------------------------------------L0.269-----------------------------------------|"
+ - "L0.270[24,100] 290ns 768kb|-----------------------------------------L0.270-----------------------------------------|"
+ - "L0.271[24,100] 291ns 768kb|-----------------------------------------L0.271-----------------------------------------|"
+ - "L0.272[24,100] 292ns 768kb|-----------------------------------------L0.272-----------------------------------------|"
+ - "L0.273[24,100] 293ns 768kb|-----------------------------------------L0.273-----------------------------------------|"
+ - "L0.274[24,100] 294ns 768kb|-----------------------------------------L0.274-----------------------------------------|"
+ - "L0.275[24,100] 295ns 768kb|-----------------------------------------L0.275-----------------------------------------|"
+ - "L0.276[24,100] 296ns 768kb|-----------------------------------------L0.276-----------------------------------------|"
+ - "L0.277[24,100] 297ns 768kb|-----------------------------------------L0.277-----------------------------------------|"
+ - "L0.278[24,100] 298ns 768kb|-----------------------------------------L0.278-----------------------------------------|"
+ - "L0.279[24,100] 299ns 768kb|-----------------------------------------L0.279-----------------------------------------|"
+ - "L0.280[24,100] 300ns 768kb|-----------------------------------------L0.280-----------------------------------------|"
+ - "L0.281[24,100] 301ns 768kb|-----------------------------------------L0.281-----------------------------------------|"
+ - "L0.282[24,100] 302ns 768kb|-----------------------------------------L0.282-----------------------------------------|"
+ - "L0.283[24,100] 303ns 768kb|-----------------------------------------L0.283-----------------------------------------|"
+ - "L0.284[24,100] 304ns 768kb|-----------------------------------------L0.284-----------------------------------------|"
+ - "L0.285[24,100] 305ns 768kb|-----------------------------------------L0.285-----------------------------------------|"
+ - "L0.286[24,100] 306ns 768kb|-----------------------------------------L0.286-----------------------------------------|"
+ - "L0.287[24,100] 307ns 768kb|-----------------------------------------L0.287-----------------------------------------|"
+ - "L0.288[24,100] 308ns 768kb|-----------------------------------------L0.288-----------------------------------------|"
+ - "L0.289[24,100] 309ns 768kb|-----------------------------------------L0.289-----------------------------------------|"
+ - "L0.290[24,100] 310ns 768kb|-----------------------------------------L0.290-----------------------------------------|"
+ - "L0.291[24,100] 311ns 768kb|-----------------------------------------L0.291-----------------------------------------|"
+ - "L0.292[24,100] 312ns 768kb|-----------------------------------------L0.292-----------------------------------------|"
+ - "L0.293[24,100] 313ns 768kb|-----------------------------------------L0.293-----------------------------------------|"
+ - "L0.294[24,100] 314ns 768kb|-----------------------------------------L0.294-----------------------------------------|"
+ - "L0.295[24,100] 315ns 768kb|-----------------------------------------L0.295-----------------------------------------|"
+ - "L0.296[24,100] 316ns 768kb|-----------------------------------------L0.296-----------------------------------------|"
+ - "L0.297[24,100] 317ns 768kb|-----------------------------------------L0.297-----------------------------------------|"
+ - "L0.298[24,100] 318ns 768kb|-----------------------------------------L0.298-----------------------------------------|"
+ - "L0.299[24,100] 319ns 768kb|-----------------------------------------L0.299-----------------------------------------|"
+ - "L0.300[24,100] 320ns 768kb|-----------------------------------------L0.300-----------------------------------------|"
+ - "L0.301[24,100] 321ns 768kb|-----------------------------------------L0.301-----------------------------------------|"
+ - "L0.302[24,100] 322ns 768kb|-----------------------------------------L0.302-----------------------------------------|"
+ - "L0.303[24,100] 323ns 768kb|-----------------------------------------L0.303-----------------------------------------|"
+ - "L0.304[24,100] 324ns 768kb|-----------------------------------------L0.304-----------------------------------------|"
+ - "L0.305[24,100] 325ns 768kb|-----------------------------------------L0.305-----------------------------------------|"
+ - "L0.306[24,100] 326ns 768kb|-----------------------------------------L0.306-----------------------------------------|"
+ - "L0.307[24,100] 327ns 768kb|-----------------------------------------L0.307-----------------------------------------|"
+ - "L0.308[24,100] 328ns 768kb|-----------------------------------------L0.308-----------------------------------------|"
+ - "L0.309[24,100] 329ns 768kb|-----------------------------------------L0.309-----------------------------------------|"
+ - "L0.310[24,100] 330ns 768kb|-----------------------------------------L0.310-----------------------------------------|"
+ - "L0.311[24,100] 331ns 768kb|-----------------------------------------L0.311-----------------------------------------|"
+ - "L0.312[24,100] 332ns 768kb|-----------------------------------------L0.312-----------------------------------------|"
+ - "L0.313[24,100] 333ns 768kb|-----------------------------------------L0.313-----------------------------------------|"
+ - "L0.314[24,100] 334ns 768kb|-----------------------------------------L0.314-----------------------------------------|"
+ - "L0.315[24,100] 335ns 768kb|-----------------------------------------L0.315-----------------------------------------|"
+ - "L0.316[24,100] 336ns 768kb|-----------------------------------------L0.316-----------------------------------------|"
+ - "L0.317[24,100] 337ns 768kb|-----------------------------------------L0.317-----------------------------------------|"
+ - "L0.318[24,100] 338ns 768kb|-----------------------------------------L0.318-----------------------------------------|"
+ - "L0.319[24,100] 339ns 768kb|-----------------------------------------L0.319-----------------------------------------|"
+ - "L0.320[24,100] 340ns 768kb|-----------------------------------------L0.320-----------------------------------------|"
+ - "L0.321[24,100] 341ns 768kb|-----------------------------------------L0.321-----------------------------------------|"
+ - "L0.322[24,100] 342ns 768kb|-----------------------------------------L0.322-----------------------------------------|"
+ - "L0.323[24,100] 343ns 768kb|-----------------------------------------L0.323-----------------------------------------|"
+ - "L0.324[24,100] 344ns 768kb|-----------------------------------------L0.324-----------------------------------------|"
+ - "L0.325[24,100] 345ns 768kb|-----------------------------------------L0.325-----------------------------------------|"
+ - "L0.326[24,100] 346ns 768kb|-----------------------------------------L0.326-----------------------------------------|"
+ - "L0.327[24,100] 347ns 768kb|-----------------------------------------L0.327-----------------------------------------|"
+ - "L0.328[24,100] 348ns 768kb|-----------------------------------------L0.328-----------------------------------------|"
+ - "L0.329[24,100] 349ns 768kb|-----------------------------------------L0.329-----------------------------------------|"
+ - "L0.330[24,100] 350ns 768kb|-----------------------------------------L0.330-----------------------------------------|"
+ - "L0.331[24,100] 351ns 768kb|-----------------------------------------L0.331-----------------------------------------|"
+ - "L0.332[24,100] 352ns 768kb|-----------------------------------------L0.332-----------------------------------------|"
+ - "L0.333[24,100] 353ns 768kb|-----------------------------------------L0.333-----------------------------------------|"
+ - "L0.334[24,100] 354ns 768kb|-----------------------------------------L0.334-----------------------------------------|"
+ - "L0.335[24,100] 355ns 768kb|-----------------------------------------L0.335-----------------------------------------|"
+ - "L0.336[24,100] 356ns 768kb|-----------------------------------------L0.336-----------------------------------------|"
+ - "L0.337[24,100] 357ns 768kb|-----------------------------------------L0.337-----------------------------------------|"
+ - "L0.338[24,100] 358ns 768kb|-----------------------------------------L0.338-----------------------------------------|"
+ - "L0.339[24,100] 359ns 768kb|-----------------------------------------L0.339-----------------------------------------|"
+ - "L0.340[24,100] 360ns 768kb|-----------------------------------------L0.340-----------------------------------------|"
+ - "L0.341[24,100] 361ns 768kb|-----------------------------------------L0.341-----------------------------------------|"
+ - "L0.342[24,100] 362ns 768kb|-----------------------------------------L0.342-----------------------------------------|"
+ - "L0.343[24,100] 363ns 768kb|-----------------------------------------L0.343-----------------------------------------|"
+ - "L0.344[24,100] 364ns 768kb|-----------------------------------------L0.344-----------------------------------------|"
+ - "L0.345[24,100] 365ns 768kb|-----------------------------------------L0.345-----------------------------------------|"
+ - "L0.346[24,100] 366ns 768kb|-----------------------------------------L0.346-----------------------------------------|"
+ - "L0.347[24,100] 367ns 768kb|-----------------------------------------L0.347-----------------------------------------|"
+ - "L0.348[24,100] 368ns 768kb|-----------------------------------------L0.348-----------------------------------------|"
+ - "L0.349[24,100] 369ns 768kb|-----------------------------------------L0.349-----------------------------------------|"
+ - "L0.350[24,100] 370ns 768kb|-----------------------------------------L0.350-----------------------------------------|"
+ - "L0.351[24,100] 371ns 768kb|-----------------------------------------L0.351-----------------------------------------|"
+ - "L0.352[24,100] 372ns 768kb|-----------------------------------------L0.352-----------------------------------------|"
+ - "L0.353[24,100] 373ns 768kb|-----------------------------------------L0.353-----------------------------------------|"
+ - "L0.354[24,100] 374ns 768kb|-----------------------------------------L0.354-----------------------------------------|"
+ - "L0.355[24,100] 375ns 768kb|-----------------------------------------L0.355-----------------------------------------|"
+ - "L0.356[24,100] 376ns 768kb|-----------------------------------------L0.356-----------------------------------------|"
+ - "L0.357[24,100] 377ns 768kb|-----------------------------------------L0.357-----------------------------------------|"
+ - "L0.358[24,100] 378ns 768kb|-----------------------------------------L0.358-----------------------------------------|"
+ - "L0.359[24,100] 379ns 768kb|-----------------------------------------L0.359-----------------------------------------|"
+ - "L0.360[24,100] 380ns 768kb|-----------------------------------------L0.360-----------------------------------------|"
+ - "L0.361[24,100] 381ns 768kb|-----------------------------------------L0.361-----------------------------------------|"
+ - "L0.362[24,100] 382ns 768kb|-----------------------------------------L0.362-----------------------------------------|"
+ - "L0.363[24,100] 383ns 768kb|-----------------------------------------L0.363-----------------------------------------|"
+ - "L0.364[24,100] 384ns 768kb|-----------------------------------------L0.364-----------------------------------------|"
+ - "L0.365[24,100] 385ns 768kb|-----------------------------------------L0.365-----------------------------------------|"
+ - "L0.366[24,100] 386ns 768kb|-----------------------------------------L0.366-----------------------------------------|"
+ - "L0.367[24,100] 387ns 768kb|-----------------------------------------L0.367-----------------------------------------|"
+ - "L0.368[24,100] 388ns 768kb|-----------------------------------------L0.368-----------------------------------------|"
+ - "L0.369[24,100] 389ns 768kb|-----------------------------------------L0.369-----------------------------------------|"
+ - "L0.370[24,100] 390ns 768kb|-----------------------------------------L0.370-----------------------------------------|"
+ - "L0.371[24,100] 391ns 768kb|-----------------------------------------L0.371-----------------------------------------|"
+ - "L0.372[24,100] 392ns 768kb|-----------------------------------------L0.372-----------------------------------------|"
+ - "L0.373[24,100] 393ns 768kb|-----------------------------------------L0.373-----------------------------------------|"
+ - "L0.374[24,100] 394ns 768kb|-----------------------------------------L0.374-----------------------------------------|"
+ - "L0.375[24,100] 395ns 768kb|-----------------------------------------L0.375-----------------------------------------|"
+ - "L0.376[24,100] 396ns 768kb|-----------------------------------------L0.376-----------------------------------------|"
+ - "L0.377[24,100] 397ns 768kb|-----------------------------------------L0.377-----------------------------------------|"
+ - "L0.378[24,100] 398ns 768kb|-----------------------------------------L0.378-----------------------------------------|"
+ - "L0.379[24,100] 399ns 768kb|-----------------------------------------L0.379-----------------------------------------|"
+ - "L0.380[24,100] 400ns 768kb|-----------------------------------------L0.380-----------------------------------------|"
+ - "L0.381[24,100] 401ns 768kb|-----------------------------------------L0.381-----------------------------------------|"
+ - "L0.382[24,100] 402ns 768kb|-----------------------------------------L0.382-----------------------------------------|"
+ - "L0.383[24,100] 403ns 768kb|-----------------------------------------L0.383-----------------------------------------|"
+ - "L0.384[24,100] 404ns 768kb|-----------------------------------------L0.384-----------------------------------------|"
+ - "L0.385[24,100] 405ns 768kb|-----------------------------------------L0.385-----------------------------------------|"
+ - "L0.386[24,100] 406ns 768kb|-----------------------------------------L0.386-----------------------------------------|"
+ - "L0.387[24,100] 407ns 768kb|-----------------------------------------L0.387-----------------------------------------|"
+ - "L0.388[24,100] 408ns 768kb|-----------------------------------------L0.388-----------------------------------------|"
+ - "L0.389[24,100] 409ns 768kb|-----------------------------------------L0.389-----------------------------------------|"
+ - "L0.390[24,100] 410ns 768kb|-----------------------------------------L0.390-----------------------------------------|"
+ - "L0.391[24,100] 411ns 768kb|-----------------------------------------L0.391-----------------------------------------|"
+ - "L0.392[24,100] 412ns 768kb|-----------------------------------------L0.392-----------------------------------------|"
+ - "L0.393[24,100] 413ns 768kb|-----------------------------------------L0.393-----------------------------------------|"
+ - "L0.394[24,100] 414ns 768kb|-----------------------------------------L0.394-----------------------------------------|"
+ - "L0.395[24,100] 415ns 768kb|-----------------------------------------L0.395-----------------------------------------|"
+ - "L0.396[24,100] 416ns 768kb|-----------------------------------------L0.396-----------------------------------------|"
+ - "L0.397[24,100] 417ns 768kb|-----------------------------------------L0.397-----------------------------------------|"
+ - "L0.398[24,100] 418ns 768kb|-----------------------------------------L0.398-----------------------------------------|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 299mb total:"
+ - "L0 "
+ - "L0.?[24,50] 418ns 102mb |------------L0.?------------| "
+ - "L0.?[51,76] 418ns 98mb |-----------L0.?------------| "
+ - "L0.?[77,100] 418ns 98mb |----------L0.?-----------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 200 files: L0.201, L0.202, L0.203, L0.204, L0.205, L0.206, L0.207, L0.208, L0.209, L0.210, L0.211, L0.212, L0.213, L0.214, L0.215, L0.216, L0.217, L0.218, L0.219, L0.220, L0.221, L0.222, L0.223, L0.224, L0.225, L0.226, L0.227, L0.228, L0.229, L0.230, L0.231, L0.232, L0.233, L0.234, L0.235, L0.236, L0.237, L0.238, L0.239, L0.240, L0.241, L0.242, L0.243, L0.244, L0.245, L0.246, L0.247, L0.248, L0.249, L0.250, L0.251, L0.252, L0.253, L0.254, L0.255, L0.256, L0.257, L0.258, L0.259, L0.260, L0.261, L0.262, L0.263, L0.264, L0.265, L0.266, L0.267, L0.268, L0.269, L0.270, L0.271, L0.272, L0.273, L0.274, L0.275, L0.276, L0.277, L0.278, L0.279, L0.280, L0.281, L0.282, L0.283, L0.284, L0.285, L0.286, L0.287, L0.288, L0.289, L0.290, L0.291, L0.292, L0.293, L0.294, L0.295, L0.296, L0.297, L0.298, L0.299, L0.300, L0.301, L0.302, L0.303, L0.304, L0.305, L0.306, L0.307, L0.308, L0.309, L0.310, L0.311, L0.312, L0.313, L0.314, L0.315, L0.316, L0.317, L0.318, L0.319, L0.320, L0.321, L0.322, L0.323, L0.324, L0.325, L0.326, L0.327, L0.328, L0.329, L0.330, L0.331, L0.332, L0.333, L0.334, L0.335, L0.336, L0.337, L0.338, L0.339, L0.340, L0.341, L0.342, L0.343, L0.344, L0.345, L0.346, L0.347, L0.348, L0.349, L0.350, L0.351, L0.352, L0.353, L0.354, L0.355, L0.356, L0.357, L0.358, L0.359, L0.360, L0.361, L0.362, L0.363, L0.364, L0.365, L0.366, L0.367, L0.368, L0.369, L0.370, L0.371, L0.372, L0.373, L0.374, L0.375, L0.376, L0.377, L0.378, L0.379, L0.380, L0.381, L0.382, L0.383, L0.384, L0.385, L0.386, L0.387, L0.388, L0.389, L0.390, L0.391, L0.392, L0.393, L0.394, L0.395, L0.396, L0.397, L0.398, L0.1001, L0.1002"
+ - " Creating 3 files"
+ - "**** Simulation run 2, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[42, 60, 78, 96]). 200 Input Files, 446mb total:"
+ - "L0 "
+ - "L0.1003[24,50] 418ns 102mb|----------L0.1003-----------| "
+ - "L0.1004[51,76] 418ns 98mb |----------L0.1004----------| "
+ - "L0.1005[77,100] 418ns 98mb |---------L0.1005---------| "
+ - "L0.399[24,100] 419ns 768kb|-----------------------------------------L0.399-----------------------------------------|"
+ - "L0.400[24,100] 420ns 768kb|-----------------------------------------L0.400-----------------------------------------|"
+ - "L0.401[24,100] 421ns 768kb|-----------------------------------------L0.401-----------------------------------------|"
+ - "L0.402[24,100] 422ns 768kb|-----------------------------------------L0.402-----------------------------------------|"
+ - "L0.403[24,100] 423ns 768kb|-----------------------------------------L0.403-----------------------------------------|"
+ - "L0.404[24,100] 424ns 768kb|-----------------------------------------L0.404-----------------------------------------|"
+ - "L0.405[24,100] 425ns 768kb|-----------------------------------------L0.405-----------------------------------------|"
+ - "L0.406[24,100] 426ns 768kb|-----------------------------------------L0.406-----------------------------------------|"
+ - "L0.407[24,100] 427ns 768kb|-----------------------------------------L0.407-----------------------------------------|"
+ - "L0.408[24,100] 428ns 768kb|-----------------------------------------L0.408-----------------------------------------|"
+ - "L0.409[24,100] 429ns 768kb|-----------------------------------------L0.409-----------------------------------------|"
+ - "L0.410[24,100] 430ns 768kb|-----------------------------------------L0.410-----------------------------------------|"
+ - "L0.411[24,100] 431ns 768kb|-----------------------------------------L0.411-----------------------------------------|"
+ - "L0.412[24,100] 432ns 768kb|-----------------------------------------L0.412-----------------------------------------|"
+ - "L0.413[24,100] 433ns 768kb|-----------------------------------------L0.413-----------------------------------------|"
+ - "L0.414[24,100] 434ns 768kb|-----------------------------------------L0.414-----------------------------------------|"
+ - "L0.415[24,100] 435ns 768kb|-----------------------------------------L0.415-----------------------------------------|"
+ - "L0.416[24,100] 436ns 768kb|-----------------------------------------L0.416-----------------------------------------|"
+ - "L0.417[24,100] 437ns 768kb|-----------------------------------------L0.417-----------------------------------------|"
+ - "L0.418[24,100] 438ns 768kb|-----------------------------------------L0.418-----------------------------------------|"
+ - "L0.419[24,100] 439ns 768kb|-----------------------------------------L0.419-----------------------------------------|"
+ - "L0.420[24,100] 440ns 768kb|-----------------------------------------L0.420-----------------------------------------|"
+ - "L0.421[24,100] 441ns 768kb|-----------------------------------------L0.421-----------------------------------------|"
+ - "L0.422[24,100] 442ns 768kb|-----------------------------------------L0.422-----------------------------------------|"
+ - "L0.423[24,100] 443ns 768kb|-----------------------------------------L0.423-----------------------------------------|"
+ - "L0.424[24,100] 444ns 768kb|-----------------------------------------L0.424-----------------------------------------|"
+ - "L0.425[24,100] 445ns 768kb|-----------------------------------------L0.425-----------------------------------------|"
+ - "L0.426[24,100] 446ns 768kb|-----------------------------------------L0.426-----------------------------------------|"
+ - "L0.427[24,100] 447ns 768kb|-----------------------------------------L0.427-----------------------------------------|"
+ - "L0.428[24,100] 448ns 768kb|-----------------------------------------L0.428-----------------------------------------|"
+ - "L0.429[24,100] 449ns 768kb|-----------------------------------------L0.429-----------------------------------------|"
+ - "L0.430[24,100] 450ns 768kb|-----------------------------------------L0.430-----------------------------------------|"
+ - "L0.431[24,100] 451ns 768kb|-----------------------------------------L0.431-----------------------------------------|"
+ - "L0.432[24,100] 452ns 768kb|-----------------------------------------L0.432-----------------------------------------|"
+ - "L0.433[24,100] 453ns 768kb|-----------------------------------------L0.433-----------------------------------------|"
+ - "L0.434[24,100] 454ns 768kb|-----------------------------------------L0.434-----------------------------------------|"
+ - "L0.435[24,100] 455ns 768kb|-----------------------------------------L0.435-----------------------------------------|"
+ - "L0.436[24,100] 456ns 768kb|-----------------------------------------L0.436-----------------------------------------|"
+ - "L0.437[24,100] 457ns 768kb|-----------------------------------------L0.437-----------------------------------------|"
+ - "L0.438[24,100] 458ns 768kb|-----------------------------------------L0.438-----------------------------------------|"
+ - "L0.439[24,100] 459ns 768kb|-----------------------------------------L0.439-----------------------------------------|"
+ - "L0.440[24,100] 460ns 768kb|-----------------------------------------L0.440-----------------------------------------|"
+ - "L0.441[24,100] 461ns 768kb|-----------------------------------------L0.441-----------------------------------------|"
+ - "L0.442[24,100] 462ns 768kb|-----------------------------------------L0.442-----------------------------------------|"
+ - "L0.443[24,100] 463ns 768kb|-----------------------------------------L0.443-----------------------------------------|"
+ - "L0.444[24,100] 464ns 768kb|-----------------------------------------L0.444-----------------------------------------|"
+ - "L0.445[24,100] 465ns 768kb|-----------------------------------------L0.445-----------------------------------------|"
+ - "L0.446[24,100] 466ns 768kb|-----------------------------------------L0.446-----------------------------------------|"
+ - "L0.447[24,100] 467ns 768kb|-----------------------------------------L0.447-----------------------------------------|"
+ - "L0.448[24,100] 468ns 768kb|-----------------------------------------L0.448-----------------------------------------|"
+ - "L0.449[24,100] 469ns 768kb|-----------------------------------------L0.449-----------------------------------------|"
+ - "L0.450[24,100] 470ns 768kb|-----------------------------------------L0.450-----------------------------------------|"
+ - "L0.451[24,100] 471ns 768kb|-----------------------------------------L0.451-----------------------------------------|"
+ - "L0.452[24,100] 472ns 768kb|-----------------------------------------L0.452-----------------------------------------|"
+ - "L0.453[24,100] 473ns 768kb|-----------------------------------------L0.453-----------------------------------------|"
+ - "L0.454[24,100] 474ns 768kb|-----------------------------------------L0.454-----------------------------------------|"
+ - "L0.455[24,100] 475ns 768kb|-----------------------------------------L0.455-----------------------------------------|"
+ - "L0.456[24,100] 476ns 768kb|-----------------------------------------L0.456-----------------------------------------|"
+ - "L0.457[24,100] 477ns 768kb|-----------------------------------------L0.457-----------------------------------------|"
+ - "L0.458[24,100] 478ns 768kb|-----------------------------------------L0.458-----------------------------------------|"
+ - "L0.459[24,100] 479ns 768kb|-----------------------------------------L0.459-----------------------------------------|"
+ - "L0.460[24,100] 480ns 768kb|-----------------------------------------L0.460-----------------------------------------|"
+ - "L0.461[24,100] 481ns 768kb|-----------------------------------------L0.461-----------------------------------------|"
+ - "L0.462[24,100] 482ns 768kb|-----------------------------------------L0.462-----------------------------------------|"
+ - "L0.463[24,100] 483ns 768kb|-----------------------------------------L0.463-----------------------------------------|"
+ - "L0.464[24,100] 484ns 768kb|-----------------------------------------L0.464-----------------------------------------|"
+ - "L0.465[24,100] 485ns 768kb|-----------------------------------------L0.465-----------------------------------------|"
+ - "L0.466[24,100] 486ns 768kb|-----------------------------------------L0.466-----------------------------------------|"
+ - "L0.467[24,100] 487ns 768kb|-----------------------------------------L0.467-----------------------------------------|"
+ - "L0.468[24,100] 488ns 768kb|-----------------------------------------L0.468-----------------------------------------|"
+ - "L0.469[24,100] 489ns 768kb|-----------------------------------------L0.469-----------------------------------------|"
+ - "L0.470[24,100] 490ns 768kb|-----------------------------------------L0.470-----------------------------------------|"
+ - "L0.471[24,100] 491ns 768kb|-----------------------------------------L0.471-----------------------------------------|"
+ - "L0.472[24,100] 492ns 768kb|-----------------------------------------L0.472-----------------------------------------|"
+ - "L0.473[24,100] 493ns 768kb|-----------------------------------------L0.473-----------------------------------------|"
+ - "L0.474[24,100] 494ns 768kb|-----------------------------------------L0.474-----------------------------------------|"
+ - "L0.475[24,100] 495ns 768kb|-----------------------------------------L0.475-----------------------------------------|"
+ - "L0.476[24,100] 496ns 768kb|-----------------------------------------L0.476-----------------------------------------|"
+ - "L0.477[24,100] 497ns 768kb|-----------------------------------------L0.477-----------------------------------------|"
+ - "L0.478[24,100] 498ns 768kb|-----------------------------------------L0.478-----------------------------------------|"
+ - "L0.479[24,100] 499ns 768kb|-----------------------------------------L0.479-----------------------------------------|"
+ - "L0.480[24,100] 500ns 768kb|-----------------------------------------L0.480-----------------------------------------|"
+ - "L0.481[24,100] 501ns 768kb|-----------------------------------------L0.481-----------------------------------------|"
+ - "L0.482[24,100] 502ns 768kb|-----------------------------------------L0.482-----------------------------------------|"
+ - "L0.483[24,100] 503ns 768kb|-----------------------------------------L0.483-----------------------------------------|"
+ - "L0.484[24,100] 504ns 768kb|-----------------------------------------L0.484-----------------------------------------|"
+ - "L0.485[24,100] 505ns 768kb|-----------------------------------------L0.485-----------------------------------------|"
+ - "L0.486[24,100] 506ns 768kb|-----------------------------------------L0.486-----------------------------------------|"
+ - "L0.487[24,100] 507ns 768kb|-----------------------------------------L0.487-----------------------------------------|"
+ - "L0.488[24,100] 508ns 768kb|-----------------------------------------L0.488-----------------------------------------|"
+ - "L0.489[24,100] 509ns 768kb|-----------------------------------------L0.489-----------------------------------------|"
+ - "L0.490[24,100] 510ns 768kb|-----------------------------------------L0.490-----------------------------------------|"
+ - "L0.491[24,100] 511ns 768kb|-----------------------------------------L0.491-----------------------------------------|"
+ - "L0.492[24,100] 512ns 768kb|-----------------------------------------L0.492-----------------------------------------|"
+ - "L0.493[24,100] 513ns 768kb|-----------------------------------------L0.493-----------------------------------------|"
+ - "L0.494[24,100] 514ns 768kb|-----------------------------------------L0.494-----------------------------------------|"
+ - "L0.495[24,100] 515ns 768kb|-----------------------------------------L0.495-----------------------------------------|"
+ - "L0.496[24,100] 516ns 768kb|-----------------------------------------L0.496-----------------------------------------|"
+ - "L0.497[24,100] 517ns 768kb|-----------------------------------------L0.497-----------------------------------------|"
+ - "L0.498[24,100] 518ns 768kb|-----------------------------------------L0.498-----------------------------------------|"
+ - "L0.499[24,100] 519ns 768kb|-----------------------------------------L0.499-----------------------------------------|"
+ - "L0.500[24,100] 520ns 768kb|-----------------------------------------L0.500-----------------------------------------|"
+ - "L0.501[24,100] 521ns 768kb|-----------------------------------------L0.501-----------------------------------------|"
+ - "L0.502[24,100] 522ns 768kb|-----------------------------------------L0.502-----------------------------------------|"
+ - "L0.503[24,100] 523ns 768kb|-----------------------------------------L0.503-----------------------------------------|"
+ - "L0.504[24,100] 524ns 768kb|-----------------------------------------L0.504-----------------------------------------|"
+ - "L0.505[24,100] 525ns 768kb|-----------------------------------------L0.505-----------------------------------------|"
+ - "L0.506[24,100] 526ns 768kb|-----------------------------------------L0.506-----------------------------------------|"
+ - "L0.507[24,100] 527ns 768kb|-----------------------------------------L0.507-----------------------------------------|"
+ - "L0.508[24,100] 528ns 768kb|-----------------------------------------L0.508-----------------------------------------|"
+ - "L0.509[24,100] 529ns 768kb|-----------------------------------------L0.509-----------------------------------------|"
+ - "L0.510[24,100] 530ns 768kb|-----------------------------------------L0.510-----------------------------------------|"
+ - "L0.511[24,100] 531ns 768kb|-----------------------------------------L0.511-----------------------------------------|"
+ - "L0.512[24,100] 532ns 768kb|-----------------------------------------L0.512-----------------------------------------|"
+ - "L0.513[24,100] 533ns 768kb|-----------------------------------------L0.513-----------------------------------------|"
+ - "L0.514[24,100] 534ns 768kb|-----------------------------------------L0.514-----------------------------------------|"
+ - "L0.515[24,100] 535ns 768kb|-----------------------------------------L0.515-----------------------------------------|"
+ - "L0.516[24,100] 536ns 768kb|-----------------------------------------L0.516-----------------------------------------|"
+ - "L0.517[24,100] 537ns 768kb|-----------------------------------------L0.517-----------------------------------------|"
+ - "L0.518[24,100] 538ns 768kb|-----------------------------------------L0.518-----------------------------------------|"
+ - "L0.519[24,100] 539ns 768kb|-----------------------------------------L0.519-----------------------------------------|"
+ - "L0.520[24,100] 540ns 768kb|-----------------------------------------L0.520-----------------------------------------|"
+ - "L0.521[24,100] 541ns 768kb|-----------------------------------------L0.521-----------------------------------------|"
+ - "L0.522[24,100] 542ns 768kb|-----------------------------------------L0.522-----------------------------------------|"
+ - "L0.523[24,100] 543ns 768kb|-----------------------------------------L0.523-----------------------------------------|"
+ - "L0.524[24,100] 544ns 768kb|-----------------------------------------L0.524-----------------------------------------|"
+ - "L0.525[24,100] 545ns 768kb|-----------------------------------------L0.525-----------------------------------------|"
+ - "L0.526[24,100] 546ns 768kb|-----------------------------------------L0.526-----------------------------------------|"
+ - "L0.527[24,100] 547ns 768kb|-----------------------------------------L0.527-----------------------------------------|"
+ - "L0.528[24,100] 548ns 768kb|-----------------------------------------L0.528-----------------------------------------|"
+ - "L0.529[24,100] 549ns 768kb|-----------------------------------------L0.529-----------------------------------------|"
+ - "L0.530[24,100] 550ns 768kb|-----------------------------------------L0.530-----------------------------------------|"
+ - "L0.531[24,100] 551ns 768kb|-----------------------------------------L0.531-----------------------------------------|"
+ - "L0.532[24,100] 552ns 768kb|-----------------------------------------L0.532-----------------------------------------|"
+ - "L0.533[24,100] 553ns 768kb|-----------------------------------------L0.533-----------------------------------------|"
+ - "L0.534[24,100] 554ns 768kb|-----------------------------------------L0.534-----------------------------------------|"
+ - "L0.535[24,100] 555ns 768kb|-----------------------------------------L0.535-----------------------------------------|"
+ - "L0.536[24,100] 556ns 768kb|-----------------------------------------L0.536-----------------------------------------|"
+ - "L0.537[24,100] 557ns 768kb|-----------------------------------------L0.537-----------------------------------------|"
+ - "L0.538[24,100] 558ns 768kb|-----------------------------------------L0.538-----------------------------------------|"
+ - "L0.539[24,100] 559ns 768kb|-----------------------------------------L0.539-----------------------------------------|"
+ - "L0.540[24,100] 560ns 768kb|-----------------------------------------L0.540-----------------------------------------|"
+ - "L0.541[24,100] 561ns 768kb|-----------------------------------------L0.541-----------------------------------------|"
+ - "L0.542[24,100] 562ns 768kb|-----------------------------------------L0.542-----------------------------------------|"
+ - "L0.543[24,100] 563ns 768kb|-----------------------------------------L0.543-----------------------------------------|"
+ - "L0.544[24,100] 564ns 768kb|-----------------------------------------L0.544-----------------------------------------|"
+ - "L0.545[24,100] 565ns 768kb|-----------------------------------------L0.545-----------------------------------------|"
+ - "L0.546[24,100] 566ns 768kb|-----------------------------------------L0.546-----------------------------------------|"
+ - "L0.547[24,100] 567ns 768kb|-----------------------------------------L0.547-----------------------------------------|"
+ - "L0.548[24,100] 568ns 768kb|-----------------------------------------L0.548-----------------------------------------|"
+ - "L0.549[24,100] 569ns 768kb|-----------------------------------------L0.549-----------------------------------------|"
+ - "L0.550[24,100] 570ns 768kb|-----------------------------------------L0.550-----------------------------------------|"
+ - "L0.551[24,100] 571ns 768kb|-----------------------------------------L0.551-----------------------------------------|"
+ - "L0.552[24,100] 572ns 768kb|-----------------------------------------L0.552-----------------------------------------|"
+ - "L0.553[24,100] 573ns 768kb|-----------------------------------------L0.553-----------------------------------------|"
+ - "L0.554[24,100] 574ns 768kb|-----------------------------------------L0.554-----------------------------------------|"
+ - "L0.555[24,100] 575ns 768kb|-----------------------------------------L0.555-----------------------------------------|"
+ - "L0.556[24,100] 576ns 768kb|-----------------------------------------L0.556-----------------------------------------|"
+ - "L0.557[24,100] 577ns 768kb|-----------------------------------------L0.557-----------------------------------------|"
+ - "L0.558[24,100] 578ns 768kb|-----------------------------------------L0.558-----------------------------------------|"
+ - "L0.559[24,100] 579ns 768kb|-----------------------------------------L0.559-----------------------------------------|"
+ - "L0.560[24,100] 580ns 768kb|-----------------------------------------L0.560-----------------------------------------|"
+ - "L0.561[24,100] 581ns 768kb|-----------------------------------------L0.561-----------------------------------------|"
+ - "L0.562[24,100] 582ns 768kb|-----------------------------------------L0.562-----------------------------------------|"
+ - "L0.563[24,100] 583ns 768kb|-----------------------------------------L0.563-----------------------------------------|"
+ - "L0.564[24,100] 584ns 768kb|-----------------------------------------L0.564-----------------------------------------|"
+ - "L0.565[24,100] 585ns 768kb|-----------------------------------------L0.565-----------------------------------------|"
+ - "L0.566[24,100] 586ns 768kb|-----------------------------------------L0.566-----------------------------------------|"
+ - "L0.567[24,100] 587ns 768kb|-----------------------------------------L0.567-----------------------------------------|"
+ - "L0.568[24,100] 588ns 768kb|-----------------------------------------L0.568-----------------------------------------|"
+ - "L0.569[24,100] 589ns 768kb|-----------------------------------------L0.569-----------------------------------------|"
+ - "L0.570[24,100] 590ns 768kb|-----------------------------------------L0.570-----------------------------------------|"
+ - "L0.571[24,100] 591ns 768kb|-----------------------------------------L0.571-----------------------------------------|"
+ - "L0.572[24,100] 592ns 768kb|-----------------------------------------L0.572-----------------------------------------|"
+ - "L0.573[24,100] 593ns 768kb|-----------------------------------------L0.573-----------------------------------------|"
+ - "L0.574[24,100] 594ns 768kb|-----------------------------------------L0.574-----------------------------------------|"
+ - "L0.575[24,100] 595ns 768kb|-----------------------------------------L0.575-----------------------------------------|"
+ - "L0.576[24,100] 596ns 768kb|-----------------------------------------L0.576-----------------------------------------|"
+ - "L0.577[24,100] 597ns 768kb|-----------------------------------------L0.577-----------------------------------------|"
+ - "L0.578[24,100] 598ns 768kb|-----------------------------------------L0.578-----------------------------------------|"
+ - "L0.579[24,100] 599ns 768kb|-----------------------------------------L0.579-----------------------------------------|"
+ - "L0.580[24,100] 600ns 768kb|-----------------------------------------L0.580-----------------------------------------|"
+ - "L0.581[24,100] 601ns 768kb|-----------------------------------------L0.581-----------------------------------------|"
+ - "L0.582[24,100] 602ns 768kb|-----------------------------------------L0.582-----------------------------------------|"
+ - "L0.583[24,100] 603ns 768kb|-----------------------------------------L0.583-----------------------------------------|"
+ - "L0.584[24,100] 604ns 768kb|-----------------------------------------L0.584-----------------------------------------|"
+ - "L0.585[24,100] 605ns 768kb|-----------------------------------------L0.585-----------------------------------------|"
+ - "L0.586[24,100] 606ns 768kb|-----------------------------------------L0.586-----------------------------------------|"
+ - "L0.587[24,100] 607ns 768kb|-----------------------------------------L0.587-----------------------------------------|"
+ - "L0.588[24,100] 608ns 768kb|-----------------------------------------L0.588-----------------------------------------|"
+ - "L0.589[24,100] 609ns 768kb|-----------------------------------------L0.589-----------------------------------------|"
+ - "L0.590[24,100] 610ns 768kb|-----------------------------------------L0.590-----------------------------------------|"
+ - "L0.591[24,100] 611ns 768kb|-----------------------------------------L0.591-----------------------------------------|"
+ - "L0.592[24,100] 612ns 768kb|-----------------------------------------L0.592-----------------------------------------|"
+ - "L0.593[24,100] 613ns 768kb|-----------------------------------------L0.593-----------------------------------------|"
+ - "L0.594[24,100] 614ns 768kb|-----------------------------------------L0.594-----------------------------------------|"
+ - "L0.595[24,100] 615ns 768kb|-----------------------------------------L0.595-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 446mb total:"
+ - "L0 "
+ - "L0.?[24,42] 615ns 106mb |-------L0.?--------| "
+ - "L0.?[43,60] 615ns 100mb |-------L0.?-------| "
+ - "L0.?[61,78] 615ns 100mb |-------L0.?-------| "
+ - "L0.?[79,96] 615ns 100mb |-------L0.?-------| "
+ - "L0.?[97,100] 615ns 41mb |L0.?|"
+ - "Committing partition 1:"
+ - " Soft Deleting 200 files: L0.399, L0.400, L0.401, L0.402, L0.403, L0.404, L0.405, L0.406, L0.407, L0.408, L0.409, L0.410, L0.411, L0.412, L0.413, L0.414, L0.415, L0.416, L0.417, L0.418, L0.419, L0.420, L0.421, L0.422, L0.423, L0.424, L0.425, L0.426, L0.427, L0.428, L0.429, L0.430, L0.431, L0.432, L0.433, L0.434, L0.435, L0.436, L0.437, L0.438, L0.439, L0.440, L0.441, L0.442, L0.443, L0.444, L0.445, L0.446, L0.447, L0.448, L0.449, L0.450, L0.451, L0.452, L0.453, L0.454, L0.455, L0.456, L0.457, L0.458, L0.459, L0.460, L0.461, L0.462, L0.463, L0.464, L0.465, L0.466, L0.467, L0.468, L0.469, L0.470, L0.471, L0.472, L0.473, L0.474, L0.475, L0.476, L0.477, L0.478, L0.479, L0.480, L0.481, L0.482, L0.483, L0.484, L0.485, L0.486, L0.487, L0.488, L0.489, L0.490, L0.491, L0.492, L0.493, L0.494, L0.495, L0.496, L0.497, L0.498, L0.499, L0.500, L0.501, L0.502, L0.503, L0.504, L0.505, L0.506, L0.507, L0.508, L0.509, L0.510, L0.511, L0.512, L0.513, L0.514, L0.515, L0.516, L0.517, L0.518, L0.519, L0.520, L0.521, L0.522, L0.523, L0.524, L0.525, L0.526, L0.527, L0.528, L0.529, L0.530, L0.531, L0.532, L0.533, L0.534, L0.535, L0.536, L0.537, L0.538, L0.539, L0.540, L0.541, L0.542, L0.543, L0.544, L0.545, L0.546, L0.547, L0.548, L0.549, L0.550, L0.551, L0.552, L0.553, L0.554, L0.555, L0.556, L0.557, L0.558, L0.559, L0.560, L0.561, L0.562, L0.563, L0.564, L0.565, L0.566, L0.567, L0.568, L0.569, L0.570, L0.571, L0.572, L0.573, L0.574, L0.575, L0.576, L0.577, L0.578, L0.579, L0.580, L0.581, L0.582, L0.583, L0.584, L0.585, L0.586, L0.587, L0.588, L0.589, L0.590, L0.591, L0.592, L0.593, L0.594, L0.595, L0.1003, L0.1004, L0.1005"
+ - " Creating 5 files"
+ - "**** Simulation run 3, type=split(HighL0OverlapTotalBacklog)(split_times=[39]). 1 Input Files, 106mb total:"
+ - "L0, all files 106mb "
+ - "L0.1006[24,42] 615ns |----------------------------------------L0.1006-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 106mb total:"
+ - "L0 "
+ - "L0.?[24,39] 615ns 88mb |----------------------------------L0.?-----------------------------------| "
+ - "L0.?[40,42] 615ns 18mb |--L0.?--|"
+ - "**** Simulation run 4, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.596[24,100] 616ns |-----------------------------------------L0.596-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 616ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 616ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 616ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 616ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 616ns 192kb |-----L0.?------| "
+ - "**** Simulation run 5, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.597[24,100] 617ns |-----------------------------------------L0.597-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 617ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 617ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 617ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 617ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 617ns 192kb |-----L0.?------| "
+ - "**** Simulation run 6, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.598[24,100] 618ns |-----------------------------------------L0.598-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 618ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 618ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 618ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 618ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 618ns 192kb |-----L0.?------| "
+ - "**** Simulation run 7, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.599[24,100] 619ns |-----------------------------------------L0.599-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 619ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 619ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 619ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 619ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 619ns 192kb |-----L0.?------| "
+ - "**** Simulation run 8, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.600[24,100] 620ns |-----------------------------------------L0.600-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 620ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 620ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 620ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 620ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 620ns 192kb |-----L0.?------| "
+ - "**** Simulation run 9, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.601[24,100] 621ns |-----------------------------------------L0.601-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 621ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 621ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 621ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 621ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 621ns 192kb |-----L0.?------| "
+ - "**** Simulation run 10, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.602[24,100] 622ns |-----------------------------------------L0.602-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 622ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 622ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 622ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 622ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 622ns 192kb |-----L0.?------| "
+ - "**** Simulation run 11, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.603[24,100] 623ns |-----------------------------------------L0.603-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 623ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 623ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 623ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 623ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 623ns 192kb |-----L0.?------| "
+ - "**** Simulation run 12, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.604[24,100] 624ns |-----------------------------------------L0.604-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 624ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 624ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 624ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 624ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 624ns 192kb |-----L0.?------| "
+ - "**** Simulation run 13, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.605[24,100] 625ns |-----------------------------------------L0.605-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 625ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 625ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 625ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 625ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 625ns 192kb |-----L0.?------| "
+ - "**** Simulation run 14, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.606[24,100] 626ns |-----------------------------------------L0.606-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 626ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 626ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 626ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 626ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 626ns 192kb |-----L0.?------| "
+ - "**** Simulation run 15, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.607[24,100] 627ns |-----------------------------------------L0.607-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 627ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 627ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 627ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 627ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 627ns 192kb |-----L0.?------| "
+ - "**** Simulation run 16, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.608[24,100] 628ns |-----------------------------------------L0.608-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 628ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 628ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 628ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 628ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 628ns 192kb |-----L0.?------| "
+ - "**** Simulation run 17, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.609[24,100] 629ns |-----------------------------------------L0.609-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 629ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 629ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 629ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 629ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 629ns 192kb |-----L0.?------| "
+ - "**** Simulation run 18, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.610[24,100] 630ns |-----------------------------------------L0.610-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 630ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 630ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 630ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 630ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 630ns 192kb |-----L0.?------| "
+ - "**** Simulation run 19, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.611[24,100] 631ns |-----------------------------------------L0.611-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 631ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 631ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 631ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 631ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 631ns 192kb |-----L0.?------| "
+ - "**** Simulation run 20, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.612[24,100] 632ns |-----------------------------------------L0.612-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 632ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 632ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 632ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 632ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 632ns 192kb |-----L0.?------| "
+ - "**** Simulation run 21, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.613[24,100] 633ns |-----------------------------------------L0.613-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 633ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 633ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 633ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 633ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 633ns 192kb |-----L0.?------| "
+ - "**** Simulation run 22, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.614[24,100] 634ns |-----------------------------------------L0.614-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 634ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 634ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 634ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 634ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 634ns 192kb |-----L0.?------| "
+ - "**** Simulation run 23, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.615[24,100] 635ns |-----------------------------------------L0.615-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 635ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 635ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 635ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 635ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 635ns 192kb |-----L0.?------| "
+ - "**** Simulation run 24, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.616[24,100] 636ns |-----------------------------------------L0.616-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 636ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 636ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 636ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 636ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 636ns 192kb |-----L0.?------| "
+ - "**** Simulation run 25, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.617[24,100] 637ns |-----------------------------------------L0.617-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 637ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 637ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 637ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 637ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 637ns 192kb |-----L0.?------| "
+ - "**** Simulation run 26, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.618[24,100] 638ns |-----------------------------------------L0.618-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 638ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 638ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 638ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 638ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 638ns 192kb |-----L0.?------| "
+ - "**** Simulation run 27, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.619[24,100] 639ns |-----------------------------------------L0.619-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 639ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 639ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 639ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 639ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 639ns 192kb |-----L0.?------| "
+ - "**** Simulation run 28, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.620[24,100] 640ns |-----------------------------------------L0.620-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 640ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 640ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 640ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 640ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 640ns 192kb |-----L0.?------| "
+ - "**** Simulation run 29, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.621[24,100] 641ns |-----------------------------------------L0.621-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 641ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 641ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 641ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 641ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 641ns 192kb |-----L0.?------| "
+ - "**** Simulation run 30, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.622[24,100] 642ns |-----------------------------------------L0.622-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 642ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 642ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 642ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 642ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 642ns 192kb |-----L0.?------| "
+ - "**** Simulation run 31, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.623[24,100] 643ns |-----------------------------------------L0.623-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 643ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 643ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 643ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 643ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 643ns 192kb |-----L0.?------| "
+ - "**** Simulation run 32, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.624[24,100] 644ns |-----------------------------------------L0.624-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 644ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 644ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 644ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 644ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 644ns 192kb |-----L0.?------| "
+ - "**** Simulation run 33, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.625[24,100] 645ns |-----------------------------------------L0.625-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 645ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 645ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 645ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 645ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 645ns 192kb |-----L0.?------| "
+ - "**** Simulation run 34, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.626[24,100] 646ns |-----------------------------------------L0.626-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 646ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 646ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 646ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 646ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 646ns 192kb |-----L0.?------| "
+ - "**** Simulation run 35, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.627[24,100] 647ns |-----------------------------------------L0.627-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 647ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 647ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 647ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 647ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 647ns 192kb |-----L0.?------| "
+ - "**** Simulation run 36, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.630[24,100] 650ns |-----------------------------------------L0.630-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 650ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 650ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 650ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 650ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 650ns 192kb |-----L0.?------| "
+ - "**** Simulation run 37, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.631[24,100] 651ns |-----------------------------------------L0.631-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 651ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 651ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 651ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 651ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 651ns 192kb |-----L0.?------| "
+ - "**** Simulation run 38, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.632[24,100] 652ns |-----------------------------------------L0.632-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 652ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 652ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 652ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 652ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 652ns 192kb |-----L0.?------| "
+ - "**** Simulation run 39, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.633[24,100] 653ns |-----------------------------------------L0.633-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 653ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 653ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 653ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 653ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 653ns 192kb |-----L0.?------| "
+ - "**** Simulation run 40, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.634[24,100] 654ns |-----------------------------------------L0.634-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 654ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 654ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 654ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 654ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 654ns 192kb |-----L0.?------| "
+ - "**** Simulation run 41, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.635[24,100] 655ns |-----------------------------------------L0.635-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 655ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 655ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 655ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 655ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 655ns 192kb |-----L0.?------| "
+ - "**** Simulation run 42, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.636[24,100] 656ns |-----------------------------------------L0.636-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 656ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 656ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 656ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 656ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 656ns 192kb |-----L0.?------| "
+ - "**** Simulation run 43, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.637[24,100] 657ns |-----------------------------------------L0.637-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 657ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 657ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 657ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 657ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 657ns 192kb |-----L0.?------| "
+ - "**** Simulation run 44, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.628[24,100] 648ns |-----------------------------------------L0.628-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 648ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 648ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 648ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 648ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 648ns 192kb |-----L0.?------| "
+ - "**** Simulation run 45, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.629[24,100] 649ns |-----------------------------------------L0.629-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 649ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 649ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 649ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 649ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 649ns 192kb |-----L0.?------| "
+ - "**** Simulation run 46, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.638[24,100] 658ns |-----------------------------------------L0.638-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 658ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 658ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 658ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 658ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 658ns 192kb |-----L0.?------| "
+ - "**** Simulation run 47, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.639[24,100] 659ns |-----------------------------------------L0.639-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 659ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 659ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 659ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 659ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 659ns 192kb |-----L0.?------| "
+ - "**** Simulation run 48, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.640[24,100] 660ns |-----------------------------------------L0.640-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 660ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 660ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 660ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 660ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 660ns 192kb |-----L0.?------| "
+ - "**** Simulation run 49, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.641[24,100] 661ns |-----------------------------------------L0.641-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 661ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 661ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 661ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 661ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 661ns 192kb |-----L0.?------| "
+ - "**** Simulation run 50, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.642[24,100] 662ns |-----------------------------------------L0.642-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 662ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 662ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 662ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 662ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 662ns 192kb |-----L0.?------| "
+ - "**** Simulation run 51, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.643[24,100] 663ns |-----------------------------------------L0.643-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 663ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 663ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 663ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 663ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 663ns 192kb |-----L0.?------| "
+ - "**** Simulation run 52, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.644[24,100] 664ns |-----------------------------------------L0.644-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 664ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 664ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 664ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 664ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 664ns 192kb |-----L0.?------| "
+ - "**** Simulation run 53, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.645[24,100] 665ns |-----------------------------------------L0.645-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 665ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 665ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 665ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 665ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 665ns 192kb |-----L0.?------| "
+ - "**** Simulation run 54, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.646[24,100] 666ns |-----------------------------------------L0.646-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 666ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 666ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 666ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 666ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 666ns 192kb |-----L0.?------| "
+ - "**** Simulation run 55, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.647[24,100] 667ns |-----------------------------------------L0.647-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 667ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 667ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 667ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 667ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 667ns 192kb |-----L0.?------| "
+ - "**** Simulation run 56, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.648[24,100] 668ns |-----------------------------------------L0.648-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 668ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 668ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 668ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 668ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 668ns 192kb |-----L0.?------| "
+ - "**** Simulation run 57, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.649[24,100] 669ns |-----------------------------------------L0.649-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 669ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 669ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 669ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 669ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 669ns 192kb |-----L0.?------| "
+ - "**** Simulation run 58, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.650[24,100] 670ns |-----------------------------------------L0.650-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 670ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 670ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 670ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 670ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 670ns 192kb |-----L0.?------| "
+ - "**** Simulation run 59, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.651[24,100] 671ns |-----------------------------------------L0.651-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 671ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 671ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 671ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 671ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 671ns 192kb |-----L0.?------| "
+ - "**** Simulation run 60, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.652[24,100] 672ns |-----------------------------------------L0.652-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 672ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 672ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 672ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 672ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 672ns 192kb |-----L0.?------| "
+ - "**** Simulation run 61, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.653[24,100] 673ns |-----------------------------------------L0.653-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 673ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 673ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 673ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 673ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 673ns 192kb |-----L0.?------| "
+ - "**** Simulation run 62, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.654[24,100] 674ns |-----------------------------------------L0.654-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 674ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 674ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 674ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 674ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 674ns 192kb |-----L0.?------| "
+ - "**** Simulation run 63, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.655[24,100] 675ns |-----------------------------------------L0.655-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 675ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 675ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 675ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 675ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 675ns 192kb |-----L0.?------| "
+ - "**** Simulation run 64, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.656[24,100] 676ns |-----------------------------------------L0.656-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 676ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 676ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 676ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 676ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 676ns 192kb |-----L0.?------| "
+ - "**** Simulation run 65, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.657[24,100] 677ns |-----------------------------------------L0.657-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 677ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 677ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 677ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 677ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 677ns 192kb |-----L0.?------| "
+ - "**** Simulation run 66, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.658[24,100] 678ns |-----------------------------------------L0.658-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 678ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 678ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 678ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 678ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 678ns 192kb |-----L0.?------| "
+ - "**** Simulation run 67, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.659[24,100] 679ns |-----------------------------------------L0.659-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 679ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 679ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 679ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 679ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 679ns 192kb |-----L0.?------| "
+ - "**** Simulation run 68, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.660[24,100] 680ns |-----------------------------------------L0.660-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 680ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 680ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 680ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 680ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 680ns 192kb |-----L0.?------| "
+ - "**** Simulation run 69, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.661[24,100] 681ns |-----------------------------------------L0.661-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 681ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 681ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 681ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 681ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 681ns 192kb |-----L0.?------| "
+ - "**** Simulation run 70, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.662[24,100] 682ns |-----------------------------------------L0.662-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 682ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 682ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 682ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 682ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 682ns 192kb |-----L0.?------| "
+ - "**** Simulation run 71, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.663[24,100] 683ns |-----------------------------------------L0.663-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 683ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 683ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 683ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 683ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 683ns 192kb |-----L0.?------| "
+ - "**** Simulation run 72, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.664[24,100] 684ns |-----------------------------------------L0.664-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 684ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 684ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 684ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 684ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 684ns 192kb |-----L0.?------| "
+ - "**** Simulation run 73, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.665[24,100] 685ns |-----------------------------------------L0.665-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 685ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 685ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 685ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 685ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 685ns 192kb |-----L0.?------| "
+ - "**** Simulation run 74, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.666[24,100] 686ns |-----------------------------------------L0.666-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 686ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 686ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 686ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 686ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 686ns 192kb |-----L0.?------| "
+ - "**** Simulation run 75, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.667[24,100] 687ns |-----------------------------------------L0.667-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 687ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 687ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 687ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 687ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 687ns 192kb |-----L0.?------| "
+ - "**** Simulation run 76, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.668[24,100] 688ns |-----------------------------------------L0.668-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 688ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 688ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 688ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 688ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 688ns 192kb |-----L0.?------| "
+ - "**** Simulation run 77, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.669[24,100] 689ns |-----------------------------------------L0.669-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 689ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 689ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 689ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 689ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 689ns 192kb |-----L0.?------| "
+ - "**** Simulation run 78, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.670[24,100] 690ns |-----------------------------------------L0.670-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 690ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 690ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 690ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 690ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 690ns 192kb |-----L0.?------| "
+ - "**** Simulation run 79, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.671[24,100] 691ns |-----------------------------------------L0.671-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 691ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 691ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 691ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 691ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 691ns 192kb |-----L0.?------| "
+ - "**** Simulation run 80, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.672[24,100] 692ns |-----------------------------------------L0.672-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 692ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 692ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 692ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 692ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 692ns 192kb |-----L0.?------| "
+ - "**** Simulation run 81, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.673[24,100] 693ns |-----------------------------------------L0.673-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 693ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 693ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 693ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 693ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 693ns 192kb |-----L0.?------| "
+ - "**** Simulation run 82, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.674[24,100] 694ns |-----------------------------------------L0.674-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 694ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 694ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 694ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 694ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 694ns 192kb |-----L0.?------| "
+ - "**** Simulation run 83, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.675[24,100] 695ns |-----------------------------------------L0.675-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 695ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 695ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 695ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 695ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 695ns 192kb |-----L0.?------| "
+ - "**** Simulation run 84, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.676[24,100] 696ns |-----------------------------------------L0.676-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 696ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 696ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 696ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 696ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 696ns 192kb |-----L0.?------| "
+ - "**** Simulation run 85, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.677[24,100] 697ns |-----------------------------------------L0.677-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 697ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 697ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 697ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 697ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 697ns 192kb |-----L0.?------| "
+ - "**** Simulation run 86, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.678[24,100] 698ns |-----------------------------------------L0.678-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 698ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 698ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 698ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 698ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 698ns 192kb |-----L0.?------| "
+ - "**** Simulation run 87, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.679[24,100] 699ns |-----------------------------------------L0.679-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 699ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 699ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 699ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 699ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 699ns 192kb |-----L0.?------| "
+ - "**** Simulation run 88, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.680[24,100] 700ns |-----------------------------------------L0.680-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 700ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 700ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 700ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 700ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 700ns 192kb |-----L0.?------| "
+ - "**** Simulation run 89, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.681[24,100] 701ns |-----------------------------------------L0.681-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 701ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 701ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 701ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 701ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 701ns 192kb |-----L0.?------| "
+ - "**** Simulation run 90, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.682[24,100] 702ns |-----------------------------------------L0.682-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 702ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 702ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 702ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 702ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 702ns 192kb |-----L0.?------| "
+ - "**** Simulation run 91, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.683[24,100] 703ns |-----------------------------------------L0.683-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 703ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 703ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 703ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 703ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 703ns 192kb |-----L0.?------| "
+ - "**** Simulation run 92, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.684[24,100] 704ns |-----------------------------------------L0.684-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 704ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 704ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 704ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 704ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 704ns 192kb |-----L0.?------| "
+ - "**** Simulation run 93, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.685[24,100] 705ns |-----------------------------------------L0.685-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 705ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 705ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 705ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 705ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 705ns 192kb |-----L0.?------| "
+ - "**** Simulation run 94, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.686[24,100] 706ns |-----------------------------------------L0.686-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 706ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 706ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 706ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 706ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 706ns 192kb |-----L0.?------| "
+ - "**** Simulation run 95, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.687[24,100] 707ns |-----------------------------------------L0.687-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 707ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 707ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 707ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 707ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 707ns 192kb |-----L0.?------| "
+ - "**** Simulation run 96, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.688[24,100] 708ns |-----------------------------------------L0.688-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 708ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 708ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 708ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 708ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 708ns 192kb |-----L0.?------| "
+ - "**** Simulation run 97, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.689[24,100] 709ns |-----------------------------------------L0.689-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 709ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 709ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 709ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 709ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 709ns 192kb |-----L0.?------| "
+ - "**** Simulation run 98, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.690[24,100] 710ns |-----------------------------------------L0.690-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 710ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 710ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 710ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 710ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 710ns 192kb |-----L0.?------| "
+ - "**** Simulation run 99, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.691[24,100] 711ns |-----------------------------------------L0.691-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 711ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 711ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 711ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 711ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 711ns 192kb |-----L0.?------| "
+ - "**** Simulation run 100, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.692[24,100] 712ns |-----------------------------------------L0.692-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 712ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 712ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 712ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 712ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 712ns 192kb |-----L0.?------| "
+ - "**** Simulation run 101, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.693[24,100] 713ns |-----------------------------------------L0.693-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 713ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 713ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 713ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 713ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 713ns 192kb |-----L0.?------| "
+ - "**** Simulation run 102, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.694[24,100] 714ns |-----------------------------------------L0.694-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 714ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 714ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 714ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 714ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 714ns 192kb |-----L0.?------| "
+ - "**** Simulation run 103, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.695[24,100] 715ns |-----------------------------------------L0.695-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 715ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 715ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 715ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 715ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 715ns 192kb |-----L0.?------| "
+ - "**** Simulation run 104, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.696[24,100] 716ns |-----------------------------------------L0.696-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 716ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 716ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 716ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 716ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 716ns 192kb |-----L0.?------| "
+ - "**** Simulation run 105, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.697[24,100] 717ns |-----------------------------------------L0.697-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 717ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 717ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 717ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 717ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 717ns 192kb |-----L0.?------| "
+ - "**** Simulation run 106, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.698[24,100] 718ns |-----------------------------------------L0.698-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 718ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 718ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 718ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 718ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 718ns 192kb |-----L0.?------| "
+ - "**** Simulation run 107, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.699[24,100] 719ns |-----------------------------------------L0.699-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 719ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 719ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 719ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 719ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 719ns 192kb |-----L0.?------| "
+ - "**** Simulation run 108, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.700[24,100] 720ns |-----------------------------------------L0.700-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 720ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 720ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 720ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 720ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 720ns 192kb |-----L0.?------| "
+ - "**** Simulation run 109, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.701[24,100] 721ns |-----------------------------------------L0.701-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 721ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 721ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 721ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 721ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 721ns 192kb |-----L0.?------| "
+ - "**** Simulation run 110, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.702[24,100] 722ns |-----------------------------------------L0.702-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 722ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 722ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 722ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 722ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 722ns 192kb |-----L0.?------| "
+ - "**** Simulation run 111, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.703[24,100] 723ns |-----------------------------------------L0.703-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 723ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 723ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 723ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 723ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 723ns 192kb |-----L0.?------| "
+ - "**** Simulation run 112, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.704[24,100] 724ns |-----------------------------------------L0.704-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 724ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 724ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 724ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 724ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 724ns 192kb |-----L0.?------| "
+ - "**** Simulation run 113, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.705[24,100] 725ns |-----------------------------------------L0.705-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 725ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 725ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 725ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 725ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 725ns 192kb |-----L0.?------| "
+ - "**** Simulation run 114, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.706[24,100] 726ns |-----------------------------------------L0.706-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 726ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 726ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 726ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 726ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 726ns 192kb |-----L0.?------| "
+ - "**** Simulation run 115, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.707[24,100] 727ns |-----------------------------------------L0.707-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 727ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 727ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 727ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 727ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 727ns 192kb |-----L0.?------| "
+ - "**** Simulation run 116, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.708[24,100] 728ns |-----------------------------------------L0.708-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 728ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 728ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 728ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 728ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 728ns 192kb |-----L0.?------| "
+ - "**** Simulation run 117, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.709[24,100] 729ns |-----------------------------------------L0.709-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 729ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 729ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 729ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 729ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 729ns 192kb |-----L0.?------| "
+ - "**** Simulation run 118, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.710[24,100] 730ns |-----------------------------------------L0.710-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 730ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 730ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 730ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 730ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 730ns 192kb |-----L0.?------| "
+ - "**** Simulation run 119, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.711[24,100] 731ns |-----------------------------------------L0.711-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 731ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 731ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 731ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 731ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 731ns 192kb |-----L0.?------| "
+ - "**** Simulation run 120, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.712[24,100] 732ns |-----------------------------------------L0.712-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 732ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 732ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 732ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 732ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 732ns 192kb |-----L0.?------| "
+ - "**** Simulation run 121, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.713[24,100] 733ns |-----------------------------------------L0.713-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 733ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 733ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 733ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 733ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 733ns 192kb |-----L0.?------| "
+ - "**** Simulation run 122, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.714[24,100] 734ns |-----------------------------------------L0.714-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 734ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 734ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 734ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 734ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 734ns 192kb |-----L0.?------| "
+ - "**** Simulation run 123, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.715[24,100] 735ns |-----------------------------------------L0.715-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 735ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 735ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 735ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 735ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 735ns 192kb |-----L0.?------| "
+ - "**** Simulation run 124, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.716[24,100] 736ns |-----------------------------------------L0.716-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 736ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 736ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 736ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 736ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 736ns 192kb |-----L0.?------| "
+ - "**** Simulation run 125, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.717[24,100] 737ns |-----------------------------------------L0.717-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 737ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 737ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 737ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 737ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 737ns 192kb |-----L0.?------| "
+ - "**** Simulation run 126, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.718[24,100] 738ns |-----------------------------------------L0.718-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 738ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 738ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 738ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 738ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 738ns 192kb |-----L0.?------| "
+ - "**** Simulation run 127, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.719[24,100] 739ns |-----------------------------------------L0.719-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 739ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 739ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 739ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 739ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 739ns 192kb |-----L0.?------| "
+ - "**** Simulation run 128, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.720[24,100] 740ns |-----------------------------------------L0.720-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 740ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 740ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 740ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 740ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 740ns 192kb |-----L0.?------| "
+ - "**** Simulation run 129, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.721[24,100] 741ns |-----------------------------------------L0.721-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 741ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 741ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 741ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 741ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 741ns 192kb |-----L0.?------| "
+ - "**** Simulation run 130, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.722[24,100] 742ns |-----------------------------------------L0.722-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 742ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 742ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 742ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 742ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 742ns 192kb |-----L0.?------| "
+ - "**** Simulation run 131, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.723[24,100] 743ns |-----------------------------------------L0.723-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 743ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 743ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 743ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 743ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 743ns 192kb |-----L0.?------| "
+ - "**** Simulation run 132, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.724[24,100] 744ns |-----------------------------------------L0.724-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 744ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 744ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 744ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 744ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 744ns 192kb |-----L0.?------| "
+ - "**** Simulation run 133, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.725[24,100] 745ns |-----------------------------------------L0.725-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 745ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 745ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 745ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 745ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 745ns 192kb |-----L0.?------| "
+ - "**** Simulation run 134, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.726[24,100] 746ns |-----------------------------------------L0.726-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 746ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 746ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 746ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 746ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 746ns 192kb |-----L0.?------| "
+ - "**** Simulation run 135, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.727[24,100] 747ns |-----------------------------------------L0.727-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 747ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 747ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 747ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 747ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 747ns 192kb |-----L0.?------| "
+ - "**** Simulation run 136, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.728[24,100] 748ns |-----------------------------------------L0.728-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 748ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 748ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 748ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 748ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 748ns 192kb |-----L0.?------| "
+ - "**** Simulation run 137, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.729[24,100] 749ns |-----------------------------------------L0.729-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 749ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 749ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 749ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 749ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 749ns 192kb |-----L0.?------| "
+ - "**** Simulation run 138, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.730[24,100] 750ns |-----------------------------------------L0.730-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 750ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 750ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 750ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 750ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 750ns 192kb |-----L0.?------| "
+ - "**** Simulation run 139, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.731[24,100] 751ns |-----------------------------------------L0.731-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 751ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 751ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 751ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 751ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 751ns 192kb |-----L0.?------| "
+ - "**** Simulation run 140, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.732[24,100] 752ns |-----------------------------------------L0.732-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 752ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 752ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 752ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 752ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 752ns 192kb |-----L0.?------| "
+ - "**** Simulation run 141, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.733[24,100] 753ns |-----------------------------------------L0.733-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 753ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 753ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 753ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 753ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 753ns 192kb |-----L0.?------| "
+ - "**** Simulation run 142, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.734[24,100] 754ns |-----------------------------------------L0.734-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 754ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 754ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 754ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 754ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 754ns 192kb |-----L0.?------| "
+ - "**** Simulation run 143, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.735[24,100] 755ns |-----------------------------------------L0.735-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 755ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 755ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 755ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 755ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 755ns 192kb |-----L0.?------| "
+ - "**** Simulation run 144, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.736[24,100] 756ns |-----------------------------------------L0.736-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 756ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 756ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 756ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 756ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 756ns 192kb |-----L0.?------| "
+ - "**** Simulation run 145, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.737[24,100] 757ns |-----------------------------------------L0.737-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 757ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 757ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 757ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 757ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 757ns 192kb |-----L0.?------| "
+ - "**** Simulation run 146, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.738[24,100] 758ns |-----------------------------------------L0.738-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 758ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 758ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 758ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 758ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 758ns 192kb |-----L0.?------| "
+ - "**** Simulation run 147, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.739[24,100] 759ns |-----------------------------------------L0.739-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 759ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 759ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 759ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 759ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 759ns 192kb |-----L0.?------| "
+ - "**** Simulation run 148, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.740[24,100] 760ns |-----------------------------------------L0.740-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 760ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 760ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 760ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 760ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 760ns 192kb |-----L0.?------| "
+ - "**** Simulation run 149, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.741[24,100] 761ns |-----------------------------------------L0.741-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 761ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 761ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 761ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 761ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 761ns 192kb |-----L0.?------| "
+ - "**** Simulation run 150, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.742[24,100] 762ns |-----------------------------------------L0.742-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 762ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 762ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 762ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 762ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 762ns 192kb |-----L0.?------| "
+ - "**** Simulation run 151, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.743[24,100] 763ns |-----------------------------------------L0.743-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 763ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 763ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 763ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 763ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 763ns 192kb |-----L0.?------| "
+ - "**** Simulation run 152, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.744[24,100] 764ns |-----------------------------------------L0.744-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 764ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 764ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 764ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 764ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 764ns 192kb |-----L0.?------| "
+ - "**** Simulation run 153, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.745[24,100] 765ns |-----------------------------------------L0.745-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 765ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 765ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 765ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 765ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 765ns 192kb |-----L0.?------| "
+ - "**** Simulation run 154, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.746[24,100] 766ns |-----------------------------------------L0.746-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 766ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 766ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 766ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 766ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 766ns 192kb |-----L0.?------| "
+ - "**** Simulation run 155, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.747[24,100] 767ns |-----------------------------------------L0.747-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 767ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 767ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 767ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 767ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 767ns 192kb |-----L0.?------| "
+ - "**** Simulation run 156, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.748[24,100] 768ns |-----------------------------------------L0.748-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 768ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 768ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 768ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 768ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 768ns 192kb |-----L0.?------| "
+ - "**** Simulation run 157, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.749[24,100] 769ns |-----------------------------------------L0.749-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 769ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 769ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 769ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 769ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 769ns 192kb |-----L0.?------| "
+ - "**** Simulation run 158, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.750[24,100] 770ns |-----------------------------------------L0.750-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 770ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 770ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 770ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 770ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 770ns 192kb |-----L0.?------| "
+ - "**** Simulation run 159, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.751[24,100] 771ns |-----------------------------------------L0.751-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 771ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 771ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 771ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 771ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 771ns 192kb |-----L0.?------| "
+ - "**** Simulation run 160, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.752[24,100] 772ns |-----------------------------------------L0.752-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 772ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 772ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 772ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 772ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 772ns 192kb |-----L0.?------| "
+ - "**** Simulation run 161, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.753[24,100] 773ns |-----------------------------------------L0.753-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 773ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 773ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 773ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 773ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 773ns 192kb |-----L0.?------| "
+ - "**** Simulation run 162, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.754[24,100] 774ns |-----------------------------------------L0.754-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 774ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 774ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 774ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 774ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 774ns 192kb |-----L0.?------| "
+ - "**** Simulation run 163, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.755[24,100] 775ns |-----------------------------------------L0.755-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 775ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 775ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 775ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 775ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 775ns 192kb |-----L0.?------| "
+ - "**** Simulation run 164, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.758[24,100] 778ns |-----------------------------------------L0.758-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 778ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 778ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 778ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 778ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 778ns 192kb |-----L0.?------| "
+ - "**** Simulation run 165, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.759[24,100] 779ns |-----------------------------------------L0.759-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 779ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 779ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 779ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 779ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 779ns 192kb |-----L0.?------| "
+ - "**** Simulation run 166, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.760[24,100] 780ns |-----------------------------------------L0.760-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 780ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 780ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 780ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 780ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 780ns 192kb |-----L0.?------| "
+ - "**** Simulation run 167, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.761[24,100] 781ns |-----------------------------------------L0.761-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 781ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 781ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 781ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 781ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 781ns 192kb |-----L0.?------| "
+ - "**** Simulation run 168, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.762[24,100] 782ns |-----------------------------------------L0.762-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 782ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 782ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 782ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 782ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 782ns 192kb |-----L0.?------| "
+ - "**** Simulation run 169, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.763[24,100] 783ns |-----------------------------------------L0.763-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 783ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 783ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 783ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 783ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 783ns 192kb |-----L0.?------| "
+ - "**** Simulation run 170, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.764[24,100] 784ns |-----------------------------------------L0.764-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 784ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 784ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 784ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 784ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 784ns 192kb |-----L0.?------| "
+ - "**** Simulation run 171, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.765[24,100] 785ns |-----------------------------------------L0.765-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 785ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 785ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 785ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 785ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 785ns 192kb |-----L0.?------| "
+ - "**** Simulation run 172, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.756[24,100] 776ns |-----------------------------------------L0.756-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 776ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 776ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 776ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 776ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 776ns 192kb |-----L0.?------| "
+ - "**** Simulation run 173, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.757[24,100] 777ns |-----------------------------------------L0.757-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 777ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 777ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 777ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 777ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 777ns 192kb |-----L0.?------| "
+ - "**** Simulation run 174, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.766[24,100] 786ns |-----------------------------------------L0.766-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 786ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 786ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 786ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 786ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 786ns 192kb |-----L0.?------| "
+ - "**** Simulation run 175, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.767[24,100] 787ns |-----------------------------------------L0.767-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 787ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 787ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 787ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 787ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 787ns 192kb |-----L0.?------| "
+ - "**** Simulation run 176, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.768[24,100] 788ns |-----------------------------------------L0.768-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 788ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 788ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 788ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 788ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 788ns 192kb |-----L0.?------| "
+ - "**** Simulation run 177, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.769[24,100] 789ns |-----------------------------------------L0.769-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 789ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 789ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 789ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 789ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 789ns 192kb |-----L0.?------| "
+ - "**** Simulation run 178, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.770[24,100] 790ns |-----------------------------------------L0.770-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 790ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 790ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 790ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 790ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 790ns 192kb |-----L0.?------| "
+ - "**** Simulation run 179, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.771[24,100] 791ns |-----------------------------------------L0.771-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 791ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 791ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 791ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 791ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 791ns 192kb |-----L0.?------| "
+ - "**** Simulation run 180, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.772[24,100] 792ns |-----------------------------------------L0.772-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 792ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 792ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 792ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 792ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 792ns 192kb |-----L0.?------| "
+ - "**** Simulation run 181, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.773[24,100] 793ns |-----------------------------------------L0.773-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 793ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 793ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 793ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 793ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 793ns 192kb |-----L0.?------| "
+ - "**** Simulation run 182, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.774[24,100] 794ns |-----------------------------------------L0.774-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 794ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 794ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 794ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 794ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 794ns 192kb |-----L0.?------| "
+ - "**** Simulation run 183, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.775[24,100] 795ns |-----------------------------------------L0.775-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 795ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 795ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 795ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 795ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 795ns 192kb |-----L0.?------| "
+ - "**** Simulation run 184, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.776[24,100] 796ns |-----------------------------------------L0.776-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 796ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 796ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 796ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 796ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 796ns 192kb |-----L0.?------| "
+ - "**** Simulation run 185, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.777[24,100] 797ns |-----------------------------------------L0.777-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 797ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 797ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 797ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 797ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 797ns 192kb |-----L0.?------| "
+ - "**** Simulation run 186, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.778[24,100] 798ns |-----------------------------------------L0.778-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 798ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 798ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 798ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 798ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 798ns 192kb |-----L0.?------| "
+ - "**** Simulation run 187, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.779[24,100] 799ns |-----------------------------------------L0.779-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 799ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 799ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 799ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 799ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 799ns 192kb |-----L0.?------| "
+ - "**** Simulation run 188, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.780[24,100] 800ns |-----------------------------------------L0.780-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 800ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 800ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 800ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 800ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 800ns 192kb |-----L0.?------| "
+ - "**** Simulation run 189, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.781[24,100] 801ns |-----------------------------------------L0.781-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 801ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 801ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 801ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 801ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 801ns 192kb |-----L0.?------| "
+ - "**** Simulation run 190, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.782[24,100] 802ns |-----------------------------------------L0.782-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 802ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 802ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 802ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 802ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 802ns 192kb |-----L0.?------| "
+ - "**** Simulation run 191, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.783[24,100] 803ns |-----------------------------------------L0.783-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 803ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 803ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 803ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 803ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 803ns 192kb |-----L0.?------| "
+ - "**** Simulation run 192, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.784[24,100] 804ns |-----------------------------------------L0.784-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 804ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 804ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 804ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 804ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 804ns 192kb |-----L0.?------| "
+ - "**** Simulation run 193, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.785[24,100] 805ns |-----------------------------------------L0.785-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 805ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 805ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 805ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 805ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 805ns 192kb |-----L0.?------| "
+ - "**** Simulation run 194, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.786[24,100] 806ns |-----------------------------------------L0.786-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 806ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 806ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 806ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 806ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 806ns 192kb |-----L0.?------| "
+ - "**** Simulation run 195, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.787[24,100] 807ns |-----------------------------------------L0.787-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 807ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 807ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 807ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 807ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 807ns 192kb |-----L0.?------| "
+ - "**** Simulation run 196, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.788[24,100] 808ns |-----------------------------------------L0.788-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 808ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 808ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 808ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 808ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 808ns 192kb |-----L0.?------| "
+ - "**** Simulation run 197, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.789[24,100] 809ns |-----------------------------------------L0.789-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 809ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 809ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 809ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 809ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 809ns 192kb |-----L0.?------| "
+ - "**** Simulation run 198, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.790[24,100] 810ns |-----------------------------------------L0.790-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 810ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 810ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 810ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 810ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 810ns 192kb |-----L0.?------| "
+ - "**** Simulation run 199, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.791[24,100] 811ns |-----------------------------------------L0.791-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 811ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 811ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 811ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 811ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 811ns 192kb |-----L0.?------| "
+ - "**** Simulation run 200, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.792[24,100] 812ns |-----------------------------------------L0.792-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 812ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 812ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 812ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 812ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 812ns 192kb |-----L0.?------| "
+ - "**** Simulation run 201, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.793[24,100] 813ns |-----------------------------------------L0.793-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 813ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 813ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 813ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 813ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 813ns 192kb |-----L0.?------| "
+ - "**** Simulation run 202, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.794[24,100] 814ns |-----------------------------------------L0.794-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 814ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 814ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 814ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 814ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 814ns 192kb |-----L0.?------| "
+ - "**** Simulation run 203, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.795[24,100] 815ns |-----------------------------------------L0.795-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 815ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 815ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 815ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 815ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 815ns 192kb |-----L0.?------| "
+ - "**** Simulation run 204, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.796[24,100] 816ns |-----------------------------------------L0.796-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 816ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 816ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 816ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 816ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 816ns 192kb |-----L0.?------| "
+ - "**** Simulation run 205, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.797[24,100] 817ns |-----------------------------------------L0.797-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 817ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 817ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 817ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 817ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 817ns 192kb |-----L0.?------| "
+ - "**** Simulation run 206, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.798[24,100] 818ns |-----------------------------------------L0.798-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 818ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 818ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 818ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 818ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 818ns 192kb |-----L0.?------| "
+ - "**** Simulation run 207, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.799[24,100] 819ns |-----------------------------------------L0.799-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 819ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 819ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 819ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 819ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 819ns 192kb |-----L0.?------| "
+ - "**** Simulation run 208, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.800[24,100] 820ns |-----------------------------------------L0.800-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 820ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 820ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 820ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 820ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 820ns 192kb |-----L0.?------| "
+ - "**** Simulation run 209, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.801[24,100] 821ns |-----------------------------------------L0.801-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 821ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 821ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 821ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 821ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 821ns 192kb |-----L0.?------| "
+ - "**** Simulation run 210, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.802[24,100] 822ns |-----------------------------------------L0.802-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 822ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 822ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 822ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 822ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 822ns 192kb |-----L0.?------| "
+ - "**** Simulation run 211, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.803[24,100] 823ns |-----------------------------------------L0.803-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 823ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 823ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 823ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 823ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 823ns 192kb |-----L0.?------| "
+ - "**** Simulation run 212, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.804[24,100] 824ns |-----------------------------------------L0.804-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 824ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 824ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 824ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 824ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 824ns 192kb |-----L0.?------| "
+ - "**** Simulation run 213, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.805[24,100] 825ns |-----------------------------------------L0.805-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 825ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 825ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 825ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 825ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 825ns 192kb |-----L0.?------| "
+ - "**** Simulation run 214, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.806[24,100] 826ns |-----------------------------------------L0.806-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 826ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 826ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 826ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 826ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 826ns 192kb |-----L0.?------| "
+ - "**** Simulation run 215, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.807[24,100] 827ns |-----------------------------------------L0.807-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 827ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 827ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 827ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 827ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 827ns 192kb |-----L0.?------| "
+ - "**** Simulation run 216, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.808[24,100] 828ns |-----------------------------------------L0.808-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 828ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 828ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 828ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 828ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 828ns 192kb |-----L0.?------| "
+ - "**** Simulation run 217, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.809[24,100] 829ns |-----------------------------------------L0.809-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 829ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 829ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 829ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 829ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 829ns 192kb |-----L0.?------| "
+ - "**** Simulation run 218, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.810[24,100] 830ns |-----------------------------------------L0.810-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 830ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 830ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 830ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 830ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 830ns 192kb |-----L0.?------| "
+ - "**** Simulation run 219, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.811[24,100] 831ns |-----------------------------------------L0.811-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 831ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 831ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 831ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 831ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 831ns 192kb |-----L0.?------| "
+ - "**** Simulation run 220, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.812[24,100] 832ns |-----------------------------------------L0.812-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 832ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 832ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 832ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 832ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 832ns 192kb |-----L0.?------| "
+ - "**** Simulation run 221, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.813[24,100] 833ns |-----------------------------------------L0.813-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 833ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 833ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 833ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 833ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 833ns 192kb |-----L0.?------| "
+ - "**** Simulation run 222, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.814[24,100] 834ns |-----------------------------------------L0.814-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 834ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 834ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 834ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 834ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 834ns 192kb |-----L0.?------| "
+ - "**** Simulation run 223, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.815[24,100] 835ns |-----------------------------------------L0.815-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 835ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 835ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 835ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 835ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 835ns 192kb |-----L0.?------| "
+ - "**** Simulation run 224, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.816[24,100] 836ns |-----------------------------------------L0.816-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 836ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 836ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 836ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 836ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 836ns 192kb |-----L0.?------| "
+ - "**** Simulation run 225, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.817[24,100] 837ns |-----------------------------------------L0.817-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 837ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 837ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 837ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 837ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 837ns 192kb |-----L0.?------| "
+ - "**** Simulation run 226, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.818[24,100] 838ns |-----------------------------------------L0.818-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 838ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 838ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 838ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 838ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 838ns 192kb |-----L0.?------| "
+ - "**** Simulation run 227, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.819[24,100] 839ns |-----------------------------------------L0.819-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 839ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 839ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 839ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 839ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 839ns 192kb |-----L0.?------| "
+ - "**** Simulation run 228, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.820[24,100] 840ns |-----------------------------------------L0.820-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 840ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 840ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 840ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 840ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 840ns 192kb |-----L0.?------| "
+ - "**** Simulation run 229, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.821[24,100] 841ns |-----------------------------------------L0.821-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 841ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 841ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 841ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 841ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 841ns 192kb |-----L0.?------| "
+ - "**** Simulation run 230, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.822[24,100] 842ns |-----------------------------------------L0.822-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 842ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 842ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 842ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 842ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 842ns 192kb |-----L0.?------| "
+ - "**** Simulation run 231, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.823[24,100] 843ns |-----------------------------------------L0.823-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 843ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 843ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 843ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 843ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 843ns 192kb |-----L0.?------| "
+ - "**** Simulation run 232, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.824[24,100] 844ns |-----------------------------------------L0.824-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 844ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 844ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 844ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 844ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 844ns 192kb |-----L0.?------| "
+ - "**** Simulation run 233, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.825[24,100] 845ns |-----------------------------------------L0.825-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 845ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 845ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 845ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 845ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 845ns 192kb |-----L0.?------| "
+ - "**** Simulation run 234, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.826[24,100] 846ns |-----------------------------------------L0.826-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 846ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 846ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 846ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 846ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 846ns 192kb |-----L0.?------| "
+ - "**** Simulation run 235, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.827[24,100] 847ns |-----------------------------------------L0.827-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 847ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 847ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 847ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 847ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 847ns 192kb |-----L0.?------| "
+ - "**** Simulation run 236, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.828[24,100] 848ns |-----------------------------------------L0.828-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 848ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 848ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 848ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 848ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 848ns 192kb |-----L0.?------| "
+ - "**** Simulation run 237, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.829[24,100] 849ns |-----------------------------------------L0.829-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 849ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 849ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 849ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 849ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 849ns 192kb |-----L0.?------| "
+ - "**** Simulation run 238, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.830[24,100] 850ns |-----------------------------------------L0.830-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 850ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 850ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 850ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 850ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 850ns 192kb |-----L0.?------| "
+ - "**** Simulation run 239, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.831[24,100] 851ns |-----------------------------------------L0.831-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 851ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 851ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 851ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 851ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 851ns 192kb |-----L0.?------| "
+ - "**** Simulation run 240, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.832[24,100] 852ns |-----------------------------------------L0.832-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 852ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 852ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 852ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 852ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 852ns 192kb |-----L0.?------| "
+ - "**** Simulation run 241, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.833[24,100] 853ns |-----------------------------------------L0.833-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 853ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 853ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 853ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 853ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 853ns 192kb |-----L0.?------| "
+ - "**** Simulation run 242, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.834[24,100] 854ns |-----------------------------------------L0.834-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 854ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 854ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 854ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 854ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 854ns 192kb |-----L0.?------| "
+ - "**** Simulation run 243, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.835[24,100] 855ns |-----------------------------------------L0.835-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 855ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 855ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 855ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 855ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 855ns 192kb |-----L0.?------| "
+ - "**** Simulation run 244, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.836[24,100] 856ns |-----------------------------------------L0.836-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 856ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 856ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 856ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 856ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 856ns 192kb |-----L0.?------| "
+ - "**** Simulation run 245, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.837[24,100] 857ns |-----------------------------------------L0.837-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 857ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 857ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 857ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 857ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 857ns 192kb |-----L0.?------| "
+ - "**** Simulation run 246, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.838[24,100] 858ns |-----------------------------------------L0.838-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 858ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 858ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 858ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 858ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 858ns 192kb |-----L0.?------| "
+ - "**** Simulation run 247, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.839[24,100] 859ns |-----------------------------------------L0.839-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 859ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 859ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 859ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 859ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 859ns 192kb |-----L0.?------| "
+ - "**** Simulation run 248, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.840[24,100] 860ns |-----------------------------------------L0.840-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 860ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 860ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 860ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 860ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 860ns 192kb |-----L0.?------| "
+ - "**** Simulation run 249, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.841[24,100] 861ns |-----------------------------------------L0.841-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 861ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 861ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 861ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 861ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 861ns 192kb |-----L0.?------| "
+ - "**** Simulation run 250, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.842[24,100] 862ns |-----------------------------------------L0.842-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 862ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 862ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 862ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 862ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 862ns 192kb |-----L0.?------| "
+ - "**** Simulation run 251, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.843[24,100] 863ns |-----------------------------------------L0.843-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 863ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 863ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 863ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 863ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 863ns 192kb |-----L0.?------| "
+ - "**** Simulation run 252, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.844[24,100] 864ns |-----------------------------------------L0.844-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 864ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 864ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 864ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 864ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 864ns 192kb |-----L0.?------| "
+ - "**** Simulation run 253, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.845[24,100] 865ns |-----------------------------------------L0.845-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 865ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 865ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 865ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 865ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 865ns 192kb |-----L0.?------| "
+ - "**** Simulation run 254, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.846[24,100] 866ns |-----------------------------------------L0.846-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 866ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 866ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 866ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 866ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 866ns 192kb |-----L0.?------| "
+ - "**** Simulation run 255, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.847[24,100] 867ns |-----------------------------------------L0.847-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 867ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 867ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 867ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 867ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 867ns 192kb |-----L0.?------| "
+ - "**** Simulation run 256, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.848[24,100] 868ns |-----------------------------------------L0.848-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 868ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 868ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 868ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 868ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 868ns 192kb |-----L0.?------| "
+ - "**** Simulation run 257, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.849[24,100] 869ns |-----------------------------------------L0.849-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 869ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 869ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 869ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 869ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 869ns 192kb |-----L0.?------| "
+ - "**** Simulation run 258, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.850[24,100] 870ns |-----------------------------------------L0.850-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 870ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 870ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 870ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 870ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 870ns 192kb |-----L0.?------| "
+ - "**** Simulation run 259, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.851[24,100] 871ns |-----------------------------------------L0.851-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 871ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 871ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 871ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 871ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 871ns 192kb |-----L0.?------| "
+ - "**** Simulation run 260, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.852[24,100] 872ns |-----------------------------------------L0.852-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 872ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 872ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 872ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 872ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 872ns 192kb |-----L0.?------| "
+ - "**** Simulation run 261, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.853[24,100] 873ns |-----------------------------------------L0.853-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 873ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 873ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 873ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 873ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 873ns 192kb |-----L0.?------| "
+ - "**** Simulation run 262, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.854[24,100] 874ns |-----------------------------------------L0.854-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 874ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 874ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 874ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 874ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 874ns 192kb |-----L0.?------| "
+ - "**** Simulation run 263, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.855[24,100] 875ns |-----------------------------------------L0.855-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 875ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 875ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 875ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 875ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 875ns 192kb |-----L0.?------| "
+ - "**** Simulation run 264, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.856[24,100] 876ns |-----------------------------------------L0.856-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 876ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 876ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 876ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 876ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 876ns 192kb |-----L0.?------| "
+ - "**** Simulation run 265, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.857[24,100] 877ns |-----------------------------------------L0.857-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 877ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 877ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 877ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 877ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 877ns 192kb |-----L0.?------| "
+ - "**** Simulation run 266, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.858[24,100] 878ns |-----------------------------------------L0.858-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 878ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 878ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 878ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 878ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 878ns 192kb |-----L0.?------| "
+ - "**** Simulation run 267, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.859[24,100] 879ns |-----------------------------------------L0.859-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 879ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 879ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 879ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 879ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 879ns 192kb |-----L0.?------| "
+ - "**** Simulation run 268, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.860[24,100] 880ns |-----------------------------------------L0.860-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 880ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 880ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 880ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 880ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 880ns 192kb |-----L0.?------| "
+ - "**** Simulation run 269, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.861[24,100] 881ns |-----------------------------------------L0.861-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 881ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 881ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 881ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 881ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 881ns 192kb |-----L0.?------| "
+ - "**** Simulation run 270, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.862[24,100] 882ns |-----------------------------------------L0.862-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 882ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 882ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 882ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 882ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 882ns 192kb |-----L0.?------| "
+ - "**** Simulation run 271, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.863[24,100] 883ns |-----------------------------------------L0.863-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 883ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 883ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 883ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 883ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 883ns 192kb |-----L0.?------| "
+ - "**** Simulation run 272, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.864[24,100] 884ns |-----------------------------------------L0.864-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 884ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 884ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 884ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 884ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 884ns 192kb |-----L0.?------| "
+ - "**** Simulation run 273, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.865[24,100] 885ns |-----------------------------------------L0.865-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 885ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 885ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 885ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 885ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 885ns 192kb |-----L0.?------| "
+ - "**** Simulation run 274, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.866[24,100] 886ns |-----------------------------------------L0.866-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 886ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 886ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 886ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 886ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 886ns 192kb |-----L0.?------| "
+ - "**** Simulation run 275, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.867[24,100] 887ns |-----------------------------------------L0.867-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 887ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 887ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 887ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 887ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 887ns 192kb |-----L0.?------| "
+ - "**** Simulation run 276, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.868[24,100] 888ns |-----------------------------------------L0.868-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 888ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 888ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 888ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 888ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 888ns 192kb |-----L0.?------| "
+ - "**** Simulation run 277, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.869[24,100] 889ns |-----------------------------------------L0.869-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 889ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 889ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 889ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 889ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 889ns 192kb |-----L0.?------| "
+ - "**** Simulation run 278, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.870[24,100] 890ns |-----------------------------------------L0.870-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 890ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 890ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 890ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 890ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 890ns 192kb |-----L0.?------| "
+ - "**** Simulation run 279, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.871[24,100] 891ns |-----------------------------------------L0.871-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 891ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 891ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 891ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 891ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 891ns 192kb |-----L0.?------| "
+ - "**** Simulation run 280, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.872[24,100] 892ns |-----------------------------------------L0.872-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 892ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 892ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 892ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 892ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 892ns 192kb |-----L0.?------| "
+ - "**** Simulation run 281, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.873[24,100] 893ns |-----------------------------------------L0.873-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 893ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 893ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 893ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 893ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 893ns 192kb |-----L0.?------| "
+ - "**** Simulation run 282, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.874[24,100] 894ns |-----------------------------------------L0.874-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 894ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 894ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 894ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 894ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 894ns 192kb |-----L0.?------| "
+ - "**** Simulation run 283, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.875[24,100] 895ns |-----------------------------------------L0.875-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 895ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 895ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 895ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 895ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 895ns 192kb |-----L0.?------| "
+ - "**** Simulation run 284, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.876[24,100] 896ns |-----------------------------------------L0.876-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 896ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 896ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 896ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 896ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 896ns 192kb |-----L0.?------| "
+ - "**** Simulation run 285, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.877[24,100] 897ns |-----------------------------------------L0.877-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 897ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 897ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 897ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 897ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 897ns 192kb |-----L0.?------| "
+ - "**** Simulation run 286, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.878[24,100] 898ns |-----------------------------------------L0.878-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 898ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 898ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 898ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 898ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 898ns 192kb |-----L0.?------| "
+ - "**** Simulation run 287, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.879[24,100] 899ns |-----------------------------------------L0.879-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 899ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 899ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 899ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 899ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 899ns 192kb |-----L0.?------| "
+ - "**** Simulation run 288, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.880[24,100] 900ns |-----------------------------------------L0.880-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 900ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 900ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 900ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 900ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 900ns 192kb |-----L0.?------| "
+ - "**** Simulation run 289, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.881[24,100] 901ns |-----------------------------------------L0.881-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 901ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 901ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 901ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 901ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 901ns 192kb |-----L0.?------| "
+ - "**** Simulation run 290, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.882[24,100] 902ns |-----------------------------------------L0.882-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 902ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 902ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 902ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 902ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 902ns 192kb |-----L0.?------| "
+ - "**** Simulation run 291, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.883[24,100] 903ns |-----------------------------------------L0.883-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 903ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 903ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 903ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 903ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 903ns 192kb |-----L0.?------| "
+ - "**** Simulation run 292, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.886[24,100] 906ns |-----------------------------------------L0.886-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 906ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 906ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 906ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 906ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 906ns 192kb |-----L0.?------| "
+ - "**** Simulation run 293, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.887[24,100] 907ns |-----------------------------------------L0.887-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 907ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 907ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 907ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 907ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 907ns 192kb |-----L0.?------| "
+ - "**** Simulation run 294, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.888[24,100] 908ns |-----------------------------------------L0.888-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 908ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 908ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 908ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 908ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 908ns 192kb |-----L0.?------| "
+ - "**** Simulation run 295, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.889[24,100] 909ns |-----------------------------------------L0.889-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 909ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 909ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 909ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 909ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 909ns 192kb |-----L0.?------| "
+ - "**** Simulation run 296, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.890[24,100] 910ns |-----------------------------------------L0.890-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 910ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 910ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 910ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 910ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 910ns 192kb |-----L0.?------| "
+ - "**** Simulation run 297, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.891[24,100] 911ns |-----------------------------------------L0.891-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 911ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 911ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 911ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 911ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 911ns 192kb |-----L0.?------| "
+ - "**** Simulation run 298, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.892[24,100] 912ns |-----------------------------------------L0.892-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 912ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 912ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 912ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 912ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 912ns 192kb |-----L0.?------| "
+ - "**** Simulation run 299, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.893[24,100] 913ns |-----------------------------------------L0.893-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 913ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 913ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 913ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 913ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 913ns 192kb |-----L0.?------| "
+ - "**** Simulation run 300, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.884[24,100] 904ns |-----------------------------------------L0.884-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 904ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 904ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 904ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 904ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 904ns 192kb |-----L0.?------| "
+ - "**** Simulation run 301, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.885[24,100] 905ns |-----------------------------------------L0.885-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 905ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 905ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 905ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 905ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 905ns 192kb |-----L0.?------| "
+ - "**** Simulation run 302, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.894[24,100] 914ns |-----------------------------------------L0.894-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 914ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 914ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 914ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 914ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 914ns 192kb |-----L0.?------| "
+ - "**** Simulation run 303, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.895[24,100] 915ns |-----------------------------------------L0.895-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 915ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 915ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 915ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 915ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 915ns 192kb |-----L0.?------| "
+ - "**** Simulation run 304, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.896[24,100] 916ns |-----------------------------------------L0.896-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 916ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 916ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 916ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 916ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 916ns 192kb |-----L0.?------| "
+ - "**** Simulation run 305, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.897[24,100] 917ns |-----------------------------------------L0.897-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 917ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 917ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 917ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 917ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 917ns 192kb |-----L0.?------| "
+ - "**** Simulation run 306, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.898[24,100] 918ns |-----------------------------------------L0.898-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 918ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 918ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 918ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 918ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 918ns 192kb |-----L0.?------| "
+ - "**** Simulation run 307, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.899[24,100] 919ns |-----------------------------------------L0.899-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 919ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 919ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 919ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 919ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 919ns 192kb |-----L0.?------| "
+ - "**** Simulation run 308, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.900[24,100] 920ns |-----------------------------------------L0.900-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 920ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 920ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 920ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 920ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 920ns 192kb |-----L0.?------| "
+ - "**** Simulation run 309, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.901[24,100] 921ns |-----------------------------------------L0.901-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 921ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 921ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 921ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 921ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 921ns 192kb |-----L0.?------| "
+ - "**** Simulation run 310, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.902[24,100] 922ns |-----------------------------------------L0.902-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 922ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 922ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 922ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 922ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 922ns 192kb |-----L0.?------| "
+ - "**** Simulation run 311, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.903[24,100] 923ns |-----------------------------------------L0.903-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 923ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 923ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 923ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 923ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 923ns 192kb |-----L0.?------| "
+ - "**** Simulation run 312, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.904[24,100] 924ns |-----------------------------------------L0.904-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 924ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 924ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 924ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 924ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 924ns 192kb |-----L0.?------| "
+ - "**** Simulation run 313, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.905[24,100] 925ns |-----------------------------------------L0.905-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 925ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 925ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 925ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 925ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 925ns 192kb |-----L0.?------| "
+ - "**** Simulation run 314, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.906[24,100] 926ns |-----------------------------------------L0.906-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 926ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 926ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 926ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 926ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 926ns 192kb |-----L0.?------| "
+ - "**** Simulation run 315, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.907[24,100] 927ns |-----------------------------------------L0.907-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 927ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 927ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 927ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 927ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 927ns 192kb |-----L0.?------| "
+ - "**** Simulation run 316, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.908[24,100] 928ns |-----------------------------------------L0.908-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 928ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 928ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 928ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 928ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 928ns 192kb |-----L0.?------| "
+ - "**** Simulation run 317, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.909[24,100] 929ns |-----------------------------------------L0.909-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 929ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 929ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 929ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 929ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 929ns 192kb |-----L0.?------| "
+ - "**** Simulation run 318, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.910[24,100] 930ns |-----------------------------------------L0.910-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 930ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 930ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 930ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 930ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 930ns 192kb |-----L0.?------| "
+ - "**** Simulation run 319, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.911[24,100] 931ns |-----------------------------------------L0.911-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 931ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 931ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 931ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 931ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 931ns 192kb |-----L0.?------| "
+ - "**** Simulation run 320, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.912[24,100] 932ns |-----------------------------------------L0.912-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 932ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 932ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 932ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 932ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 932ns 192kb |-----L0.?------| "
+ - "**** Simulation run 321, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.913[24,100] 933ns |-----------------------------------------L0.913-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 933ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 933ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 933ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 933ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 933ns 192kb |-----L0.?------| "
+ - "**** Simulation run 322, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.914[24,100] 934ns |-----------------------------------------L0.914-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 934ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 934ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 934ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 934ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 934ns 192kb |-----L0.?------| "
+ - "**** Simulation run 323, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.915[24,100] 935ns |-----------------------------------------L0.915-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 935ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 935ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 935ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 935ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 935ns 192kb |-----L0.?------| "
+ - "**** Simulation run 324, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.916[24,100] 936ns |-----------------------------------------L0.916-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 936ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 936ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 936ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 936ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 936ns 192kb |-----L0.?------| "
+ - "**** Simulation run 325, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.917[24,100] 937ns |-----------------------------------------L0.917-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 937ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 937ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 937ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 937ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 937ns 192kb |-----L0.?------| "
+ - "**** Simulation run 326, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.918[24,100] 938ns |-----------------------------------------L0.918-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 938ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 938ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 938ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 938ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 938ns 192kb |-----L0.?------| "
+ - "**** Simulation run 327, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.919[24,100] 939ns |-----------------------------------------L0.919-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 939ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 939ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 939ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 939ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 939ns 192kb |-----L0.?------| "
+ - "**** Simulation run 328, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.920[24,100] 940ns |-----------------------------------------L0.920-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 940ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 940ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 940ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 940ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 940ns 192kb |-----L0.?------| "
+ - "**** Simulation run 329, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.921[24,100] 941ns |-----------------------------------------L0.921-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 941ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 941ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 941ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 941ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 941ns 192kb |-----L0.?------| "
+ - "**** Simulation run 330, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.922[24,100] 942ns |-----------------------------------------L0.922-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 942ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 942ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 942ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 942ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 942ns 192kb |-----L0.?------| "
+ - "**** Simulation run 331, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.923[24,100] 943ns |-----------------------------------------L0.923-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 943ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 943ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 943ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 943ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 943ns 192kb |-----L0.?------| "
+ - "**** Simulation run 332, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.924[24,100] 944ns |-----------------------------------------L0.924-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 944ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 944ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 944ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 944ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 944ns 192kb |-----L0.?------| "
+ - "**** Simulation run 333, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.925[24,100] 945ns |-----------------------------------------L0.925-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 945ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 945ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 945ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 945ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 945ns 192kb |-----L0.?------| "
+ - "**** Simulation run 334, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.926[24,100] 946ns |-----------------------------------------L0.926-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 946ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 946ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 946ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 946ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 946ns 192kb |-----L0.?------| "
+ - "**** Simulation run 335, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.927[24,100] 947ns |-----------------------------------------L0.927-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 947ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 947ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 947ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 947ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 947ns 192kb |-----L0.?------| "
+ - "**** Simulation run 336, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.928[24,100] 948ns |-----------------------------------------L0.928-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 948ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 948ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 948ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 948ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 948ns 192kb |-----L0.?------| "
+ - "**** Simulation run 337, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.929[24,100] 949ns |-----------------------------------------L0.929-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 949ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 949ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 949ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 949ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 949ns 192kb |-----L0.?------| "
+ - "**** Simulation run 338, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.930[24,100] 950ns |-----------------------------------------L0.930-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 950ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 950ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 950ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 950ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 950ns 192kb |-----L0.?------| "
+ - "**** Simulation run 339, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.931[24,100] 951ns |-----------------------------------------L0.931-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 951ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 951ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 951ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 951ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 951ns 192kb |-----L0.?------| "
+ - "**** Simulation run 340, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.932[24,100] 952ns |-----------------------------------------L0.932-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 952ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 952ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 952ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 952ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 952ns 192kb |-----L0.?------| "
+ - "**** Simulation run 341, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.933[24,100] 953ns |-----------------------------------------L0.933-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 953ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 953ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 953ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 953ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 953ns 192kb |-----L0.?------| "
+ - "**** Simulation run 342, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.934[24,100] 954ns |-----------------------------------------L0.934-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 954ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 954ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 954ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 954ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 954ns 192kb |-----L0.?------| "
+ - "**** Simulation run 343, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.935[24,100] 955ns |-----------------------------------------L0.935-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 955ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 955ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 955ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 955ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 955ns 192kb |-----L0.?------| "
+ - "**** Simulation run 344, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.936[24,100] 956ns |-----------------------------------------L0.936-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 956ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 956ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 956ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 956ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 956ns 192kb |-----L0.?------| "
+ - "**** Simulation run 345, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.937[24,100] 957ns |-----------------------------------------L0.937-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 957ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 957ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 957ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 957ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 957ns 192kb |-----L0.?------| "
+ - "**** Simulation run 346, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.938[24,100] 958ns |-----------------------------------------L0.938-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 958ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 958ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 958ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 958ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 958ns 192kb |-----L0.?------| "
+ - "**** Simulation run 347, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.939[24,100] 959ns |-----------------------------------------L0.939-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 959ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 959ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 959ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 959ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 959ns 192kb |-----L0.?------| "
+ - "**** Simulation run 348, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.940[24,100] 960ns |-----------------------------------------L0.940-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 960ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 960ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 960ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 960ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 960ns 192kb |-----L0.?------| "
+ - "**** Simulation run 349, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.941[24,100] 961ns |-----------------------------------------L0.941-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 961ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 961ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 961ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 961ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 961ns 192kb |-----L0.?------| "
+ - "**** Simulation run 350, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.942[24,100] 962ns |-----------------------------------------L0.942-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 962ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 962ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 962ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 962ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 962ns 192kb |-----L0.?------| "
+ - "**** Simulation run 351, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.943[24,100] 963ns |-----------------------------------------L0.943-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 963ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 963ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 963ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 963ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 963ns 192kb |-----L0.?------| "
+ - "**** Simulation run 352, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.944[24,100] 964ns |-----------------------------------------L0.944-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 964ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 964ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 964ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 964ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 964ns 192kb |-----L0.?------| "
+ - "**** Simulation run 353, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.945[24,100] 965ns |-----------------------------------------L0.945-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 965ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 965ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 965ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 965ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 965ns 192kb |-----L0.?------| "
+ - "**** Simulation run 354, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.946[24,100] 966ns |-----------------------------------------L0.946-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 966ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 966ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 966ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 966ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 966ns 192kb |-----L0.?------| "
+ - "**** Simulation run 355, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.947[24,100] 967ns |-----------------------------------------L0.947-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 967ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 967ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 967ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 967ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 967ns 192kb |-----L0.?------| "
+ - "**** Simulation run 356, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.948[24,100] 968ns |-----------------------------------------L0.948-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 968ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 968ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 968ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 968ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 968ns 192kb |-----L0.?------| "
+ - "**** Simulation run 357, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.949[24,100] 969ns |-----------------------------------------L0.949-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 969ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 969ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 969ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 969ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 969ns 192kb |-----L0.?------| "
+ - "**** Simulation run 358, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.950[24,100] 970ns |-----------------------------------------L0.950-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 970ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 970ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 970ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 970ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 970ns 192kb |-----L0.?------| "
+ - "**** Simulation run 359, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.951[24,100] 971ns |-----------------------------------------L0.951-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 971ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 971ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 971ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 971ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 971ns 192kb |-----L0.?------| "
+ - "**** Simulation run 360, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.952[24,100] 972ns |-----------------------------------------L0.952-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 972ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 972ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 972ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 972ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 972ns 192kb |-----L0.?------| "
+ - "**** Simulation run 361, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.953[24,100] 973ns |-----------------------------------------L0.953-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 973ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 973ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 973ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 973ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 973ns 192kb |-----L0.?------| "
+ - "**** Simulation run 362, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.954[24,100] 974ns |-----------------------------------------L0.954-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 974ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 974ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 974ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 974ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 974ns 192kb |-----L0.?------| "
+ - "**** Simulation run 363, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.955[24,100] 975ns |-----------------------------------------L0.955-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 975ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 975ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 975ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 975ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 975ns 192kb |-----L0.?------| "
+ - "**** Simulation run 364, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.956[24,100] 976ns |-----------------------------------------L0.956-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 976ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 976ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 976ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 976ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 976ns 192kb |-----L0.?------| "
+ - "**** Simulation run 365, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.957[24,100] 977ns |-----------------------------------------L0.957-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 977ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 977ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 977ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 977ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 977ns 192kb |-----L0.?------| "
+ - "**** Simulation run 366, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.958[24,100] 978ns |-----------------------------------------L0.958-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 978ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 978ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 978ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 978ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 978ns 192kb |-----L0.?------| "
+ - "**** Simulation run 367, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.959[24,100] 979ns |-----------------------------------------L0.959-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 979ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 979ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 979ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 979ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 979ns 192kb |-----L0.?------| "
+ - "**** Simulation run 368, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.960[24,100] 980ns |-----------------------------------------L0.960-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 980ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 980ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 980ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 980ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 980ns 192kb |-----L0.?------| "
+ - "**** Simulation run 369, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.961[24,100] 981ns |-----------------------------------------L0.961-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 981ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 981ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 981ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 981ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 981ns 192kb |-----L0.?------| "
+ - "**** Simulation run 370, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.962[24,100] 982ns |-----------------------------------------L0.962-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 982ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 982ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 982ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 982ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 982ns 192kb |-----L0.?------| "
+ - "**** Simulation run 371, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.963[24,100] 983ns |-----------------------------------------L0.963-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 983ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 983ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 983ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 983ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 983ns 192kb |-----L0.?------| "
+ - "**** Simulation run 372, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.964[24,100] 984ns |-----------------------------------------L0.964-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 984ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 984ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 984ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 984ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 984ns 192kb |-----L0.?------| "
+ - "**** Simulation run 373, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.965[24,100] 985ns |-----------------------------------------L0.965-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 985ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 985ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 985ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 985ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 985ns 192kb |-----L0.?------| "
+ - "**** Simulation run 374, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.966[24,100] 986ns |-----------------------------------------L0.966-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 986ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 986ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 986ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 986ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 986ns 192kb |-----L0.?------| "
+ - "**** Simulation run 375, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.967[24,100] 987ns |-----------------------------------------L0.967-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 987ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 987ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 987ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 987ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 987ns 192kb |-----L0.?------| "
+ - "**** Simulation run 376, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.968[24,100] 988ns |-----------------------------------------L0.968-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 988ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 988ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 988ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 988ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 988ns 192kb |-----L0.?------| "
+ - "**** Simulation run 377, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.969[24,100] 989ns |-----------------------------------------L0.969-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 989ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 989ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 989ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 989ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 989ns 192kb |-----L0.?------| "
+ - "**** Simulation run 378, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.970[24,100] 990ns |-----------------------------------------L0.970-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 990ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 990ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 990ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 990ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 990ns 192kb |-----L0.?------| "
+ - "**** Simulation run 379, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.971[24,100] 991ns |-----------------------------------------L0.971-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 991ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 991ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 991ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 991ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 991ns 192kb |-----L0.?------| "
+ - "**** Simulation run 380, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.972[24,100] 992ns |-----------------------------------------L0.972-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 992ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 992ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 992ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 992ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 992ns 192kb |-----L0.?------| "
+ - "**** Simulation run 381, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.973[24,100] 993ns |-----------------------------------------L0.973-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 993ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 993ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 993ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 993ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 993ns 192kb |-----L0.?------| "
+ - "**** Simulation run 382, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.974[24,100] 994ns |-----------------------------------------L0.974-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 994ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 994ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 994ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 994ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 994ns 192kb |-----L0.?------| "
+ - "**** Simulation run 383, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.975[24,100] 995ns |-----------------------------------------L0.975-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 995ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 995ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 995ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 995ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 995ns 192kb |-----L0.?------| "
+ - "**** Simulation run 384, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.976[24,100] 996ns |-----------------------------------------L0.976-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 996ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 996ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 996ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 996ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 996ns 192kb |-----L0.?------| "
+ - "**** Simulation run 385, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.977[24,100] 997ns |-----------------------------------------L0.977-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 997ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 997ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 997ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 997ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 997ns 192kb |-----L0.?------| "
+ - "**** Simulation run 386, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.978[24,100] 998ns |-----------------------------------------L0.978-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 998ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 998ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 998ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 998ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 998ns 192kb |-----L0.?------| "
+ - "**** Simulation run 387, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.979[24,100] 999ns |-----------------------------------------L0.979-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 999ns 152kb |-----L0.?------| "
+ - "L0.?[40,54] 999ns 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 999ns 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 999ns 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 999ns 192kb |-----L0.?------| "
+ - "**** Simulation run 388, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.980[24,100] 1us |-----------------------------------------L0.980-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 1us 152kb |-----L0.?------| "
+ - "L0.?[40,54] 1us 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 1us 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 1us 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 1us 192kb |-----L0.?------| "
+ - "**** Simulation run 389, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.981[24,100] 1us |-----------------------------------------L0.981-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 1us 152kb |-----L0.?------| "
+ - "L0.?[40,54] 1us 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 1us 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 1us 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 1us 192kb |-----L0.?------| "
+ - "**** Simulation run 390, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.982[24,100] 1us |-----------------------------------------L0.982-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 1us 152kb |-----L0.?------| "
+ - "L0.?[40,54] 1us 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 1us 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 1us 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 1us 192kb |-----L0.?------| "
+ - "**** Simulation run 391, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.983[24,100] 1us |-----------------------------------------L0.983-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 1us 152kb |-----L0.?------| "
+ - "L0.?[40,54] 1us 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 1us 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 1us 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 1us 192kb |-----L0.?------| "
+ - "**** Simulation run 392, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.984[24,100] 1us |-----------------------------------------L0.984-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 1us 152kb |-----L0.?------| "
+ - "L0.?[40,54] 1us 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 1us 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 1us 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 1us 192kb |-----L0.?------| "
+ - "**** Simulation run 393, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.985[24,100] 1us |-----------------------------------------L0.985-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 1us 152kb |-----L0.?------| "
+ - "L0.?[40,54] 1us 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 1us 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 1us 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 1us 192kb |-----L0.?------| "
+ - "**** Simulation run 394, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.986[24,100] 1.01us |-----------------------------------------L0.986-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 1.01us 152kb |-----L0.?------| "
+ - "L0.?[40,54] 1.01us 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 1.01us 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 1.01us 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 1.01us 192kb |-----L0.?------| "
+ - "**** Simulation run 395, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.987[24,100] 1.01us |-----------------------------------------L0.987-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 1.01us 152kb |-----L0.?------| "
+ - "L0.?[40,54] 1.01us 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 1.01us 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 1.01us 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 1.01us 192kb |-----L0.?------| "
+ - "**** Simulation run 396, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.988[24,100] 1.01us |-----------------------------------------L0.988-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 1.01us 152kb |-----L0.?------| "
+ - "L0.?[40,54] 1.01us 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 1.01us 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 1.01us 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 1.01us 192kb |-----L0.?------| "
+ - "**** Simulation run 397, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.989[24,100] 1.01us |-----------------------------------------L0.989-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 1.01us 152kb |-----L0.?------| "
+ - "L0.?[40,54] 1.01us 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 1.01us 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 1.01us 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 1.01us 192kb |-----L0.?------| "
+ - "**** Simulation run 398, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.990[24,100] 1.01us |-----------------------------------------L0.990-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 1.01us 152kb |-----L0.?------| "
+ - "L0.?[40,54] 1.01us 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 1.01us 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 1.01us 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 1.01us 192kb |-----L0.?------| "
+ - "**** Simulation run 399, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.991[24,100] 1.01us |-----------------------------------------L0.991-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 1.01us 152kb |-----L0.?------| "
+ - "L0.?[40,54] 1.01us 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 1.01us 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 1.01us 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 1.01us 192kb |-----L0.?------| "
+ - "**** Simulation run 400, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.992[24,100] 1.01us |-----------------------------------------L0.992-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 1.01us 152kb |-----L0.?------| "
+ - "L0.?[40,54] 1.01us 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 1.01us 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 1.01us 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 1.01us 192kb |-----L0.?------| "
+ - "**** Simulation run 401, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.993[24,100] 1.01us |-----------------------------------------L0.993-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 1.01us 152kb |-----L0.?------| "
+ - "L0.?[40,54] 1.01us 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 1.01us 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 1.01us 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 1.01us 192kb |-----L0.?------| "
+ - "**** Simulation run 402, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.994[24,100] 1.01us |-----------------------------------------L0.994-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 1.01us 152kb |-----L0.?------| "
+ - "L0.?[40,54] 1.01us 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 1.01us 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 1.01us 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 1.01us 192kb |-----L0.?------| "
+ - "**** Simulation run 403, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.995[24,100] 1.01us |-----------------------------------------L0.995-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 1.01us 152kb |-----L0.?------| "
+ - "L0.?[40,54] 1.01us 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 1.01us 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 1.01us 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 1.01us 192kb |-----L0.?------| "
+ - "**** Simulation run 404, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.996[24,100] 1.02us |-----------------------------------------L0.996-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 1.02us 152kb |-----L0.?------| "
+ - "L0.?[40,54] 1.02us 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 1.02us 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 1.02us 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 1.02us 192kb |-----L0.?------| "
+ - "**** Simulation run 405, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.997[24,100] 1.02us |-----------------------------------------L0.997-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 1.02us 152kb |-----L0.?------| "
+ - "L0.?[40,54] 1.02us 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 1.02us 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 1.02us 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 1.02us 192kb |-----L0.?------| "
+ - "**** Simulation run 406, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.998[24,100] 1.02us |-----------------------------------------L0.998-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 1.02us 152kb |-----L0.?------| "
+ - "L0.?[40,54] 1.02us 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 1.02us 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 1.02us 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 1.02us 192kb |-----L0.?------| "
+ - "**** Simulation run 407, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.999[24,100] 1.02us |-----------------------------------------L0.999-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 1.02us 152kb |-----L0.?------| "
+ - "L0.?[40,54] 1.02us 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 1.02us 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 1.02us 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 1.02us 192kb |-----L0.?------| "
+ - "**** Simulation run 408, type=split(HighL0OverlapTotalBacklog)(split_times=[39, 54, 69, 84]). 1 Input Files, 768kb total:"
+ - "L0, all files 768kb "
+ - "L0.1000[24,100] 1.02us |----------------------------------------L0.1000-----------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 768kb total:"
+ - "L0 "
+ - "L0.?[24,39] 1.02us 152kb |-----L0.?------| "
+ - "L0.?[40,54] 1.02us 141kb |-----L0.?-----| "
+ - "L0.?[55,69] 1.02us 141kb |-----L0.?-----| "
+ - "L0.?[70,84] 1.02us 141kb |-----L0.?-----| "
+ - "L0.?[85,100] 1.02us 192kb |-----L0.?------| "
+ - "**** Simulation run 409, type=split(HighL0OverlapTotalBacklog)(split_times=[54]). 1 Input Files, 100mb total:"
+ - "L0, all files 100mb "
+ - "L0.1007[43,60] 615ns |----------------------------------------L0.1007-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L0 "
+ - "L0.?[43,54] 615ns 65mb |--------------------------L0.?--------------------------| "
+ - "L0.?[55,60] 615ns 35mb |----------L0.?----------| "
+ - "**** Simulation run 410, type=split(HighL0OverlapTotalBacklog)(split_times=[69]). 1 Input Files, 100mb total:"
+ - "L0, all files 100mb "
+ - "L0.1008[61,78] 615ns |----------------------------------------L0.1008-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L0 "
+ - "L0.?[61,69] 615ns 47mb |------------------L0.?------------------| "
+ - "L0.?[70,78] 615ns 53mb |------------------L0.?------------------| "
+ - "**** Simulation run 411, type=split(HighL0OverlapTotalBacklog)(split_times=[84]). 1 Input Files, 100mb total:"
+ - "L0, all files 100mb "
+ - "L0.1009[79,96] 615ns |----------------------------------------L0.1009-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L0 "
+ - "L0.?[79,84] 615ns 29mb |----------L0.?----------| "
+ - "L0.?[85,96] 615ns 70mb |--------------------------L0.?--------------------------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 409 files: L0.596, L0.597, L0.598, L0.599, L0.600, L0.601, L0.602, L0.603, L0.604, L0.605, L0.606, L0.607, L0.608, L0.609, L0.610, L0.611, L0.612, L0.613, L0.614, L0.615, L0.616, L0.617, L0.618, L0.619, L0.620, L0.621, L0.622, L0.623, L0.624, L0.625, L0.626, L0.627, L0.628, L0.629, L0.630, L0.631, L0.632, L0.633, L0.634, L0.635, L0.636, L0.637, L0.638, L0.639, L0.640, L0.641, L0.642, L0.643, L0.644, L0.645, L0.646, L0.647, L0.648, L0.649, L0.650, L0.651, L0.652, L0.653, L0.654, L0.655, L0.656, L0.657, L0.658, L0.659, L0.660, L0.661, L0.662, L0.663, L0.664, L0.665, L0.666, L0.667, L0.668, L0.669, L0.670, L0.671, L0.672, L0.673, L0.674, L0.675, L0.676, L0.677, L0.678, L0.679, L0.680, L0.681, L0.682, L0.683, L0.684, L0.685, L0.686, L0.687, L0.688, L0.689, L0.690, L0.691, L0.692, L0.693, L0.694, L0.695, L0.696, L0.697, L0.698, L0.699, L0.700, L0.701, L0.702, L0.703, L0.704, L0.705, L0.706, L0.707, L0.708, L0.709, L0.710, L0.711, L0.712, L0.713, L0.714, L0.715, L0.716, L0.717, L0.718, L0.719, L0.720, L0.721, L0.722, L0.723, L0.724, L0.725, L0.726, L0.727, L0.728, L0.729, L0.730, L0.731, L0.732, L0.733, L0.734, L0.735, L0.736, L0.737, L0.738, L0.739, L0.740, L0.741, L0.742, L0.743, L0.744, L0.745, L0.746, L0.747, L0.748, L0.749, L0.750, L0.751, L0.752, L0.753, L0.754, L0.755, L0.756, L0.757, L0.758, L0.759, L0.760, L0.761, L0.762, L0.763, L0.764, L0.765, L0.766, L0.767, L0.768, L0.769, L0.770, L0.771, L0.772, L0.773, L0.774, L0.775, L0.776, L0.777, L0.778, L0.779, L0.780, L0.781, L0.782, L0.783, L0.784, L0.785, L0.786, L0.787, L0.788, L0.789, L0.790, L0.791, L0.792, L0.793, L0.794, L0.795, L0.796, L0.797, L0.798, L0.799, L0.800, L0.801, L0.802, L0.803, L0.804, L0.805, L0.806, L0.807, L0.808, L0.809, L0.810, L0.811, L0.812, L0.813, L0.814, L0.815, L0.816, L0.817, L0.818, L0.819, L0.820, L0.821, L0.822, L0.823, L0.824, L0.825, L0.826, L0.827, L0.828, L0.829, L0.830, L0.831, L0.832, L0.833, L0.834, L0.835, L0.836, L0.837, L0.838, L0.839, L0.840, L0.841, L0.842, L0.843, L0.844, L0.845, L0.846, L0.847, L0.848, L0.849, L0.850, L0.851, L0.852, L0.853, L0.854, L0.855, L0.856, L0.857, L0.858, L0.859, L0.860, L0.861, L0.862, L0.863, L0.864, L0.865, L0.866, L0.867, L0.868, L0.869, L0.870, L0.871, L0.872, L0.873, L0.874, L0.875, L0.876, L0.877, L0.878, L0.879, L0.880, L0.881, L0.882, L0.883, L0.884, L0.885, L0.886, L0.887, L0.888, L0.889, L0.890, L0.891, L0.892, L0.893, L0.894, L0.895, L0.896, L0.897, L0.898, L0.899, L0.900, L0.901, L0.902, L0.903, L0.904, L0.905, L0.906, L0.907, L0.908, L0.909, L0.910, L0.911, L0.912, L0.913, L0.914, L0.915, L0.916, L0.917, L0.918, L0.919, L0.920, L0.921, L0.922, L0.923, L0.924, L0.925, L0.926, L0.927, L0.928, L0.929, L0.930, L0.931, L0.932, L0.933, L0.934, L0.935, L0.936, L0.937, L0.938, L0.939, L0.940, L0.941, L0.942, L0.943, L0.944, L0.945, L0.946, L0.947, L0.948, L0.949, L0.950, L0.951, L0.952, L0.953, L0.954, L0.955, L0.956, L0.957, L0.958, L0.959, L0.960, L0.961, L0.962, L0.963, L0.964, L0.965, L0.966, L0.967, L0.968, L0.969, L0.970, L0.971, L0.972, L0.973, L0.974, L0.975, L0.976, L0.977, L0.978, L0.979, L0.980, L0.981, L0.982, L0.983, L0.984, L0.985, L0.986, L0.987, L0.988, L0.989, L0.990, L0.991, L0.992, L0.993, L0.994, L0.995, L0.996, L0.997, L0.998, L0.999, L0.1000, L0.1006, L0.1007, L0.1008, L0.1009"
+ - " Creating 2033 files"
+ - "**** Simulation run 412, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[40]). 200 Input Files, 198mb total:"
+ - "L0 "
+ - "L0.1011[24,39] 615ns 88mb|------------------L0.1011------------------| "
+ - "L0.1012[40,42] 615ns 18mb |L0.1012| "
+ - "L0.3038[43,54] 615ns 65mb |------------L0.3038------------|"
+ - "L0.1013[24,39] 616ns 152kb|------------------L0.1013------------------| "
+ - "L0.1014[40,54] 616ns 141kb |----------------L0.1014-----------------|"
+ - "L0.1018[24,39] 617ns 152kb|------------------L0.1018------------------| "
+ - "L0.1019[40,54] 617ns 141kb |----------------L0.1019-----------------|"
+ - "L0.1023[24,39] 618ns 152kb|------------------L0.1023------------------| "
+ - "L0.1024[40,54] 618ns 141kb |----------------L0.1024-----------------|"
+ - "L0.1028[24,39] 619ns 152kb|------------------L0.1028------------------| "
+ - "L0.1029[40,54] 619ns 141kb |----------------L0.1029-----------------|"
+ - "L0.1033[24,39] 620ns 152kb|------------------L0.1033------------------| "
+ - "L0.1034[40,54] 620ns 141kb |----------------L0.1034-----------------|"
+ - "L0.1038[24,39] 621ns 152kb|------------------L0.1038------------------| "
+ - "L0.1039[40,54] 621ns 141kb |----------------L0.1039-----------------|"
+ - "L0.1043[24,39] 622ns 152kb|------------------L0.1043------------------| "
+ - "L0.1044[40,54] 622ns 141kb |----------------L0.1044-----------------|"
+ - "L0.1048[24,39] 623ns 152kb|------------------L0.1048------------------| "
+ - "L0.1049[40,54] 623ns 141kb |----------------L0.1049-----------------|"
+ - "L0.1053[24,39] 624ns 152kb|------------------L0.1053------------------| "
+ - "L0.1054[40,54] 624ns 141kb |----------------L0.1054-----------------|"
+ - "L0.1058[24,39] 625ns 152kb|------------------L0.1058------------------| "
+ - "L0.1059[40,54] 625ns 141kb |----------------L0.1059-----------------|"
+ - "L0.1063[24,39] 626ns 152kb|------------------L0.1063------------------| "
+ - "L0.1064[40,54] 626ns 141kb |----------------L0.1064-----------------|"
+ - "L0.1068[24,39] 627ns 152kb|------------------L0.1068------------------| "
+ - "L0.1069[40,54] 627ns 141kb |----------------L0.1069-----------------|"
+ - "L0.1073[24,39] 628ns 152kb|------------------L0.1073------------------| "
+ - "L0.1074[40,54] 628ns 141kb |----------------L0.1074-----------------|"
+ - "L0.1078[24,39] 629ns 152kb|------------------L0.1078------------------| "
+ - "L0.1079[40,54] 629ns 141kb |----------------L0.1079-----------------|"
+ - "L0.1083[24,39] 630ns 152kb|------------------L0.1083------------------| "
+ - "L0.1084[40,54] 630ns 141kb |----------------L0.1084-----------------|"
+ - "L0.1088[24,39] 631ns 152kb|------------------L0.1088------------------| "
+ - "L0.1089[40,54] 631ns 141kb |----------------L0.1089-----------------|"
+ - "L0.1093[24,39] 632ns 152kb|------------------L0.1093------------------| "
+ - "L0.1094[40,54] 632ns 141kb |----------------L0.1094-----------------|"
+ - "L0.1098[24,39] 633ns 152kb|------------------L0.1098------------------| "
+ - "L0.1099[40,54] 633ns 141kb |----------------L0.1099-----------------|"
+ - "L0.1103[24,39] 634ns 152kb|------------------L0.1103------------------| "
+ - "L0.1104[40,54] 634ns 141kb |----------------L0.1104-----------------|"
+ - "L0.1108[24,39] 635ns 152kb|------------------L0.1108------------------| "
+ - "L0.1109[40,54] 635ns 141kb |----------------L0.1109-----------------|"
+ - "L0.1113[24,39] 636ns 152kb|------------------L0.1113------------------| "
+ - "L0.1114[40,54] 636ns 141kb |----------------L0.1114-----------------|"
+ - "L0.1118[24,39] 637ns 152kb|------------------L0.1118------------------| "
+ - "L0.1119[40,54] 637ns 141kb |----------------L0.1119-----------------|"
+ - "L0.1123[24,39] 638ns 152kb|------------------L0.1123------------------| "
+ - "L0.1124[40,54] 638ns 141kb |----------------L0.1124-----------------|"
+ - "L0.1128[24,39] 639ns 152kb|------------------L0.1128------------------| "
+ - "L0.1129[40,54] 639ns 141kb |----------------L0.1129-----------------|"
+ - "L0.1133[24,39] 640ns 152kb|------------------L0.1133------------------| "
+ - "L0.1134[40,54] 640ns 141kb |----------------L0.1134-----------------|"
+ - "L0.1138[24,39] 641ns 152kb|------------------L0.1138------------------| "
+ - "L0.1139[40,54] 641ns 141kb |----------------L0.1139-----------------|"
+ - "L0.1143[24,39] 642ns 152kb|------------------L0.1143------------------| "
+ - "L0.1144[40,54] 642ns 141kb |----------------L0.1144-----------------|"
+ - "L0.1148[24,39] 643ns 152kb|------------------L0.1148------------------| "
+ - "L0.1149[40,54] 643ns 141kb |----------------L0.1149-----------------|"
+ - "L0.1153[24,39] 644ns 152kb|------------------L0.1153------------------| "
+ - "L0.1154[40,54] 644ns 141kb |----------------L0.1154-----------------|"
+ - "L0.1158[24,39] 645ns 152kb|------------------L0.1158------------------| "
+ - "L0.1159[40,54] 645ns 141kb |----------------L0.1159-----------------|"
+ - "L0.1163[24,39] 646ns 152kb|------------------L0.1163------------------| "
+ - "L0.1164[40,54] 646ns 141kb |----------------L0.1164-----------------|"
+ - "L0.1168[24,39] 647ns 152kb|------------------L0.1168------------------| "
+ - "L0.1169[40,54] 647ns 141kb |----------------L0.1169-----------------|"
+ - "L0.1213[24,39] 648ns 152kb|------------------L0.1213------------------| "
+ - "L0.1214[40,54] 648ns 141kb |----------------L0.1214-----------------|"
+ - "L0.1218[24,39] 649ns 152kb|------------------L0.1218------------------| "
+ - "L0.1219[40,54] 649ns 141kb |----------------L0.1219-----------------|"
+ - "L0.1173[24,39] 650ns 152kb|------------------L0.1173------------------| "
+ - "L0.1174[40,54] 650ns 141kb |----------------L0.1174-----------------|"
+ - "L0.1178[24,39] 651ns 152kb|------------------L0.1178------------------| "
+ - "L0.1179[40,54] 651ns 141kb |----------------L0.1179-----------------|"
+ - "L0.1183[24,39] 652ns 152kb|------------------L0.1183------------------| "
+ - "L0.1184[40,54] 652ns 141kb |----------------L0.1184-----------------|"
+ - "L0.1188[24,39] 653ns 152kb|------------------L0.1188------------------| "
+ - "L0.1189[40,54] 653ns 141kb |----------------L0.1189-----------------|"
+ - "L0.1193[24,39] 654ns 152kb|------------------L0.1193------------------| "
+ - "L0.1194[40,54] 654ns 141kb |----------------L0.1194-----------------|"
+ - "L0.1198[24,39] 655ns 152kb|------------------L0.1198------------------| "
+ - "L0.1199[40,54] 655ns 141kb |----------------L0.1199-----------------|"
+ - "L0.1203[24,39] 656ns 152kb|------------------L0.1203------------------| "
+ - "L0.1204[40,54] 656ns 141kb |----------------L0.1204-----------------|"
+ - "L0.1208[24,39] 657ns 152kb|------------------L0.1208------------------| "
+ - "L0.1209[40,54] 657ns 141kb |----------------L0.1209-----------------|"
+ - "L0.1223[24,39] 658ns 152kb|------------------L0.1223------------------| "
+ - "L0.1224[40,54] 658ns 141kb |----------------L0.1224-----------------|"
+ - "L0.1228[24,39] 659ns 152kb|------------------L0.1228------------------| "
+ - "L0.1229[40,54] 659ns 141kb |----------------L0.1229-----------------|"
+ - "L0.1233[24,39] 660ns 152kb|------------------L0.1233------------------| "
+ - "L0.1234[40,54] 660ns 141kb |----------------L0.1234-----------------|"
+ - "L0.1238[24,39] 661ns 152kb|------------------L0.1238------------------| "
+ - "L0.1239[40,54] 661ns 141kb |----------------L0.1239-----------------|"
+ - "L0.1243[24,39] 662ns 152kb|------------------L0.1243------------------| "
+ - "L0.1244[40,54] 662ns 141kb |----------------L0.1244-----------------|"
+ - "L0.1248[24,39] 663ns 152kb|------------------L0.1248------------------| "
+ - "L0.1249[40,54] 663ns 141kb |----------------L0.1249-----------------|"
+ - "L0.1253[24,39] 664ns 152kb|------------------L0.1253------------------| "
+ - "L0.1254[40,54] 664ns 141kb |----------------L0.1254-----------------|"
+ - "L0.1258[24,39] 665ns 152kb|------------------L0.1258------------------| "
+ - "L0.1259[40,54] 665ns 141kb |----------------L0.1259-----------------|"
+ - "L0.1263[24,39] 666ns 152kb|------------------L0.1263------------------| "
+ - "L0.1264[40,54] 666ns 141kb |----------------L0.1264-----------------|"
+ - "L0.1268[24,39] 667ns 152kb|------------------L0.1268------------------| "
+ - "L0.1269[40,54] 667ns 141kb |----------------L0.1269-----------------|"
+ - "L0.1273[24,39] 668ns 152kb|------------------L0.1273------------------| "
+ - "L0.1274[40,54] 668ns 141kb |----------------L0.1274-----------------|"
+ - "L0.1278[24,39] 669ns 152kb|------------------L0.1278------------------| "
+ - "L0.1279[40,54] 669ns 141kb |----------------L0.1279-----------------|"
+ - "L0.1283[24,39] 670ns 152kb|------------------L0.1283------------------| "
+ - "L0.1284[40,54] 670ns 141kb |----------------L0.1284-----------------|"
+ - "L0.1288[24,39] 671ns 152kb|------------------L0.1288------------------| "
+ - "L0.1289[40,54] 671ns 141kb |----------------L0.1289-----------------|"
+ - "L0.1293[24,39] 672ns 152kb|------------------L0.1293------------------| "
+ - "L0.1294[40,54] 672ns 141kb |----------------L0.1294-----------------|"
+ - "L0.1298[24,39] 673ns 152kb|------------------L0.1298------------------| "
+ - "L0.1299[40,54] 673ns 141kb |----------------L0.1299-----------------|"
+ - "L0.1303[24,39] 674ns 152kb|------------------L0.1303------------------| "
+ - "L0.1304[40,54] 674ns 141kb |----------------L0.1304-----------------|"
+ - "L0.1308[24,39] 675ns 152kb|------------------L0.1308------------------| "
+ - "L0.1309[40,54] 675ns 141kb |----------------L0.1309-----------------|"
+ - "L0.1313[24,39] 676ns 152kb|------------------L0.1313------------------| "
+ - "L0.1314[40,54] 676ns 141kb |----------------L0.1314-----------------|"
+ - "L0.1318[24,39] 677ns 152kb|------------------L0.1318------------------| "
+ - "L0.1319[40,54] 677ns 141kb |----------------L0.1319-----------------|"
+ - "L0.1323[24,39] 678ns 152kb|------------------L0.1323------------------| "
+ - "L0.1324[40,54] 678ns 141kb |----------------L0.1324-----------------|"
+ - "L0.1328[24,39] 679ns 152kb|------------------L0.1328------------------| "
+ - "L0.1329[40,54] 679ns 141kb |----------------L0.1329-----------------|"
+ - "L0.1333[24,39] 680ns 152kb|------------------L0.1333------------------| "
+ - "L0.1334[40,54] 680ns 141kb |----------------L0.1334-----------------|"
+ - "L0.1338[24,39] 681ns 152kb|------------------L0.1338------------------| "
+ - "L0.1339[40,54] 681ns 141kb |----------------L0.1339-----------------|"
+ - "L0.1343[24,39] 682ns 152kb|------------------L0.1343------------------| "
+ - "L0.1344[40,54] 682ns 141kb |----------------L0.1344-----------------|"
+ - "L0.1348[24,39] 683ns 152kb|------------------L0.1348------------------| "
+ - "L0.1349[40,54] 683ns 141kb |----------------L0.1349-----------------|"
+ - "L0.1353[24,39] 684ns 152kb|------------------L0.1353------------------| "
+ - "L0.1354[40,54] 684ns 141kb |----------------L0.1354-----------------|"
+ - "L0.1358[24,39] 685ns 152kb|------------------L0.1358------------------| "
+ - "L0.1359[40,54] 685ns 141kb |----------------L0.1359-----------------|"
+ - "L0.1363[24,39] 686ns 152kb|------------------L0.1363------------------| "
+ - "L0.1364[40,54] 686ns 141kb |----------------L0.1364-----------------|"
+ - "L0.1368[24,39] 687ns 152kb|------------------L0.1368------------------| "
+ - "L0.1369[40,54] 687ns 141kb |----------------L0.1369-----------------|"
+ - "L0.1373[24,39] 688ns 152kb|------------------L0.1373------------------| "
+ - "L0.1374[40,54] 688ns 141kb |----------------L0.1374-----------------|"
+ - "L0.1378[24,39] 689ns 152kb|------------------L0.1378------------------| "
+ - "L0.1379[40,54] 689ns 141kb |----------------L0.1379-----------------|"
+ - "L0.1383[24,39] 690ns 152kb|------------------L0.1383------------------| "
+ - "L0.1384[40,54] 690ns 141kb |----------------L0.1384-----------------|"
+ - "L0.1388[24,39] 691ns 152kb|------------------L0.1388------------------| "
+ - "L0.1389[40,54] 691ns 141kb |----------------L0.1389-----------------|"
+ - "L0.1393[24,39] 692ns 152kb|------------------L0.1393------------------| "
+ - "L0.1394[40,54] 692ns 141kb |----------------L0.1394-----------------|"
+ - "L0.1398[24,39] 693ns 152kb|------------------L0.1398------------------| "
+ - "L0.1399[40,54] 693ns 141kb |----------------L0.1399-----------------|"
+ - "L0.1403[24,39] 694ns 152kb|------------------L0.1403------------------| "
+ - "L0.1404[40,54] 694ns 141kb |----------------L0.1404-----------------|"
+ - "L0.1408[24,39] 695ns 152kb|------------------L0.1408------------------| "
+ - "L0.1409[40,54] 695ns 141kb |----------------L0.1409-----------------|"
+ - "L0.1413[24,39] 696ns 152kb|------------------L0.1413------------------| "
+ - "L0.1414[40,54] 696ns 141kb |----------------L0.1414-----------------|"
+ - "L0.1418[24,39] 697ns 152kb|------------------L0.1418------------------| "
+ - "L0.1419[40,54] 697ns 141kb |----------------L0.1419-----------------|"
+ - "L0.1423[24,39] 698ns 152kb|------------------L0.1423------------------| "
+ - "L0.1424[40,54] 698ns 141kb |----------------L0.1424-----------------|"
+ - "L0.1428[24,39] 699ns 152kb|------------------L0.1428------------------| "
+ - "L0.1429[40,54] 699ns 141kb |----------------L0.1429-----------------|"
+ - "L0.1433[24,39] 700ns 152kb|------------------L0.1433------------------| "
+ - "L0.1434[40,54] 700ns 141kb |----------------L0.1434-----------------|"
+ - "L0.1438[24,39] 701ns 152kb|------------------L0.1438------------------| "
+ - "L0.1439[40,54] 701ns 141kb |----------------L0.1439-----------------|"
+ - "L0.1443[24,39] 702ns 152kb|------------------L0.1443------------------| "
+ - "L0.1444[40,54] 702ns 141kb |----------------L0.1444-----------------|"
+ - "L0.1448[24,39] 703ns 152kb|------------------L0.1448------------------| "
+ - "L0.1449[40,54] 703ns 141kb |----------------L0.1449-----------------|"
+ - "L0.1453[24,39] 704ns 152kb|------------------L0.1453------------------| "
+ - "L0.1454[40,54] 704ns 141kb |----------------L0.1454-----------------|"
+ - "L0.1458[24,39] 705ns 152kb|------------------L0.1458------------------| "
+ - "L0.1459[40,54] 705ns 141kb |----------------L0.1459-----------------|"
+ - "L0.1463[24,39] 706ns 152kb|------------------L0.1463------------------| "
+ - "L0.1464[40,54] 706ns 141kb |----------------L0.1464-----------------|"
+ - "L0.1468[24,39] 707ns 152kb|------------------L0.1468------------------| "
+ - "L0.1469[40,54] 707ns 141kb |----------------L0.1469-----------------|"
+ - "L0.1473[24,39] 708ns 152kb|------------------L0.1473------------------| "
+ - "L0.1474[40,54] 708ns 141kb |----------------L0.1474-----------------|"
+ - "L0.1478[24,39] 709ns 152kb|------------------L0.1478------------------| "
+ - "L0.1479[40,54] 709ns 141kb |----------------L0.1479-----------------|"
+ - "L0.1483[24,39] 710ns 152kb|------------------L0.1483------------------| "
+ - "L0.1484[40,54] 710ns 141kb |----------------L0.1484-----------------|"
+ - "L0.1488[24,39] 711ns 152kb|------------------L0.1488------------------| "
+ - "L0.1489[40,54] 711ns 141kb |----------------L0.1489-----------------|"
+ - "L0.1493[24,39] 712ns 152kb|------------------L0.1493------------------| "
+ - "L0.1494[40,54] 712ns 141kb |----------------L0.1494-----------------|"
+ - "L0.1498[24,39] 713ns 152kb|------------------L0.1498------------------| "
+ - "L0.1499[40,54] 713ns 141kb |----------------L0.1499-----------------|"
+ - "L0.1503[24,39] 714ns 152kb|------------------L0.1503------------------| "
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 198mb total:"
+ - "L0 "
+ - "L0.?[24,40] 714ns 106mb |---------------------L0.?---------------------| "
+ - "L0.?[41,54] 714ns 93mb |----------------L0.?-----------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 200 files: L0.1011, L0.1012, L0.1013, L0.1014, L0.1018, L0.1019, L0.1023, L0.1024, L0.1028, L0.1029, L0.1033, L0.1034, L0.1038, L0.1039, L0.1043, L0.1044, L0.1048, L0.1049, L0.1053, L0.1054, L0.1058, L0.1059, L0.1063, L0.1064, L0.1068, L0.1069, L0.1073, L0.1074, L0.1078, L0.1079, L0.1083, L0.1084, L0.1088, L0.1089, L0.1093, L0.1094, L0.1098, L0.1099, L0.1103, L0.1104, L0.1108, L0.1109, L0.1113, L0.1114, L0.1118, L0.1119, L0.1123, L0.1124, L0.1128, L0.1129, L0.1133, L0.1134, L0.1138, L0.1139, L0.1143, L0.1144, L0.1148, L0.1149, L0.1153, L0.1154, L0.1158, L0.1159, L0.1163, L0.1164, L0.1168, L0.1169, L0.1173, L0.1174, L0.1178, L0.1179, L0.1183, L0.1184, L0.1188, L0.1189, L0.1193, L0.1194, L0.1198, L0.1199, L0.1203, L0.1204, L0.1208, L0.1209, L0.1213, L0.1214, L0.1218, L0.1219, L0.1223, L0.1224, L0.1228, L0.1229, L0.1233, L0.1234, L0.1238, L0.1239, L0.1243, L0.1244, L0.1248, L0.1249, L0.1253, L0.1254, L0.1258, L0.1259, L0.1263, L0.1264, L0.1268, L0.1269, L0.1273, L0.1274, L0.1278, L0.1279, L0.1283, L0.1284, L0.1288, L0.1289, L0.1293, L0.1294, L0.1298, L0.1299, L0.1303, L0.1304, L0.1308, L0.1309, L0.1313, L0.1314, L0.1318, L0.1319, L0.1323, L0.1324, L0.1328, L0.1329, L0.1333, L0.1334, L0.1338, L0.1339, L0.1343, L0.1344, L0.1348, L0.1349, L0.1353, L0.1354, L0.1358, L0.1359, L0.1363, L0.1364, L0.1368, L0.1369, L0.1373, L0.1374, L0.1378, L0.1379, L0.1383, L0.1384, L0.1388, L0.1389, L0.1393, L0.1394, L0.1398, L0.1399, L0.1403, L0.1404, L0.1408, L0.1409, L0.1413, L0.1414, L0.1418, L0.1419, L0.1423, L0.1424, L0.1428, L0.1429, L0.1433, L0.1434, L0.1438, L0.1439, L0.1443, L0.1444, L0.1448, L0.1449, L0.1453, L0.1454, L0.1458, L0.1459, L0.1463, L0.1464, L0.1468, L0.1469, L0.1473, L0.1474, L0.1478, L0.1479, L0.1483, L0.1484, L0.1488, L0.1489, L0.1493, L0.1494, L0.1498, L0.1499, L0.1503, L0.3038"
+ - " Creating 2 files"
+ - "**** Simulation run 413, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[48]). 200 Input Files, 29mb total:"
+ - "L0 "
+ - "L0.2004[40,54] 814ns 141kb |----------------L0.2004-----------------|"
+ - "L0.2008[24,39] 815ns 152kb|------------------L0.2008------------------| "
+ - "L0.2009[40,54] 815ns 141kb |----------------L0.2009-----------------|"
+ - "L0.2013[24,39] 816ns 152kb|------------------L0.2013------------------| "
+ - "L0.2014[40,54] 816ns 141kb |----------------L0.2014-----------------|"
+ - "L0.2018[24,39] 817ns 152kb|------------------L0.2018------------------| "
+ - "L0.2019[40,54] 817ns 141kb |----------------L0.2019-----------------|"
+ - "L0.2023[24,39] 818ns 152kb|------------------L0.2023------------------| "
+ - "L0.2024[40,54] 818ns 141kb |----------------L0.2024-----------------|"
+ - "L0.2028[24,39] 819ns 152kb|------------------L0.2028------------------| "
+ - "L0.2029[40,54] 819ns 141kb |----------------L0.2029-----------------|"
+ - "L0.2033[24,39] 820ns 152kb|------------------L0.2033------------------| "
+ - "L0.2034[40,54] 820ns 141kb |----------------L0.2034-----------------|"
+ - "L0.2038[24,39] 821ns 152kb|------------------L0.2038------------------| "
+ - "L0.2039[40,54] 821ns 141kb |----------------L0.2039-----------------|"
+ - "L0.2043[24,39] 822ns 152kb|------------------L0.2043------------------| "
+ - "L0.2044[40,54] 822ns 141kb |----------------L0.2044-----------------|"
+ - "L0.2048[24,39] 823ns 152kb|------------------L0.2048------------------| "
+ - "L0.2049[40,54] 823ns 141kb |----------------L0.2049-----------------|"
+ - "L0.2053[24,39] 824ns 152kb|------------------L0.2053------------------| "
+ - "L0.2054[40,54] 824ns 141kb |----------------L0.2054-----------------|"
+ - "L0.2058[24,39] 825ns 152kb|------------------L0.2058------------------| "
+ - "L0.2059[40,54] 825ns 141kb |----------------L0.2059-----------------|"
+ - "L0.2063[24,39] 826ns 152kb|------------------L0.2063------------------| "
+ - "L0.2064[40,54] 826ns 141kb |----------------L0.2064-----------------|"
+ - "L0.2068[24,39] 827ns 152kb|------------------L0.2068------------------| "
+ - "L0.2069[40,54] 827ns 141kb |----------------L0.2069-----------------|"
+ - "L0.2073[24,39] 828ns 152kb|------------------L0.2073------------------| "
+ - "L0.2074[40,54] 828ns 141kb |----------------L0.2074-----------------|"
+ - "L0.2078[24,39] 829ns 152kb|------------------L0.2078------------------| "
+ - "L0.2079[40,54] 829ns 141kb |----------------L0.2079-----------------|"
+ - "L0.2083[24,39] 830ns 152kb|------------------L0.2083------------------| "
+ - "L0.2084[40,54] 830ns 141kb |----------------L0.2084-----------------|"
+ - "L0.2088[24,39] 831ns 152kb|------------------L0.2088------------------| "
+ - "L0.2089[40,54] 831ns 141kb |----------------L0.2089-----------------|"
+ - "L0.2093[24,39] 832ns 152kb|------------------L0.2093------------------| "
+ - "L0.2094[40,54] 832ns 141kb |----------------L0.2094-----------------|"
+ - "L0.2098[24,39] 833ns 152kb|------------------L0.2098------------------| "
+ - "L0.2099[40,54] 833ns 141kb |----------------L0.2099-----------------|"
+ - "L0.2103[24,39] 834ns 152kb|------------------L0.2103------------------| "
+ - "L0.2104[40,54] 834ns 141kb |----------------L0.2104-----------------|"
+ - "L0.2108[24,39] 835ns 152kb|------------------L0.2108------------------| "
+ - "L0.2109[40,54] 835ns 141kb |----------------L0.2109-----------------|"
+ - "L0.2113[24,39] 836ns 152kb|------------------L0.2113------------------| "
+ - "L0.2114[40,54] 836ns 141kb |----------------L0.2114-----------------|"
+ - "L0.2118[24,39] 837ns 152kb|------------------L0.2118------------------| "
+ - "L0.2119[40,54] 837ns 141kb |----------------L0.2119-----------------|"
+ - "L0.2123[24,39] 838ns 152kb|------------------L0.2123------------------| "
+ - "L0.2124[40,54] 838ns 141kb |----------------L0.2124-----------------|"
+ - "L0.2128[24,39] 839ns 152kb|------------------L0.2128------------------| "
+ - "L0.2129[40,54] 839ns 141kb |----------------L0.2129-----------------|"
+ - "L0.2133[24,39] 840ns 152kb|------------------L0.2133------------------| "
+ - "L0.2134[40,54] 840ns 141kb |----------------L0.2134-----------------|"
+ - "L0.2138[24,39] 841ns 152kb|------------------L0.2138------------------| "
+ - "L0.2139[40,54] 841ns 141kb |----------------L0.2139-----------------|"
+ - "L0.2143[24,39] 842ns 152kb|------------------L0.2143------------------| "
+ - "L0.2144[40,54] 842ns 141kb |----------------L0.2144-----------------|"
+ - "L0.2148[24,39] 843ns 152kb|------------------L0.2148------------------| "
+ - "L0.2149[40,54] 843ns 141kb |----------------L0.2149-----------------|"
+ - "L0.2153[24,39] 844ns 152kb|------------------L0.2153------------------| "
+ - "L0.2154[40,54] 844ns 141kb |----------------L0.2154-----------------|"
+ - "L0.2158[24,39] 845ns 152kb|------------------L0.2158------------------| "
+ - "L0.2159[40,54] 845ns 141kb |----------------L0.2159-----------------|"
+ - "L0.2163[24,39] 846ns 152kb|------------------L0.2163------------------| "
+ - "L0.2164[40,54] 846ns 141kb |----------------L0.2164-----------------|"
+ - "L0.2168[24,39] 847ns 152kb|------------------L0.2168------------------| "
+ - "L0.2169[40,54] 847ns 141kb |----------------L0.2169-----------------|"
+ - "L0.2173[24,39] 848ns 152kb|------------------L0.2173------------------| "
+ - "L0.2174[40,54] 848ns 141kb |----------------L0.2174-----------------|"
+ - "L0.2178[24,39] 849ns 152kb|------------------L0.2178------------------| "
+ - "L0.2179[40,54] 849ns 141kb |----------------L0.2179-----------------|"
+ - "L0.2183[24,39] 850ns 152kb|------------------L0.2183------------------| "
+ - "L0.2184[40,54] 850ns 141kb |----------------L0.2184-----------------|"
+ - "L0.2188[24,39] 851ns 152kb|------------------L0.2188------------------| "
+ - "L0.2189[40,54] 851ns 141kb |----------------L0.2189-----------------|"
+ - "L0.2193[24,39] 852ns 152kb|------------------L0.2193------------------| "
+ - "L0.2194[40,54] 852ns 141kb |----------------L0.2194-----------------|"
+ - "L0.2198[24,39] 853ns 152kb|------------------L0.2198------------------| "
+ - "L0.2199[40,54] 853ns 141kb |----------------L0.2199-----------------|"
+ - "L0.2203[24,39] 854ns 152kb|------------------L0.2203------------------| "
+ - "L0.2204[40,54] 854ns 141kb |----------------L0.2204-----------------|"
+ - "L0.2208[24,39] 855ns 152kb|------------------L0.2208------------------| "
+ - "L0.2209[40,54] 855ns 141kb |----------------L0.2209-----------------|"
+ - "L0.2213[24,39] 856ns 152kb|------------------L0.2213------------------| "
+ - "L0.2214[40,54] 856ns 141kb |----------------L0.2214-----------------|"
+ - "L0.2218[24,39] 857ns 152kb|------------------L0.2218------------------| "
+ - "L0.2219[40,54] 857ns 141kb |----------------L0.2219-----------------|"
+ - "L0.2223[24,39] 858ns 152kb|------------------L0.2223------------------| "
+ - "L0.2224[40,54] 858ns 141kb |----------------L0.2224-----------------|"
+ - "L0.2228[24,39] 859ns 152kb|------------------L0.2228------------------| "
+ - "L0.2229[40,54] 859ns 141kb |----------------L0.2229-----------------|"
+ - "L0.2233[24,39] 860ns 152kb|------------------L0.2233------------------| "
+ - "L0.2234[40,54] 860ns 141kb |----------------L0.2234-----------------|"
+ - "L0.2238[24,39] 861ns 152kb|------------------L0.2238------------------| "
+ - "L0.2239[40,54] 861ns 141kb |----------------L0.2239-----------------|"
+ - "L0.2243[24,39] 862ns 152kb|------------------L0.2243------------------| "
+ - "L0.2244[40,54] 862ns 141kb |----------------L0.2244-----------------|"
+ - "L0.2248[24,39] 863ns 152kb|------------------L0.2248------------------| "
+ - "L0.2249[40,54] 863ns 141kb |----------------L0.2249-----------------|"
+ - "L0.2253[24,39] 864ns 152kb|------------------L0.2253------------------| "
+ - "L0.2254[40,54] 864ns 141kb |----------------L0.2254-----------------|"
+ - "L0.2258[24,39] 865ns 152kb|------------------L0.2258------------------| "
+ - "L0.2259[40,54] 865ns 141kb |----------------L0.2259-----------------|"
+ - "L0.2263[24,39] 866ns 152kb|------------------L0.2263------------------| "
+ - "L0.2264[40,54] 866ns 141kb |----------------L0.2264-----------------|"
+ - "L0.2268[24,39] 867ns 152kb|------------------L0.2268------------------| "
+ - "L0.2269[40,54] 867ns 141kb |----------------L0.2269-----------------|"
+ - "L0.2273[24,39] 868ns 152kb|------------------L0.2273------------------| "
+ - "L0.2274[40,54] 868ns 141kb |----------------L0.2274-----------------|"
+ - "L0.2278[24,39] 869ns 152kb|------------------L0.2278------------------| "
+ - "L0.2279[40,54] 869ns 141kb |----------------L0.2279-----------------|"
+ - "L0.2283[24,39] 870ns 152kb|------------------L0.2283------------------| "
+ - "L0.2284[40,54] 870ns 141kb |----------------L0.2284-----------------|"
+ - "L0.2288[24,39] 871ns 152kb|------------------L0.2288------------------| "
+ - "L0.2289[40,54] 871ns 141kb |----------------L0.2289-----------------|"
+ - "L0.2293[24,39] 872ns 152kb|------------------L0.2293------------------| "
+ - "L0.2294[40,54] 872ns 141kb |----------------L0.2294-----------------|"
+ - "L0.2298[24,39] 873ns 152kb|------------------L0.2298------------------| "
+ - "L0.2299[40,54] 873ns 141kb |----------------L0.2299-----------------|"
+ - "L0.2303[24,39] 874ns 152kb|------------------L0.2303------------------| "
+ - "L0.2304[40,54] 874ns 141kb |----------------L0.2304-----------------|"
+ - "L0.2308[24,39] 875ns 152kb|------------------L0.2308------------------| "
+ - "L0.2309[40,54] 875ns 141kb |----------------L0.2309-----------------|"
+ - "L0.2313[24,39] 876ns 152kb|------------------L0.2313------------------| "
+ - "L0.2314[40,54] 876ns 141kb |----------------L0.2314-----------------|"
+ - "L0.2318[24,39] 877ns 152kb|------------------L0.2318------------------| "
+ - "L0.2319[40,54] 877ns 141kb |----------------L0.2319-----------------|"
+ - "L0.2323[24,39] 878ns 152kb|------------------L0.2323------------------| "
+ - "L0.2324[40,54] 878ns 141kb |----------------L0.2324-----------------|"
+ - "L0.2328[24,39] 879ns 152kb|------------------L0.2328------------------| "
+ - "L0.2329[40,54] 879ns 141kb |----------------L0.2329-----------------|"
+ - "L0.2333[24,39] 880ns 152kb|------------------L0.2333------------------| "
+ - "L0.2334[40,54] 880ns 141kb |----------------L0.2334-----------------|"
+ - "L0.2338[24,39] 881ns 152kb|------------------L0.2338------------------| "
+ - "L0.2339[40,54] 881ns 141kb |----------------L0.2339-----------------|"
+ - "L0.2343[24,39] 882ns 152kb|------------------L0.2343------------------| "
+ - "L0.2344[40,54] 882ns 141kb |----------------L0.2344-----------------|"
+ - "L0.2348[24,39] 883ns 152kb|------------------L0.2348------------------| "
+ - "L0.2349[40,54] 883ns 141kb |----------------L0.2349-----------------|"
+ - "L0.2353[24,39] 884ns 152kb|------------------L0.2353------------------| "
+ - "L0.2354[40,54] 884ns 141kb |----------------L0.2354-----------------|"
+ - "L0.2358[24,39] 885ns 152kb|------------------L0.2358------------------| "
+ - "L0.2359[40,54] 885ns 141kb |----------------L0.2359-----------------|"
+ - "L0.2363[24,39] 886ns 152kb|------------------L0.2363------------------| "
+ - "L0.2364[40,54] 886ns 141kb |----------------L0.2364-----------------|"
+ - "L0.2368[24,39] 887ns 152kb|------------------L0.2368------------------| "
+ - "L0.2369[40,54] 887ns 141kb |----------------L0.2369-----------------|"
+ - "L0.2373[24,39] 888ns 152kb|------------------L0.2373------------------| "
+ - "L0.2374[40,54] 888ns 141kb |----------------L0.2374-----------------|"
+ - "L0.2378[24,39] 889ns 152kb|------------------L0.2378------------------| "
+ - "L0.2379[40,54] 889ns 141kb |----------------L0.2379-----------------|"
+ - "L0.2383[24,39] 890ns 152kb|------------------L0.2383------------------| "
+ - "L0.2384[40,54] 890ns 141kb |----------------L0.2384-----------------|"
+ - "L0.2388[24,39] 891ns 152kb|------------------L0.2388------------------| "
+ - "L0.2389[40,54] 891ns 141kb |----------------L0.2389-----------------|"
+ - "L0.2393[24,39] 892ns 152kb|------------------L0.2393------------------| "
+ - "L0.2394[40,54] 892ns 141kb |----------------L0.2394-----------------|"
+ - "L0.2398[24,39] 893ns 152kb|------------------L0.2398------------------| "
+ - "L0.2399[40,54] 893ns 141kb |----------------L0.2399-----------------|"
+ - "L0.2403[24,39] 894ns 152kb|------------------L0.2403------------------| "
+ - "L0.2404[40,54] 894ns 141kb |----------------L0.2404-----------------|"
+ - "L0.2408[24,39] 895ns 152kb|------------------L0.2408------------------| "
+ - "L0.2409[40,54] 895ns 141kb |----------------L0.2409-----------------|"
+ - "L0.2413[24,39] 896ns 152kb|------------------L0.2413------------------| "
+ - "L0.2414[40,54] 896ns 141kb |----------------L0.2414-----------------|"
+ - "L0.2418[24,39] 897ns 152kb|------------------L0.2418------------------| "
+ - "L0.2419[40,54] 897ns 141kb |----------------L0.2419-----------------|"
+ - "L0.2423[24,39] 898ns 152kb|------------------L0.2423------------------| "
+ - "L0.2424[40,54] 898ns 141kb |----------------L0.2424-----------------|"
+ - "L0.2428[24,39] 899ns 152kb|------------------L0.2428------------------| "
+ - "L0.2429[40,54] 899ns 141kb |----------------L0.2429-----------------|"
+ - "L0.2433[24,39] 900ns 152kb|------------------L0.2433------------------| "
+ - "L0.2434[40,54] 900ns 141kb |----------------L0.2434-----------------|"
+ - "L0.2438[24,39] 901ns 152kb|------------------L0.2438------------------| "
+ - "L0.2439[40,54] 901ns 141kb |----------------L0.2439-----------------|"
+ - "L0.2443[24,39] 902ns 152kb|------------------L0.2443------------------| "
+ - "L0.2444[40,54] 902ns 141kb |----------------L0.2444-----------------|"
+ - "L0.2448[24,39] 903ns 152kb|------------------L0.2448------------------| "
+ - "L0.2449[40,54] 903ns 141kb |----------------L0.2449-----------------|"
+ - "L0.2493[24,39] 904ns 152kb|------------------L0.2493------------------| "
+ - "L0.2494[40,54] 904ns 141kb |----------------L0.2494-----------------|"
+ - "L0.2498[24,39] 905ns 152kb|------------------L0.2498------------------| "
+ - "L0.2499[40,54] 905ns 141kb |----------------L0.2499-----------------|"
+ - "L0.2453[24,39] 906ns 152kb|------------------L0.2453------------------| "
+ - "L0.2454[40,54] 906ns 141kb |----------------L0.2454-----------------|"
+ - "L0.2458[24,39] 907ns 152kb|------------------L0.2458------------------| "
+ - "L0.2459[40,54] 907ns 141kb |----------------L0.2459-----------------|"
+ - "L0.2463[24,39] 908ns 152kb|------------------L0.2463------------------| "
+ - "L0.2464[40,54] 908ns 141kb |----------------L0.2464-----------------|"
+ - "L0.2468[24,39] 909ns 152kb|------------------L0.2468------------------| "
+ - "L0.2469[40,54] 909ns 141kb |----------------L0.2469-----------------|"
+ - "L0.2473[24,39] 910ns 152kb|------------------L0.2473------------------| "
+ - "L0.2474[40,54] 910ns 141kb |----------------L0.2474-----------------|"
+ - "L0.2478[24,39] 911ns 152kb|------------------L0.2478------------------| "
+ - "L0.2479[40,54] 911ns 141kb |----------------L0.2479-----------------|"
+ - "L0.2483[24,39] 912ns 152kb|------------------L0.2483------------------| "
+ - "L0.2484[40,54] 912ns 141kb |----------------L0.2484-----------------|"
+ - "L0.2488[24,39] 913ns 152kb|------------------L0.2488------------------| "
+ - "L0.2489[40,54] 913ns 141kb |----------------L0.2489-----------------|"
+ - "L0.2503[24,39] 914ns 152kb|------------------L0.2503------------------| "
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 29mb total:"
+ - "L0 "
+ - "L0.?[24,48] 914ns 23mb |---------------------------------L0.?---------------------------------| "
+ - "L0.?[49,54] 914ns 6mb |----L0.?-----|"
+ - "Committing partition 1:"
+ - " Soft Deleting 200 files: L0.2004, L0.2008, L0.2009, L0.2013, L0.2014, L0.2018, L0.2019, L0.2023, L0.2024, L0.2028, L0.2029, L0.2033, L0.2034, L0.2038, L0.2039, L0.2043, L0.2044, L0.2048, L0.2049, L0.2053, L0.2054, L0.2058, L0.2059, L0.2063, L0.2064, L0.2068, L0.2069, L0.2073, L0.2074, L0.2078, L0.2079, L0.2083, L0.2084, L0.2088, L0.2089, L0.2093, L0.2094, L0.2098, L0.2099, L0.2103, L0.2104, L0.2108, L0.2109, L0.2113, L0.2114, L0.2118, L0.2119, L0.2123, L0.2124, L0.2128, L0.2129, L0.2133, L0.2134, L0.2138, L0.2139, L0.2143, L0.2144, L0.2148, L0.2149, L0.2153, L0.2154, L0.2158, L0.2159, L0.2163, L0.2164, L0.2168, L0.2169, L0.2173, L0.2174, L0.2178, L0.2179, L0.2183, L0.2184, L0.2188, L0.2189, L0.2193, L0.2194, L0.2198, L0.2199, L0.2203, L0.2204, L0.2208, L0.2209, L0.2213, L0.2214, L0.2218, L0.2219, L0.2223, L0.2224, L0.2228, L0.2229, L0.2233, L0.2234, L0.2238, L0.2239, L0.2243, L0.2244, L0.2248, L0.2249, L0.2253, L0.2254, L0.2258, L0.2259, L0.2263, L0.2264, L0.2268, L0.2269, L0.2273, L0.2274, L0.2278, L0.2279, L0.2283, L0.2284, L0.2288, L0.2289, L0.2293, L0.2294, L0.2298, L0.2299, L0.2303, L0.2304, L0.2308, L0.2309, L0.2313, L0.2314, L0.2318, L0.2319, L0.2323, L0.2324, L0.2328, L0.2329, L0.2333, L0.2334, L0.2338, L0.2339, L0.2343, L0.2344, L0.2348, L0.2349, L0.2353, L0.2354, L0.2358, L0.2359, L0.2363, L0.2364, L0.2368, L0.2369, L0.2373, L0.2374, L0.2378, L0.2379, L0.2383, L0.2384, L0.2388, L0.2389, L0.2393, L0.2394, L0.2398, L0.2399, L0.2403, L0.2404, L0.2408, L0.2409, L0.2413, L0.2414, L0.2418, L0.2419, L0.2423, L0.2424, L0.2428, L0.2429, L0.2433, L0.2434, L0.2438, L0.2439, L0.2443, L0.2444, L0.2448, L0.2449, L0.2453, L0.2454, L0.2458, L0.2459, L0.2463, L0.2464, L0.2468, L0.2469, L0.2473, L0.2474, L0.2478, L0.2479, L0.2483, L0.2484, L0.2488, L0.2489, L0.2493, L0.2494, L0.2498, L0.2499, L0.2503"
+ - " Creating 2 files"
+ - "**** Simulation run 414, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[48]). 200 Input Files, 29mb total:"
+ - "L0 "
+ - "L0.2504[40,54] 914ns 141kb |----------------L0.2504-----------------|"
+ - "L0.2508[24,39] 915ns 152kb|------------------L0.2508------------------| "
+ - "L0.2509[40,54] 915ns 141kb |----------------L0.2509-----------------|"
+ - "L0.2513[24,39] 916ns 152kb|------------------L0.2513------------------| "
+ - "L0.2514[40,54] 916ns 141kb |----------------L0.2514-----------------|"
+ - "L0.2518[24,39] 917ns 152kb|------------------L0.2518------------------| "
+ - "L0.2519[40,54] 917ns 141kb |----------------L0.2519-----------------|"
+ - "L0.2523[24,39] 918ns 152kb|------------------L0.2523------------------| "
+ - "L0.2524[40,54] 918ns 141kb |----------------L0.2524-----------------|"
+ - "L0.2528[24,39] 919ns 152kb|------------------L0.2528------------------| "
+ - "L0.2529[40,54] 919ns 141kb |----------------L0.2529-----------------|"
+ - "L0.2533[24,39] 920ns 152kb|------------------L0.2533------------------| "
+ - "L0.2534[40,54] 920ns 141kb |----------------L0.2534-----------------|"
+ - "L0.2538[24,39] 921ns 152kb|------------------L0.2538------------------| "
+ - "L0.2539[40,54] 921ns 141kb |----------------L0.2539-----------------|"
+ - "L0.2543[24,39] 922ns 152kb|------------------L0.2543------------------| "
+ - "L0.2544[40,54] 922ns 141kb |----------------L0.2544-----------------|"
+ - "L0.2548[24,39] 923ns 152kb|------------------L0.2548------------------| "
+ - "L0.2549[40,54] 923ns 141kb |----------------L0.2549-----------------|"
+ - "L0.2553[24,39] 924ns 152kb|------------------L0.2553------------------| "
+ - "L0.2554[40,54] 924ns 141kb |----------------L0.2554-----------------|"
+ - "L0.2558[24,39] 925ns 152kb|------------------L0.2558------------------| "
+ - "L0.2559[40,54] 925ns 141kb |----------------L0.2559-----------------|"
+ - "L0.2563[24,39] 926ns 152kb|------------------L0.2563------------------| "
+ - "L0.2564[40,54] 926ns 141kb |----------------L0.2564-----------------|"
+ - "L0.2568[24,39] 927ns 152kb|------------------L0.2568------------------| "
+ - "L0.2569[40,54] 927ns 141kb |----------------L0.2569-----------------|"
+ - "L0.2573[24,39] 928ns 152kb|------------------L0.2573------------------| "
+ - "L0.2574[40,54] 928ns 141kb |----------------L0.2574-----------------|"
+ - "L0.2578[24,39] 929ns 152kb|------------------L0.2578------------------| "
+ - "L0.2579[40,54] 929ns 141kb |----------------L0.2579-----------------|"
+ - "L0.2583[24,39] 930ns 152kb|------------------L0.2583------------------| "
+ - "L0.2584[40,54] 930ns 141kb |----------------L0.2584-----------------|"
+ - "L0.2588[24,39] 931ns 152kb|------------------L0.2588------------------| "
+ - "L0.2589[40,54] 931ns 141kb |----------------L0.2589-----------------|"
+ - "L0.2593[24,39] 932ns 152kb|------------------L0.2593------------------| "
+ - "L0.2594[40,54] 932ns 141kb |----------------L0.2594-----------------|"
+ - "L0.2598[24,39] 933ns 152kb|------------------L0.2598------------------| "
+ - "L0.2599[40,54] 933ns 141kb |----------------L0.2599-----------------|"
+ - "L0.2603[24,39] 934ns 152kb|------------------L0.2603------------------| "
+ - "L0.2604[40,54] 934ns 141kb |----------------L0.2604-----------------|"
+ - "L0.2608[24,39] 935ns 152kb|------------------L0.2608------------------| "
+ - "L0.2609[40,54] 935ns 141kb |----------------L0.2609-----------------|"
+ - "L0.2613[24,39] 936ns 152kb|------------------L0.2613------------------| "
+ - "L0.2614[40,54] 936ns 141kb |----------------L0.2614-----------------|"
+ - "L0.2618[24,39] 937ns 152kb|------------------L0.2618------------------| "
+ - "L0.2619[40,54] 937ns 141kb |----------------L0.2619-----------------|"
+ - "L0.2623[24,39] 938ns 152kb|------------------L0.2623------------------| "
+ - "L0.2624[40,54] 938ns 141kb |----------------L0.2624-----------------|"
+ - "L0.2628[24,39] 939ns 152kb|------------------L0.2628------------------| "
+ - "L0.2629[40,54] 939ns 141kb |----------------L0.2629-----------------|"
+ - "L0.2633[24,39] 940ns 152kb|------------------L0.2633------------------| "
+ - "L0.2634[40,54] 940ns 141kb |----------------L0.2634-----------------|"
+ - "L0.2638[24,39] 941ns 152kb|------------------L0.2638------------------| "
+ - "L0.2639[40,54] 941ns 141kb |----------------L0.2639-----------------|"
+ - "L0.2643[24,39] 942ns 152kb|------------------L0.2643------------------| "
+ - "L0.2644[40,54] 942ns 141kb |----------------L0.2644-----------------|"
+ - "L0.2648[24,39] 943ns 152kb|------------------L0.2648------------------| "
+ - "L0.2649[40,54] 943ns 141kb |----------------L0.2649-----------------|"
+ - "L0.2653[24,39] 944ns 152kb|------------------L0.2653------------------| "
+ - "L0.2654[40,54] 944ns 141kb |----------------L0.2654-----------------|"
+ - "L0.2658[24,39] 945ns 152kb|------------------L0.2658------------------| "
+ - "L0.2659[40,54] 945ns 141kb |----------------L0.2659-----------------|"
+ - "L0.2663[24,39] 946ns 152kb|------------------L0.2663------------------| "
+ - "L0.2664[40,54] 946ns 141kb |----------------L0.2664-----------------|"
+ - "L0.2668[24,39] 947ns 152kb|------------------L0.2668------------------| "
+ - "L0.2669[40,54] 947ns 141kb |----------------L0.2669-----------------|"
+ - "L0.2673[24,39] 948ns 152kb|------------------L0.2673------------------| "
+ - "L0.2674[40,54] 948ns 141kb |----------------L0.2674-----------------|"
+ - "L0.2678[24,39] 949ns 152kb|------------------L0.2678------------------| "
+ - "L0.2679[40,54] 949ns 141kb |----------------L0.2679-----------------|"
+ - "L0.2683[24,39] 950ns 152kb|------------------L0.2683------------------| "
+ - "L0.2684[40,54] 950ns 141kb |----------------L0.2684-----------------|"
+ - "L0.2688[24,39] 951ns 152kb|------------------L0.2688------------------| "
+ - "L0.2689[40,54] 951ns 141kb |----------------L0.2689-----------------|"
+ - "L0.2693[24,39] 952ns 152kb|------------------L0.2693------------------| "
+ - "L0.2694[40,54] 952ns 141kb |----------------L0.2694-----------------|"
+ - "L0.2698[24,39] 953ns 152kb|------------------L0.2698------------------| "
+ - "L0.2699[40,54] 953ns 141kb |----------------L0.2699-----------------|"
+ - "L0.2703[24,39] 954ns 152kb|------------------L0.2703------------------| "
+ - "L0.2704[40,54] 954ns 141kb |----------------L0.2704-----------------|"
+ - "L0.2708[24,39] 955ns 152kb|------------------L0.2708------------------| "
+ - "L0.2709[40,54] 955ns 141kb |----------------L0.2709-----------------|"
+ - "L0.2713[24,39] 956ns 152kb|------------------L0.2713------------------| "
+ - "L0.2714[40,54] 956ns 141kb |----------------L0.2714-----------------|"
+ - "L0.2718[24,39] 957ns 152kb|------------------L0.2718------------------| "
+ - "L0.2719[40,54] 957ns 141kb |----------------L0.2719-----------------|"
+ - "L0.2723[24,39] 958ns 152kb|------------------L0.2723------------------| "
+ - "L0.2724[40,54] 958ns 141kb |----------------L0.2724-----------------|"
+ - "L0.2728[24,39] 959ns 152kb|------------------L0.2728------------------| "
+ - "L0.2729[40,54] 959ns 141kb |----------------L0.2729-----------------|"
+ - "L0.2733[24,39] 960ns 152kb|------------------L0.2733------------------| "
+ - "L0.2734[40,54] 960ns 141kb |----------------L0.2734-----------------|"
+ - "L0.2738[24,39] 961ns 152kb|------------------L0.2738------------------| "
+ - "L0.2739[40,54] 961ns 141kb |----------------L0.2739-----------------|"
+ - "L0.2743[24,39] 962ns 152kb|------------------L0.2743------------------| "
+ - "L0.2744[40,54] 962ns 141kb |----------------L0.2744-----------------|"
+ - "L0.2748[24,39] 963ns 152kb|------------------L0.2748------------------| "
+ - "L0.2749[40,54] 963ns 141kb |----------------L0.2749-----------------|"
+ - "L0.2753[24,39] 964ns 152kb|------------------L0.2753------------------| "
+ - "L0.2754[40,54] 964ns 141kb |----------------L0.2754-----------------|"
+ - "L0.2758[24,39] 965ns 152kb|------------------L0.2758------------------| "
+ - "L0.2759[40,54] 965ns 141kb |----------------L0.2759-----------------|"
+ - "L0.2763[24,39] 966ns 152kb|------------------L0.2763------------------| "
+ - "L0.2764[40,54] 966ns 141kb |----------------L0.2764-----------------|"
+ - "L0.2768[24,39] 967ns 152kb|------------------L0.2768------------------| "
+ - "L0.2769[40,54] 967ns 141kb |----------------L0.2769-----------------|"
+ - "L0.2773[24,39] 968ns 152kb|------------------L0.2773------------------| "
+ - "L0.2774[40,54] 968ns 141kb |----------------L0.2774-----------------|"
+ - "L0.2778[24,39] 969ns 152kb|------------------L0.2778------------------| "
+ - "L0.2779[40,54] 969ns 141kb |----------------L0.2779-----------------|"
+ - "L0.2783[24,39] 970ns 152kb|------------------L0.2783------------------| "
+ - "L0.2784[40,54] 970ns 141kb |----------------L0.2784-----------------|"
+ - "L0.2788[24,39] 971ns 152kb|------------------L0.2788------------------| "
+ - "L0.2789[40,54] 971ns 141kb |----------------L0.2789-----------------|"
+ - "L0.2793[24,39] 972ns 152kb|------------------L0.2793------------------| "
+ - "L0.2794[40,54] 972ns 141kb |----------------L0.2794-----------------|"
+ - "L0.2798[24,39] 973ns 152kb|------------------L0.2798------------------| "
+ - "L0.2799[40,54] 973ns 141kb |----------------L0.2799-----------------|"
+ - "L0.2803[24,39] 974ns 152kb|------------------L0.2803------------------| "
+ - "L0.2804[40,54] 974ns 141kb |----------------L0.2804-----------------|"
+ - "L0.2808[24,39] 975ns 152kb|------------------L0.2808------------------| "
+ - "L0.2809[40,54] 975ns 141kb |----------------L0.2809-----------------|"
+ - "L0.2813[24,39] 976ns 152kb|------------------L0.2813------------------| "
+ - "L0.2814[40,54] 976ns 141kb |----------------L0.2814-----------------|"
+ - "L0.2818[24,39] 977ns 152kb|------------------L0.2818------------------| "
+ - "L0.2819[40,54] 977ns 141kb |----------------L0.2819-----------------|"
+ - "L0.2823[24,39] 978ns 152kb|------------------L0.2823------------------| "
+ - "L0.2824[40,54] 978ns 141kb |----------------L0.2824-----------------|"
+ - "L0.2828[24,39] 979ns 152kb|------------------L0.2828------------------| "
+ - "L0.2829[40,54] 979ns 141kb |----------------L0.2829-----------------|"
+ - "L0.2833[24,39] 980ns 152kb|------------------L0.2833------------------| "
+ - "L0.2834[40,54] 980ns 141kb |----------------L0.2834-----------------|"
+ - "L0.2838[24,39] 981ns 152kb|------------------L0.2838------------------| "
+ - "L0.2839[40,54] 981ns 141kb |----------------L0.2839-----------------|"
+ - "L0.2843[24,39] 982ns 152kb|------------------L0.2843------------------| "
+ - "L0.2844[40,54] 982ns 141kb |----------------L0.2844-----------------|"
+ - "L0.2848[24,39] 983ns 152kb|------------------L0.2848------------------| "
+ - "L0.2849[40,54] 983ns 141kb |----------------L0.2849-----------------|"
+ - "L0.2853[24,39] 984ns 152kb|------------------L0.2853------------------| "
+ - "L0.2854[40,54] 984ns 141kb |----------------L0.2854-----------------|"
+ - "L0.2858[24,39] 985ns 152kb|------------------L0.2858------------------| "
+ - "L0.2859[40,54] 985ns 141kb |----------------L0.2859-----------------|"
+ - "L0.2863[24,39] 986ns 152kb|------------------L0.2863------------------| "
+ - "L0.2864[40,54] 986ns 141kb |----------------L0.2864-----------------|"
+ - "L0.2868[24,39] 987ns 152kb|------------------L0.2868------------------| "
+ - "L0.2869[40,54] 987ns 141kb |----------------L0.2869-----------------|"
+ - "L0.2873[24,39] 988ns 152kb|------------------L0.2873------------------| "
+ - "L0.2874[40,54] 988ns 141kb |----------------L0.2874-----------------|"
+ - "L0.2878[24,39] 989ns 152kb|------------------L0.2878------------------| "
+ - "L0.2879[40,54] 989ns 141kb |----------------L0.2879-----------------|"
+ - "L0.2883[24,39] 990ns 152kb|------------------L0.2883------------------| "
+ - "L0.2884[40,54] 990ns 141kb |----------------L0.2884-----------------|"
+ - "L0.2888[24,39] 991ns 152kb|------------------L0.2888------------------| "
+ - "L0.2889[40,54] 991ns 141kb |----------------L0.2889-----------------|"
+ - "L0.2893[24,39] 992ns 152kb|------------------L0.2893------------------| "
+ - "L0.2894[40,54] 992ns 141kb |----------------L0.2894-----------------|"
+ - "L0.2898[24,39] 993ns 152kb|------------------L0.2898------------------| "
+ - "L0.2899[40,54] 993ns 141kb |----------------L0.2899-----------------|"
+ - "L0.2903[24,39] 994ns 152kb|------------------L0.2903------------------| "
+ - "L0.2904[40,54] 994ns 141kb |----------------L0.2904-----------------|"
+ - "L0.2908[24,39] 995ns 152kb|------------------L0.2908------------------| "
+ - "L0.2909[40,54] 995ns 141kb |----------------L0.2909-----------------|"
+ - "L0.2913[24,39] 996ns 152kb|------------------L0.2913------------------| "
+ - "L0.2914[40,54] 996ns 141kb |----------------L0.2914-----------------|"
+ - "L0.2918[24,39] 997ns 152kb|------------------L0.2918------------------| "
+ - "L0.2919[40,54] 997ns 141kb |----------------L0.2919-----------------|"
+ - "L0.2923[24,39] 998ns 152kb|------------------L0.2923------------------| "
+ - "L0.2924[40,54] 998ns 141kb |----------------L0.2924-----------------|"
+ - "L0.2928[24,39] 999ns 152kb|------------------L0.2928------------------| "
+ - "L0.2929[40,54] 999ns 141kb |----------------L0.2929-----------------|"
+ - "L0.2933[24,39] 1us 152kb |------------------L0.2933------------------| "
+ - "L0.2934[40,54] 1us 141kb |----------------L0.2934-----------------|"
+ - "L0.2938[24,39] 1us 152kb |------------------L0.2938------------------| "
+ - "L0.2939[40,54] 1us 141kb |----------------L0.2939-----------------|"
+ - "L0.2943[24,39] 1us 152kb |------------------L0.2943------------------| "
+ - "L0.2944[40,54] 1us 141kb |----------------L0.2944-----------------|"
+ - "L0.2948[24,39] 1us 152kb |------------------L0.2948------------------| "
+ - "L0.2949[40,54] 1us 141kb |----------------L0.2949-----------------|"
+ - "L0.2953[24,39] 1us 152kb |------------------L0.2953------------------| "
+ - "L0.2954[40,54] 1us 141kb |----------------L0.2954-----------------|"
+ - "L0.2958[24,39] 1us 152kb |------------------L0.2958------------------| "
+ - "L0.2959[40,54] 1us 141kb |----------------L0.2959-----------------|"
+ - "L0.2963[24,39] 1.01us 152kb|------------------L0.2963------------------| "
+ - "L0.2964[40,54] 1.01us 141kb |----------------L0.2964-----------------|"
+ - "L0.2968[24,39] 1.01us 152kb|------------------L0.2968------------------| "
+ - "L0.2969[40,54] 1.01us 141kb |----------------L0.2969-----------------|"
+ - "L0.2973[24,39] 1.01us 152kb|------------------L0.2973------------------| "
+ - "L0.2974[40,54] 1.01us 141kb |----------------L0.2974-----------------|"
+ - "L0.2978[24,39] 1.01us 152kb|------------------L0.2978------------------| "
+ - "L0.2979[40,54] 1.01us 141kb |----------------L0.2979-----------------|"
+ - "L0.2983[24,39] 1.01us 152kb|------------------L0.2983------------------| "
+ - "L0.2984[40,54] 1.01us 141kb |----------------L0.2984-----------------|"
+ - "L0.2988[24,39] 1.01us 152kb|------------------L0.2988------------------| "
+ - "L0.2989[40,54] 1.01us 141kb |----------------L0.2989-----------------|"
+ - "L0.2993[24,39] 1.01us 152kb|------------------L0.2993------------------| "
+ - "L0.2994[40,54] 1.01us 141kb |----------------L0.2994-----------------|"
+ - "L0.2998[24,39] 1.01us 152kb|------------------L0.2998------------------| "
+ - "L0.2999[40,54] 1.01us 141kb |----------------L0.2999-----------------|"
+ - "L0.3003[24,39] 1.01us 152kb|------------------L0.3003------------------| "
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 29mb total:"
+ - "L0 "
+ - "L0.?[24,48] 1.01us 23mb |---------------------------------L0.?---------------------------------| "
+ - "L0.?[49,54] 1.01us 6mb |----L0.?-----|"
+ - "Committing partition 1:"
+ - " Soft Deleting 200 files: L0.2504, L0.2508, L0.2509, L0.2513, L0.2514, L0.2518, L0.2519, L0.2523, L0.2524, L0.2528, L0.2529, L0.2533, L0.2534, L0.2538, L0.2539, L0.2543, L0.2544, L0.2548, L0.2549, L0.2553, L0.2554, L0.2558, L0.2559, L0.2563, L0.2564, L0.2568, L0.2569, L0.2573, L0.2574, L0.2578, L0.2579, L0.2583, L0.2584, L0.2588, L0.2589, L0.2593, L0.2594, L0.2598, L0.2599, L0.2603, L0.2604, L0.2608, L0.2609, L0.2613, L0.2614, L0.2618, L0.2619, L0.2623, L0.2624, L0.2628, L0.2629, L0.2633, L0.2634, L0.2638, L0.2639, L0.2643, L0.2644, L0.2648, L0.2649, L0.2653, L0.2654, L0.2658, L0.2659, L0.2663, L0.2664, L0.2668, L0.2669, L0.2673, L0.2674, L0.2678, L0.2679, L0.2683, L0.2684, L0.2688, L0.2689, L0.2693, L0.2694, L0.2698, L0.2699, L0.2703, L0.2704, L0.2708, L0.2709, L0.2713, L0.2714, L0.2718, L0.2719, L0.2723, L0.2724, L0.2728, L0.2729, L0.2733, L0.2734, L0.2738, L0.2739, L0.2743, L0.2744, L0.2748, L0.2749, L0.2753, L0.2754, L0.2758, L0.2759, L0.2763, L0.2764, L0.2768, L0.2769, L0.2773, L0.2774, L0.2778, L0.2779, L0.2783, L0.2784, L0.2788, L0.2789, L0.2793, L0.2794, L0.2798, L0.2799, L0.2803, L0.2804, L0.2808, L0.2809, L0.2813, L0.2814, L0.2818, L0.2819, L0.2823, L0.2824, L0.2828, L0.2829, L0.2833, L0.2834, L0.2838, L0.2839, L0.2843, L0.2844, L0.2848, L0.2849, L0.2853, L0.2854, L0.2858, L0.2859, L0.2863, L0.2864, L0.2868, L0.2869, L0.2873, L0.2874, L0.2878, L0.2879, L0.2883, L0.2884, L0.2888, L0.2889, L0.2893, L0.2894, L0.2898, L0.2899, L0.2903, L0.2904, L0.2908, L0.2909, L0.2913, L0.2914, L0.2918, L0.2919, L0.2923, L0.2924, L0.2928, L0.2929, L0.2933, L0.2934, L0.2938, L0.2939, L0.2943, L0.2944, L0.2948, L0.2949, L0.2953, L0.2954, L0.2958, L0.2959, L0.2963, L0.2964, L0.2968, L0.2969, L0.2973, L0.2974, L0.2978, L0.2979, L0.2983, L0.2984, L0.2988, L0.2989, L0.2993, L0.2994, L0.2998, L0.2999, L0.3003"
+ - " Creating 2 files"
+ - "**** Simulation run 415, type=compact(ManySmallFiles). 13 Input Files, 2mb total:"
+ - "L0 "
+ - "L0.3004[40,54] 1.01us 141kb |----------------L0.3004-----------------|"
+ - "L0.3008[24,39] 1.01us 152kb|------------------L0.3008------------------| "
+ - "L0.3009[40,54] 1.01us 141kb |----------------L0.3009-----------------|"
+ - "L0.3013[24,39] 1.02us 152kb|------------------L0.3013------------------| "
+ - "L0.3014[40,54] 1.02us 141kb |----------------L0.3014-----------------|"
+ - "L0.3018[24,39] 1.02us 152kb|------------------L0.3018------------------| "
+ - "L0.3019[40,54] 1.02us 141kb |----------------L0.3019-----------------|"
+ - "L0.3023[24,39] 1.02us 152kb|------------------L0.3023------------------| "
+ - "L0.3024[40,54] 1.02us 141kb |----------------L0.3024-----------------|"
+ - "L0.3028[24,39] 1.02us 152kb|------------------L0.3028------------------| "
+ - "L0.3029[40,54] 1.02us 141kb |----------------L0.3029-----------------|"
+ - "L0.3033[24,39] 1.02us 152kb|------------------L0.3033------------------| "
+ - "L0.3034[40,54] 1.02us 141kb |----------------L0.3034-----------------|"
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 2mb total:"
+ - "L0, all files 2mb "
+ - "L0.?[24,54] 1.02us |------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 13 files: L0.3004, L0.3008, L0.3009, L0.3013, L0.3014, L0.3018, L0.3019, L0.3023, L0.3024, L0.3028, L0.3029, L0.3033, L0.3034"
+ - " Creating 1 files"
+ - "**** Simulation run 416, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[71]). 200 Input Files, 191mb total:"
+ - "L0 "
+ - "L0.3039[55,60] 615ns 35mb|---L0.3039---| "
+ - "L0.3040[61,69] 615ns 47mb |-------L0.3040--------| "
+ - "L0.3041[70,78] 615ns 53mb |-------L0.3041--------| "
+ - "L0.3042[79,84] 615ns 29mb |---L0.3042---| "
+ - "L0.1015[55,69] 616ns 141kb|-----------------L0.1015-----------------| "
+ - "L0.1016[70,84] 616ns 141kb |-----------------L0.1016-----------------| "
+ - "L0.1020[55,69] 617ns 141kb|-----------------L0.1020-----------------| "
+ - "L0.1021[70,84] 617ns 141kb |-----------------L0.1021-----------------| "
+ - "L0.1025[55,69] 618ns 141kb|-----------------L0.1025-----------------| "
+ - "L0.1026[70,84] 618ns 141kb |-----------------L0.1026-----------------| "
+ - "L0.1030[55,69] 619ns 141kb|-----------------L0.1030-----------------| "
+ - "L0.1031[70,84] 619ns 141kb |-----------------L0.1031-----------------| "
+ - "L0.1035[55,69] 620ns 141kb|-----------------L0.1035-----------------| "
+ - "L0.1036[70,84] 620ns 141kb |-----------------L0.1036-----------------| "
+ - "L0.1040[55,69] 621ns 141kb|-----------------L0.1040-----------------| "
+ - "L0.1041[70,84] 621ns 141kb |-----------------L0.1041-----------------| "
+ - "L0.1045[55,69] 622ns 141kb|-----------------L0.1045-----------------| "
+ - "L0.1046[70,84] 622ns 141kb |-----------------L0.1046-----------------| "
+ - "L0.1050[55,69] 623ns 141kb|-----------------L0.1050-----------------| "
+ - "L0.1051[70,84] 623ns 141kb |-----------------L0.1051-----------------| "
+ - "L0.1055[55,69] 624ns 141kb|-----------------L0.1055-----------------| "
+ - "L0.1056[70,84] 624ns 141kb |-----------------L0.1056-----------------| "
+ - "L0.1060[55,69] 625ns 141kb|-----------------L0.1060-----------------| "
+ - "L0.1061[70,84] 625ns 141kb |-----------------L0.1061-----------------| "
+ - "L0.1065[55,69] 626ns 141kb|-----------------L0.1065-----------------| "
+ - "L0.1066[70,84] 626ns 141kb |-----------------L0.1066-----------------| "
+ - "L0.1070[55,69] 627ns 141kb|-----------------L0.1070-----------------| "
+ - "L0.1071[70,84] 627ns 141kb |-----------------L0.1071-----------------| "
+ - "L0.1075[55,69] 628ns 141kb|-----------------L0.1075-----------------| "
+ - "L0.1076[70,84] 628ns 141kb |-----------------L0.1076-----------------| "
+ - "L0.1080[55,69] 629ns 141kb|-----------------L0.1080-----------------| "
+ - "L0.1081[70,84] 629ns 141kb |-----------------L0.1081-----------------| "
+ - "L0.1085[55,69] 630ns 141kb|-----------------L0.1085-----------------| "
+ - "L0.1086[70,84] 630ns 141kb |-----------------L0.1086-----------------| "
+ - "L0.1090[55,69] 631ns 141kb|-----------------L0.1090-----------------| "
+ - "L0.1091[70,84] 631ns 141kb |-----------------L0.1091-----------------| "
+ - "L0.1095[55,69] 632ns 141kb|-----------------L0.1095-----------------| "
+ - "L0.1096[70,84] 632ns 141kb |-----------------L0.1096-----------------| "
+ - "L0.1100[55,69] 633ns 141kb|-----------------L0.1100-----------------| "
+ - "L0.1101[70,84] 633ns 141kb |-----------------L0.1101-----------------| "
+ - "L0.1105[55,69] 634ns 141kb|-----------------L0.1105-----------------| "
+ - "L0.1106[70,84] 634ns 141kb |-----------------L0.1106-----------------| "
+ - "L0.1110[55,69] 635ns 141kb|-----------------L0.1110-----------------| "
+ - "L0.1111[70,84] 635ns 141kb |-----------------L0.1111-----------------| "
+ - "L0.1115[55,69] 636ns 141kb|-----------------L0.1115-----------------| "
+ - "L0.1116[70,84] 636ns 141kb |-----------------L0.1116-----------------| "
+ - "L0.1120[55,69] 637ns 141kb|-----------------L0.1120-----------------| "
+ - "L0.1121[70,84] 637ns 141kb |-----------------L0.1121-----------------| "
+ - "L0.1125[55,69] 638ns 141kb|-----------------L0.1125-----------------| "
+ - "L0.1126[70,84] 638ns 141kb |-----------------L0.1126-----------------| "
+ - "L0.1130[55,69] 639ns 141kb|-----------------L0.1130-----------------| "
+ - "L0.1131[70,84] 639ns 141kb |-----------------L0.1131-----------------| "
+ - "L0.1135[55,69] 640ns 141kb|-----------------L0.1135-----------------| "
+ - "L0.1136[70,84] 640ns 141kb |-----------------L0.1136-----------------| "
+ - "L0.1140[55,69] 641ns 141kb|-----------------L0.1140-----------------| "
+ - "L0.1141[70,84] 641ns 141kb |-----------------L0.1141-----------------| "
+ - "L0.1145[55,69] 642ns 141kb|-----------------L0.1145-----------------| "
+ - "L0.1146[70,84] 642ns 141kb |-----------------L0.1146-----------------| "
+ - "L0.1150[55,69] 643ns 141kb|-----------------L0.1150-----------------| "
+ - "L0.1151[70,84] 643ns 141kb |-----------------L0.1151-----------------| "
+ - "L0.1155[55,69] 644ns 141kb|-----------------L0.1155-----------------| "
+ - "L0.1156[70,84] 644ns 141kb |-----------------L0.1156-----------------| "
+ - "L0.1160[55,69] 645ns 141kb|-----------------L0.1160-----------------| "
+ - "L0.1161[70,84] 645ns 141kb |-----------------L0.1161-----------------| "
+ - "L0.1165[55,69] 646ns 141kb|-----------------L0.1165-----------------| "
+ - "L0.1166[70,84] 646ns 141kb |-----------------L0.1166-----------------| "
+ - "L0.1170[55,69] 647ns 141kb|-----------------L0.1170-----------------| "
+ - "L0.1171[70,84] 647ns 141kb |-----------------L0.1171-----------------| "
+ - "L0.1215[55,69] 648ns 141kb|-----------------L0.1215-----------------| "
+ - "L0.1216[70,84] 648ns 141kb |-----------------L0.1216-----------------| "
+ - "L0.1220[55,69] 649ns 141kb|-----------------L0.1220-----------------| "
+ - "L0.1221[70,84] 649ns 141kb |-----------------L0.1221-----------------| "
+ - "L0.1175[55,69] 650ns 141kb|-----------------L0.1175-----------------| "
+ - "L0.1176[70,84] 650ns 141kb |-----------------L0.1176-----------------| "
+ - "L0.1180[55,69] 651ns 141kb|-----------------L0.1180-----------------| "
+ - "L0.1181[70,84] 651ns 141kb |-----------------L0.1181-----------------| "
+ - "L0.1185[55,69] 652ns 141kb|-----------------L0.1185-----------------| "
+ - "L0.1186[70,84] 652ns 141kb |-----------------L0.1186-----------------| "
+ - "L0.1190[55,69] 653ns 141kb|-----------------L0.1190-----------------| "
+ - "L0.1191[70,84] 653ns 141kb |-----------------L0.1191-----------------| "
+ - "L0.1195[55,69] 654ns 141kb|-----------------L0.1195-----------------| "
+ - "L0.1196[70,84] 654ns 141kb |-----------------L0.1196-----------------| "
+ - "L0.1200[55,69] 655ns 141kb|-----------------L0.1200-----------------| "
+ - "L0.1201[70,84] 655ns 141kb |-----------------L0.1201-----------------| "
+ - "L0.1205[55,69] 656ns 141kb|-----------------L0.1205-----------------| "
+ - "L0.1206[70,84] 656ns 141kb |-----------------L0.1206-----------------| "
+ - "L0.1210[55,69] 657ns 141kb|-----------------L0.1210-----------------| "
+ - "L0.1211[70,84] 657ns 141kb |-----------------L0.1211-----------------| "
+ - "L0.1225[55,69] 658ns 141kb|-----------------L0.1225-----------------| "
+ - "L0.1226[70,84] 658ns 141kb |-----------------L0.1226-----------------| "
+ - "L0.1230[55,69] 659ns 141kb|-----------------L0.1230-----------------| "
+ - "L0.1231[70,84] 659ns 141kb |-----------------L0.1231-----------------| "
+ - "L0.1235[55,69] 660ns 141kb|-----------------L0.1235-----------------| "
+ - "L0.1236[70,84] 660ns 141kb |-----------------L0.1236-----------------| "
+ - "L0.1240[55,69] 661ns 141kb|-----------------L0.1240-----------------| "
+ - "L0.1241[70,84] 661ns 141kb |-----------------L0.1241-----------------| "
+ - "L0.1245[55,69] 662ns 141kb|-----------------L0.1245-----------------| "
+ - "L0.1246[70,84] 662ns 141kb |-----------------L0.1246-----------------| "
+ - "L0.1250[55,69] 663ns 141kb|-----------------L0.1250-----------------| "
+ - "L0.1251[70,84] 663ns 141kb |-----------------L0.1251-----------------| "
+ - "L0.1255[55,69] 664ns 141kb|-----------------L0.1255-----------------| "
+ - "L0.1256[70,84] 664ns 141kb |-----------------L0.1256-----------------| "
+ - "L0.1260[55,69] 665ns 141kb|-----------------L0.1260-----------------| "
+ - "L0.1261[70,84] 665ns 141kb |-----------------L0.1261-----------------| "
+ - "L0.1265[55,69] 666ns 141kb|-----------------L0.1265-----------------| "
+ - "L0.1266[70,84] 666ns 141kb |-----------------L0.1266-----------------| "
+ - "L0.1270[55,69] 667ns 141kb|-----------------L0.1270-----------------| "
+ - "L0.1271[70,84] 667ns 141kb |-----------------L0.1271-----------------| "
+ - "L0.1275[55,69] 668ns 141kb|-----------------L0.1275-----------------| "
+ - "L0.1276[70,84] 668ns 141kb |-----------------L0.1276-----------------| "
+ - "L0.1280[55,69] 669ns 141kb|-----------------L0.1280-----------------| "
+ - "L0.1281[70,84] 669ns 141kb |-----------------L0.1281-----------------| "
+ - "L0.1285[55,69] 670ns 141kb|-----------------L0.1285-----------------| "
+ - "L0.1286[70,84] 670ns 141kb |-----------------L0.1286-----------------| "
+ - "L0.1290[55,69] 671ns 141kb|-----------------L0.1290-----------------| "
+ - "L0.1291[70,84] 671ns 141kb |-----------------L0.1291-----------------| "
+ - "L0.1295[55,69] 672ns 141kb|-----------------L0.1295-----------------| "
+ - "L0.1296[70,84] 672ns 141kb |-----------------L0.1296-----------------| "
+ - "L0.1300[55,69] 673ns 141kb|-----------------L0.1300-----------------| "
+ - "L0.1301[70,84] 673ns 141kb |-----------------L0.1301-----------------| "
+ - "L0.1305[55,69] 674ns 141kb|-----------------L0.1305-----------------| "
+ - "L0.1306[70,84] 674ns 141kb |-----------------L0.1306-----------------| "
+ - "L0.1310[55,69] 675ns 141kb|-----------------L0.1310-----------------| "
+ - "L0.1311[70,84] 675ns 141kb |-----------------L0.1311-----------------| "
+ - "L0.1315[55,69] 676ns 141kb|-----------------L0.1315-----------------| "
+ - "L0.1316[70,84] 676ns 141kb |-----------------L0.1316-----------------| "
+ - "L0.1320[55,69] 677ns 141kb|-----------------L0.1320-----------------| "
+ - "L0.1321[70,84] 677ns 141kb |-----------------L0.1321-----------------| "
+ - "L0.1325[55,69] 678ns 141kb|-----------------L0.1325-----------------| "
+ - "L0.1326[70,84] 678ns 141kb |-----------------L0.1326-----------------| "
+ - "L0.1330[55,69] 679ns 141kb|-----------------L0.1330-----------------| "
+ - "L0.1331[70,84] 679ns 141kb |-----------------L0.1331-----------------| "
+ - "L0.1335[55,69] 680ns 141kb|-----------------L0.1335-----------------| "
+ - "L0.1336[70,84] 680ns 141kb |-----------------L0.1336-----------------| "
+ - "L0.1340[55,69] 681ns 141kb|-----------------L0.1340-----------------| "
+ - "L0.1341[70,84] 681ns 141kb |-----------------L0.1341-----------------| "
+ - "L0.1345[55,69] 682ns 141kb|-----------------L0.1345-----------------| "
+ - "L0.1346[70,84] 682ns 141kb |-----------------L0.1346-----------------| "
+ - "L0.1350[55,69] 683ns 141kb|-----------------L0.1350-----------------| "
+ - "L0.1351[70,84] 683ns 141kb |-----------------L0.1351-----------------| "
+ - "L0.1355[55,69] 684ns 141kb|-----------------L0.1355-----------------| "
+ - "L0.1356[70,84] 684ns 141kb |-----------------L0.1356-----------------| "
+ - "L0.1360[55,69] 685ns 141kb|-----------------L0.1360-----------------| "
+ - "L0.1361[70,84] 685ns 141kb |-----------------L0.1361-----------------| "
+ - "L0.1365[55,69] 686ns 141kb|-----------------L0.1365-----------------| "
+ - "L0.1366[70,84] 686ns 141kb |-----------------L0.1366-----------------| "
+ - "L0.1370[55,69] 687ns 141kb|-----------------L0.1370-----------------| "
+ - "L0.1371[70,84] 687ns 141kb |-----------------L0.1371-----------------| "
+ - "L0.1375[55,69] 688ns 141kb|-----------------L0.1375-----------------| "
+ - "L0.1376[70,84] 688ns 141kb |-----------------L0.1376-----------------| "
+ - "L0.1380[55,69] 689ns 141kb|-----------------L0.1380-----------------| "
+ - "L0.1381[70,84] 689ns 141kb |-----------------L0.1381-----------------| "
+ - "L0.1385[55,69] 690ns 141kb|-----------------L0.1385-----------------| "
+ - "L0.1386[70,84] 690ns 141kb |-----------------L0.1386-----------------| "
+ - "L0.1390[55,69] 691ns 141kb|-----------------L0.1390-----------------| "
+ - "L0.1391[70,84] 691ns 141kb |-----------------L0.1391-----------------| "
+ - "L0.1395[55,69] 692ns 141kb|-----------------L0.1395-----------------| "
+ - "L0.1396[70,84] 692ns 141kb |-----------------L0.1396-----------------| "
+ - "L0.1400[55,69] 693ns 141kb|-----------------L0.1400-----------------| "
+ - "L0.1401[70,84] 693ns 141kb |-----------------L0.1401-----------------| "
+ - "L0.1405[55,69] 694ns 141kb|-----------------L0.1405-----------------| "
+ - "L0.1406[70,84] 694ns 141kb |-----------------L0.1406-----------------| "
+ - "L0.1410[55,69] 695ns 141kb|-----------------L0.1410-----------------| "
+ - "L0.1411[70,84] 695ns 141kb |-----------------L0.1411-----------------| "
+ - "L0.1415[55,69] 696ns 141kb|-----------------L0.1415-----------------| "
+ - "L0.1416[70,84] 696ns 141kb |-----------------L0.1416-----------------| "
+ - "L0.1420[55,69] 697ns 141kb|-----------------L0.1420-----------------| "
+ - "L0.1421[70,84] 697ns 141kb |-----------------L0.1421-----------------| "
+ - "L0.1425[55,69] 698ns 141kb|-----------------L0.1425-----------------| "
+ - "L0.1426[70,84] 698ns 141kb |-----------------L0.1426-----------------| "
+ - "L0.1430[55,69] 699ns 141kb|-----------------L0.1430-----------------| "
+ - "L0.1431[70,84] 699ns 141kb |-----------------L0.1431-----------------| "
+ - "L0.1435[55,69] 700ns 141kb|-----------------L0.1435-----------------| "
+ - "L0.1436[70,84] 700ns 141kb |-----------------L0.1436-----------------| "
+ - "L0.1440[55,69] 701ns 141kb|-----------------L0.1440-----------------| "
+ - "L0.1441[70,84] 701ns 141kb |-----------------L0.1441-----------------| "
+ - "L0.1445[55,69] 702ns 141kb|-----------------L0.1445-----------------| "
+ - "L0.1446[70,84] 702ns 141kb |-----------------L0.1446-----------------| "
+ - "L0.1450[55,69] 703ns 141kb|-----------------L0.1450-----------------| "
+ - "L0.1451[70,84] 703ns 141kb |-----------------L0.1451-----------------| "
+ - "L0.1455[55,69] 704ns 141kb|-----------------L0.1455-----------------| "
+ - "L0.1456[70,84] 704ns 141kb |-----------------L0.1456-----------------| "
+ - "L0.1460[55,69] 705ns 141kb|-----------------L0.1460-----------------| "
+ - "L0.1461[70,84] 705ns 141kb |-----------------L0.1461-----------------| "
+ - "L0.1465[55,69] 706ns 141kb|-----------------L0.1465-----------------| "
+ - "L0.1466[70,84] 706ns 141kb |-----------------L0.1466-----------------| "
+ - "L0.1470[55,69] 707ns 141kb|-----------------L0.1470-----------------| "
+ - "L0.1471[70,84] 707ns 141kb |-----------------L0.1471-----------------| "
+ - "L0.1475[55,69] 708ns 141kb|-----------------L0.1475-----------------| "
+ - "L0.1476[70,84] 708ns 141kb |-----------------L0.1476-----------------| "
+ - "L0.1480[55,69] 709ns 141kb|-----------------L0.1480-----------------| "
+ - "L0.1481[70,84] 709ns 141kb |-----------------L0.1481-----------------| "
+ - "L0.1485[55,69] 710ns 141kb|-----------------L0.1485-----------------| "
+ - "L0.1486[70,84] 710ns 141kb |-----------------L0.1486-----------------| "
+ - "L0.1490[55,69] 711ns 141kb|-----------------L0.1490-----------------| "
+ - "L0.1491[70,84] 711ns 141kb |-----------------L0.1491-----------------| "
+ - "L0.1495[55,69] 712ns 141kb|-----------------L0.1495-----------------| "
+ - "L0.1496[70,84] 712ns 141kb |-----------------L0.1496-----------------| "
+ - "L0.1500[55,69] 713ns 141kb|-----------------L0.1500-----------------| "
+ - "L0.1501[70,84] 713ns 141kb |-----------------L0.1501-----------------| "
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 191mb total:"
+ - "L0 "
+ - "L0.?[55,71] 713ns 106mb |---------------------L0.?----------------------| "
+ - "L0.?[72,84] 713ns 86mb |---------------L0.?----------------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 200 files: L0.1015, L0.1016, L0.1020, L0.1021, L0.1025, L0.1026, L0.1030, L0.1031, L0.1035, L0.1036, L0.1040, L0.1041, L0.1045, L0.1046, L0.1050, L0.1051, L0.1055, L0.1056, L0.1060, L0.1061, L0.1065, L0.1066, L0.1070, L0.1071, L0.1075, L0.1076, L0.1080, L0.1081, L0.1085, L0.1086, L0.1090, L0.1091, L0.1095, L0.1096, L0.1100, L0.1101, L0.1105, L0.1106, L0.1110, L0.1111, L0.1115, L0.1116, L0.1120, L0.1121, L0.1125, L0.1126, L0.1130, L0.1131, L0.1135, L0.1136, L0.1140, L0.1141, L0.1145, L0.1146, L0.1150, L0.1151, L0.1155, L0.1156, L0.1160, L0.1161, L0.1165, L0.1166, L0.1170, L0.1171, L0.1175, L0.1176, L0.1180, L0.1181, L0.1185, L0.1186, L0.1190, L0.1191, L0.1195, L0.1196, L0.1200, L0.1201, L0.1205, L0.1206, L0.1210, L0.1211, L0.1215, L0.1216, L0.1220, L0.1221, L0.1225, L0.1226, L0.1230, L0.1231, L0.1235, L0.1236, L0.1240, L0.1241, L0.1245, L0.1246, L0.1250, L0.1251, L0.1255, L0.1256, L0.1260, L0.1261, L0.1265, L0.1266, L0.1270, L0.1271, L0.1275, L0.1276, L0.1280, L0.1281, L0.1285, L0.1286, L0.1290, L0.1291, L0.1295, L0.1296, L0.1300, L0.1301, L0.1305, L0.1306, L0.1310, L0.1311, L0.1315, L0.1316, L0.1320, L0.1321, L0.1325, L0.1326, L0.1330, L0.1331, L0.1335, L0.1336, L0.1340, L0.1341, L0.1345, L0.1346, L0.1350, L0.1351, L0.1355, L0.1356, L0.1360, L0.1361, L0.1365, L0.1366, L0.1370, L0.1371, L0.1375, L0.1376, L0.1380, L0.1381, L0.1385, L0.1386, L0.1390, L0.1391, L0.1395, L0.1396, L0.1400, L0.1401, L0.1405, L0.1406, L0.1410, L0.1411, L0.1415, L0.1416, L0.1420, L0.1421, L0.1425, L0.1426, L0.1430, L0.1431, L0.1435, L0.1436, L0.1440, L0.1441, L0.1445, L0.1446, L0.1450, L0.1451, L0.1455, L0.1456, L0.1460, L0.1461, L0.1465, L0.1466, L0.1470, L0.1471, L0.1475, L0.1476, L0.1480, L0.1481, L0.1485, L0.1486, L0.1490, L0.1491, L0.1495, L0.1496, L0.1500, L0.1501, L0.3039, L0.3040, L0.3041, L0.3042"
+ - " Creating 2 files"
+ - "**** Simulation run 417, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[78]). 200 Input Files, 28mb total:"
+ - "L0, all files 141kb "
+ - "L0.1505[55,69] 714ns |-----------------L0.1505-----------------| "
+ - "L0.1506[70,84] 714ns |-----------------L0.1506-----------------| "
+ - "L0.1510[55,69] 715ns |-----------------L0.1510-----------------| "
+ - "L0.1511[70,84] 715ns |-----------------L0.1511-----------------| "
+ - "L0.1515[55,69] 716ns |-----------------L0.1515-----------------| "
+ - "L0.1516[70,84] 716ns |-----------------L0.1516-----------------| "
+ - "L0.1520[55,69] 717ns |-----------------L0.1520-----------------| "
+ - "L0.1521[70,84] 717ns |-----------------L0.1521-----------------| "
+ - "L0.1525[55,69] 718ns |-----------------L0.1525-----------------| "
+ - "L0.1526[70,84] 718ns |-----------------L0.1526-----------------| "
+ - "L0.1530[55,69] 719ns |-----------------L0.1530-----------------| "
+ - "L0.1531[70,84] 719ns |-----------------L0.1531-----------------| "
+ - "L0.1535[55,69] 720ns |-----------------L0.1535-----------------| "
+ - "L0.1536[70,84] 720ns |-----------------L0.1536-----------------| "
+ - "L0.1540[55,69] 721ns |-----------------L0.1540-----------------| "
+ - "L0.1541[70,84] 721ns |-----------------L0.1541-----------------| "
+ - "L0.1545[55,69] 722ns |-----------------L0.1545-----------------| "
+ - "L0.1546[70,84] 722ns |-----------------L0.1546-----------------| "
+ - "L0.1550[55,69] 723ns |-----------------L0.1550-----------------| "
+ - "L0.1551[70,84] 723ns |-----------------L0.1551-----------------| "
+ - "L0.1555[55,69] 724ns |-----------------L0.1555-----------------| "
+ - "L0.1556[70,84] 724ns |-----------------L0.1556-----------------| "
+ - "L0.1560[55,69] 725ns |-----------------L0.1560-----------------| "
+ - "L0.1561[70,84] 725ns |-----------------L0.1561-----------------| "
+ - "L0.1565[55,69] 726ns |-----------------L0.1565-----------------| "
+ - "L0.1566[70,84] 726ns |-----------------L0.1566-----------------| "
+ - "L0.1570[55,69] 727ns |-----------------L0.1570-----------------| "
+ - "L0.1571[70,84] 727ns |-----------------L0.1571-----------------| "
+ - "L0.1575[55,69] 728ns |-----------------L0.1575-----------------| "
+ - "L0.1576[70,84] 728ns |-----------------L0.1576-----------------| "
+ - "L0.1580[55,69] 729ns |-----------------L0.1580-----------------| "
+ - "L0.1581[70,84] 729ns |-----------------L0.1581-----------------| "
+ - "L0.1585[55,69] 730ns |-----------------L0.1585-----------------| "
+ - "L0.1586[70,84] 730ns |-----------------L0.1586-----------------| "
+ - "L0.1590[55,69] 731ns |-----------------L0.1590-----------------| "
+ - "L0.1591[70,84] 731ns |-----------------L0.1591-----------------| "
+ - "L0.1595[55,69] 732ns |-----------------L0.1595-----------------| "
+ - "L0.1596[70,84] 732ns |-----------------L0.1596-----------------| "
+ - "L0.1600[55,69] 733ns |-----------------L0.1600-----------------| "
+ - "L0.1601[70,84] 733ns |-----------------L0.1601-----------------| "
+ - "L0.1605[55,69] 734ns |-----------------L0.1605-----------------| "
+ - "L0.1606[70,84] 734ns |-----------------L0.1606-----------------| "
+ - "L0.1610[55,69] 735ns |-----------------L0.1610-----------------| "
+ - "L0.1611[70,84] 735ns |-----------------L0.1611-----------------| "
+ - "L0.1615[55,69] 736ns |-----------------L0.1615-----------------| "
+ - "L0.1616[70,84] 736ns |-----------------L0.1616-----------------| "
+ - "L0.1620[55,69] 737ns |-----------------L0.1620-----------------| "
+ - "L0.1621[70,84] 737ns |-----------------L0.1621-----------------| "
+ - "L0.1625[55,69] 738ns |-----------------L0.1625-----------------| "
+ - "L0.1626[70,84] 738ns |-----------------L0.1626-----------------| "
+ - "L0.1630[55,69] 739ns |-----------------L0.1630-----------------| "
+ - "L0.1631[70,84] 739ns |-----------------L0.1631-----------------| "
+ - "L0.1635[55,69] 740ns |-----------------L0.1635-----------------| "
+ - "L0.1636[70,84] 740ns |-----------------L0.1636-----------------| "
+ - "L0.1640[55,69] 741ns |-----------------L0.1640-----------------| "
+ - "L0.1641[70,84] 741ns |-----------------L0.1641-----------------| "
+ - "L0.1645[55,69] 742ns |-----------------L0.1645-----------------| "
+ - "L0.1646[70,84] 742ns |-----------------L0.1646-----------------| "
+ - "L0.1650[55,69] 743ns |-----------------L0.1650-----------------| "
+ - "L0.1651[70,84] 743ns |-----------------L0.1651-----------------| "
+ - "L0.1655[55,69] 744ns |-----------------L0.1655-----------------| "
+ - "L0.1656[70,84] 744ns |-----------------L0.1656-----------------| "
+ - "L0.1660[55,69] 745ns |-----------------L0.1660-----------------| "
+ - "L0.1661[70,84] 745ns |-----------------L0.1661-----------------| "
+ - "L0.1665[55,69] 746ns |-----------------L0.1665-----------------| "
+ - "L0.1666[70,84] 746ns |-----------------L0.1666-----------------| "
+ - "L0.1670[55,69] 747ns |-----------------L0.1670-----------------| "
+ - "L0.1671[70,84] 747ns |-----------------L0.1671-----------------| "
+ - "L0.1675[55,69] 748ns |-----------------L0.1675-----------------| "
+ - "L0.1676[70,84] 748ns |-----------------L0.1676-----------------| "
+ - "L0.1680[55,69] 749ns |-----------------L0.1680-----------------| "
+ - "L0.1681[70,84] 749ns |-----------------L0.1681-----------------| "
+ - "L0.1685[55,69] 750ns |-----------------L0.1685-----------------| "
+ - "L0.1686[70,84] 750ns |-----------------L0.1686-----------------| "
+ - "L0.1690[55,69] 751ns |-----------------L0.1690-----------------| "
+ - "L0.1691[70,84] 751ns |-----------------L0.1691-----------------| "
+ - "L0.1695[55,69] 752ns |-----------------L0.1695-----------------| "
+ - "L0.1696[70,84] 752ns |-----------------L0.1696-----------------| "
+ - "L0.1700[55,69] 753ns |-----------------L0.1700-----------------| "
+ - "L0.1701[70,84] 753ns |-----------------L0.1701-----------------| "
+ - "L0.1705[55,69] 754ns |-----------------L0.1705-----------------| "
+ - "L0.1706[70,84] 754ns |-----------------L0.1706-----------------| "
+ - "L0.1710[55,69] 755ns |-----------------L0.1710-----------------| "
+ - "L0.1711[70,84] 755ns |-----------------L0.1711-----------------| "
+ - "L0.1715[55,69] 756ns |-----------------L0.1715-----------------| "
+ - "L0.1716[70,84] 756ns |-----------------L0.1716-----------------| "
+ - "L0.1720[55,69] 757ns |-----------------L0.1720-----------------| "
+ - "L0.1721[70,84] 757ns |-----------------L0.1721-----------------| "
+ - "L0.1725[55,69] 758ns |-----------------L0.1725-----------------| "
+ - "L0.1726[70,84] 758ns |-----------------L0.1726-----------------| "
+ - "L0.1730[55,69] 759ns |-----------------L0.1730-----------------| "
+ - "L0.1731[70,84] 759ns |-----------------L0.1731-----------------| "
+ - "L0.1735[55,69] 760ns |-----------------L0.1735-----------------| "
+ - "L0.1736[70,84] 760ns |-----------------L0.1736-----------------| "
+ - "L0.1740[55,69] 761ns |-----------------L0.1740-----------------| "
+ - "L0.1741[70,84] 761ns |-----------------L0.1741-----------------| "
+ - "L0.1745[55,69] 762ns |-----------------L0.1745-----------------| "
+ - "L0.1746[70,84] 762ns |-----------------L0.1746-----------------| "
+ - "L0.1750[55,69] 763ns |-----------------L0.1750-----------------| "
+ - "L0.1751[70,84] 763ns |-----------------L0.1751-----------------| "
+ - "L0.1755[55,69] 764ns |-----------------L0.1755-----------------| "
+ - "L0.1756[70,84] 764ns |-----------------L0.1756-----------------| "
+ - "L0.1760[55,69] 765ns |-----------------L0.1760-----------------| "
+ - "L0.1761[70,84] 765ns |-----------------L0.1761-----------------| "
+ - "L0.1765[55,69] 766ns |-----------------L0.1765-----------------| "
+ - "L0.1766[70,84] 766ns |-----------------L0.1766-----------------| "
+ - "L0.1770[55,69] 767ns |-----------------L0.1770-----------------| "
+ - "L0.1771[70,84] 767ns |-----------------L0.1771-----------------| "
+ - "L0.1775[55,69] 768ns |-----------------L0.1775-----------------| "
+ - "L0.1776[70,84] 768ns |-----------------L0.1776-----------------| "
+ - "L0.1780[55,69] 769ns |-----------------L0.1780-----------------| "
+ - "L0.1781[70,84] 769ns |-----------------L0.1781-----------------| "
+ - "L0.1785[55,69] 770ns |-----------------L0.1785-----------------| "
+ - "L0.1786[70,84] 770ns |-----------------L0.1786-----------------| "
+ - "L0.1790[55,69] 771ns |-----------------L0.1790-----------------| "
+ - "L0.1791[70,84] 771ns |-----------------L0.1791-----------------| "
+ - "L0.1795[55,69] 772ns |-----------------L0.1795-----------------| "
+ - "L0.1796[70,84] 772ns |-----------------L0.1796-----------------| "
+ - "L0.1800[55,69] 773ns |-----------------L0.1800-----------------| "
+ - "L0.1801[70,84] 773ns |-----------------L0.1801-----------------| "
+ - "L0.1805[55,69] 774ns |-----------------L0.1805-----------------| "
+ - "L0.1806[70,84] 774ns |-----------------L0.1806-----------------| "
+ - "L0.1810[55,69] 775ns |-----------------L0.1810-----------------| "
+ - "L0.1811[70,84] 775ns |-----------------L0.1811-----------------| "
+ - "L0.1855[55,69] 776ns |-----------------L0.1855-----------------| "
+ - "L0.1856[70,84] 776ns |-----------------L0.1856-----------------| "
+ - "L0.1860[55,69] 777ns |-----------------L0.1860-----------------| "
+ - "L0.1861[70,84] 777ns |-----------------L0.1861-----------------| "
+ - "L0.1815[55,69] 778ns |-----------------L0.1815-----------------| "
+ - "L0.1816[70,84] 778ns |-----------------L0.1816-----------------| "
+ - "L0.1820[55,69] 779ns |-----------------L0.1820-----------------| "
+ - "L0.1821[70,84] 779ns |-----------------L0.1821-----------------| "
+ - "L0.1825[55,69] 780ns |-----------------L0.1825-----------------| "
+ - "L0.1826[70,84] 780ns |-----------------L0.1826-----------------| "
+ - "L0.1830[55,69] 781ns |-----------------L0.1830-----------------| "
+ - "L0.1831[70,84] 781ns |-----------------L0.1831-----------------| "
+ - "L0.1835[55,69] 782ns |-----------------L0.1835-----------------| "
+ - "L0.1836[70,84] 782ns |-----------------L0.1836-----------------| "
+ - "L0.1840[55,69] 783ns |-----------------L0.1840-----------------| "
+ - "L0.1841[70,84] 783ns |-----------------L0.1841-----------------| "
+ - "L0.1845[55,69] 784ns |-----------------L0.1845-----------------| "
+ - "L0.1846[70,84] 784ns |-----------------L0.1846-----------------| "
+ - "L0.1850[55,69] 785ns |-----------------L0.1850-----------------| "
+ - "L0.1851[70,84] 785ns |-----------------L0.1851-----------------| "
+ - "L0.1865[55,69] 786ns |-----------------L0.1865-----------------| "
+ - "L0.1866[70,84] 786ns |-----------------L0.1866-----------------| "
+ - "L0.1870[55,69] 787ns |-----------------L0.1870-----------------| "
+ - "L0.1871[70,84] 787ns |-----------------L0.1871-----------------| "
+ - "L0.1875[55,69] 788ns |-----------------L0.1875-----------------| "
+ - "L0.1876[70,84] 788ns |-----------------L0.1876-----------------| "
+ - "L0.1880[55,69] 789ns |-----------------L0.1880-----------------| "
+ - "L0.1881[70,84] 789ns |-----------------L0.1881-----------------| "
+ - "L0.1885[55,69] 790ns |-----------------L0.1885-----------------| "
+ - "L0.1886[70,84] 790ns |-----------------L0.1886-----------------| "
+ - "L0.1890[55,69] 791ns |-----------------L0.1890-----------------| "
+ - "L0.1891[70,84] 791ns |-----------------L0.1891-----------------| "
+ - "L0.1895[55,69] 792ns |-----------------L0.1895-----------------| "
+ - "L0.1896[70,84] 792ns |-----------------L0.1896-----------------| "
+ - "L0.1900[55,69] 793ns |-----------------L0.1900-----------------| "
+ - "L0.1901[70,84] 793ns |-----------------L0.1901-----------------| "
+ - "L0.1905[55,69] 794ns |-----------------L0.1905-----------------| "
+ - "L0.1906[70,84] 794ns |-----------------L0.1906-----------------| "
+ - "L0.1910[55,69] 795ns |-----------------L0.1910-----------------| "
+ - "L0.1911[70,84] 795ns |-----------------L0.1911-----------------| "
+ - "L0.1915[55,69] 796ns |-----------------L0.1915-----------------| "
+ - "L0.1916[70,84] 796ns |-----------------L0.1916-----------------| "
+ - "L0.1920[55,69] 797ns |-----------------L0.1920-----------------| "
+ - "L0.1921[70,84] 797ns |-----------------L0.1921-----------------| "
+ - "L0.1925[55,69] 798ns |-----------------L0.1925-----------------| "
+ - "L0.1926[70,84] 798ns |-----------------L0.1926-----------------| "
+ - "L0.1930[55,69] 799ns |-----------------L0.1930-----------------| "
+ - "L0.1931[70,84] 799ns |-----------------L0.1931-----------------| "
+ - "L0.1935[55,69] 800ns |-----------------L0.1935-----------------| "
+ - "L0.1936[70,84] 800ns |-----------------L0.1936-----------------| "
+ - "L0.1940[55,69] 801ns |-----------------L0.1940-----------------| "
+ - "L0.1941[70,84] 801ns |-----------------L0.1941-----------------| "
+ - "L0.1945[55,69] 802ns |-----------------L0.1945-----------------| "
+ - "L0.1946[70,84] 802ns |-----------------L0.1946-----------------| "
+ - "L0.1950[55,69] 803ns |-----------------L0.1950-----------------| "
+ - "L0.1951[70,84] 803ns |-----------------L0.1951-----------------| "
+ - "L0.1955[55,69] 804ns |-----------------L0.1955-----------------| "
+ - "L0.1956[70,84] 804ns |-----------------L0.1956-----------------| "
+ - "L0.1960[55,69] 805ns |-----------------L0.1960-----------------| "
+ - "L0.1961[70,84] 805ns |-----------------L0.1961-----------------| "
+ - "L0.1965[55,69] 806ns |-----------------L0.1965-----------------| "
+ - "L0.1966[70,84] 806ns |-----------------L0.1966-----------------| "
+ - "L0.1970[55,69] 807ns |-----------------L0.1970-----------------| "
+ - "L0.1971[70,84] 807ns |-----------------L0.1971-----------------| "
+ - "L0.1975[55,69] 808ns |-----------------L0.1975-----------------| "
+ - "L0.1976[70,84] 808ns |-----------------L0.1976-----------------| "
+ - "L0.1980[55,69] 809ns |-----------------L0.1980-----------------| "
+ - "L0.1981[70,84] 809ns |-----------------L0.1981-----------------| "
+ - "L0.1985[55,69] 810ns |-----------------L0.1985-----------------| "
+ - "L0.1986[70,84] 810ns |-----------------L0.1986-----------------| "
+ - "L0.1990[55,69] 811ns |-----------------L0.1990-----------------| "
+ - "L0.1991[70,84] 811ns |-----------------L0.1991-----------------| "
+ - "L0.1995[55,69] 812ns |-----------------L0.1995-----------------| "
+ - "L0.1996[70,84] 812ns |-----------------L0.1996-----------------| "
+ - "L0.2000[55,69] 813ns |-----------------L0.2000-----------------| "
+ - "L0.2001[70,84] 813ns |-----------------L0.2001-----------------| "
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 28mb total:"
+ - "L0 "
+ - "L0.?[55,78] 813ns 22mb |--------------------------------L0.?---------------------------------| "
+ - "L0.?[79,84] 813ns 6mb |----L0.?-----| "
+ - "Committing partition 1:"
+ - " Soft Deleting 200 files: L0.1505, L0.1506, L0.1510, L0.1511, L0.1515, L0.1516, L0.1520, L0.1521, L0.1525, L0.1526, L0.1530, L0.1531, L0.1535, L0.1536, L0.1540, L0.1541, L0.1545, L0.1546, L0.1550, L0.1551, L0.1555, L0.1556, L0.1560, L0.1561, L0.1565, L0.1566, L0.1570, L0.1571, L0.1575, L0.1576, L0.1580, L0.1581, L0.1585, L0.1586, L0.1590, L0.1591, L0.1595, L0.1596, L0.1600, L0.1601, L0.1605, L0.1606, L0.1610, L0.1611, L0.1615, L0.1616, L0.1620, L0.1621, L0.1625, L0.1626, L0.1630, L0.1631, L0.1635, L0.1636, L0.1640, L0.1641, L0.1645, L0.1646, L0.1650, L0.1651, L0.1655, L0.1656, L0.1660, L0.1661, L0.1665, L0.1666, L0.1670, L0.1671, L0.1675, L0.1676, L0.1680, L0.1681, L0.1685, L0.1686, L0.1690, L0.1691, L0.1695, L0.1696, L0.1700, L0.1701, L0.1705, L0.1706, L0.1710, L0.1711, L0.1715, L0.1716, L0.1720, L0.1721, L0.1725, L0.1726, L0.1730, L0.1731, L0.1735, L0.1736, L0.1740, L0.1741, L0.1745, L0.1746, L0.1750, L0.1751, L0.1755, L0.1756, L0.1760, L0.1761, L0.1765, L0.1766, L0.1770, L0.1771, L0.1775, L0.1776, L0.1780, L0.1781, L0.1785, L0.1786, L0.1790, L0.1791, L0.1795, L0.1796, L0.1800, L0.1801, L0.1805, L0.1806, L0.1810, L0.1811, L0.1815, L0.1816, L0.1820, L0.1821, L0.1825, L0.1826, L0.1830, L0.1831, L0.1835, L0.1836, L0.1840, L0.1841, L0.1845, L0.1846, L0.1850, L0.1851, L0.1855, L0.1856, L0.1860, L0.1861, L0.1865, L0.1866, L0.1870, L0.1871, L0.1875, L0.1876, L0.1880, L0.1881, L0.1885, L0.1886, L0.1890, L0.1891, L0.1895, L0.1896, L0.1900, L0.1901, L0.1905, L0.1906, L0.1910, L0.1911, L0.1915, L0.1916, L0.1920, L0.1921, L0.1925, L0.1926, L0.1930, L0.1931, L0.1935, L0.1936, L0.1940, L0.1941, L0.1945, L0.1946, L0.1950, L0.1951, L0.1955, L0.1956, L0.1960, L0.1961, L0.1965, L0.1966, L0.1970, L0.1971, L0.1975, L0.1976, L0.1980, L0.1981, L0.1985, L0.1986, L0.1990, L0.1991, L0.1995, L0.1996, L0.2000, L0.2001"
+ - " Creating 2 files"
+ - "**** Simulation run 418, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[78]). 200 Input Files, 28mb total:"
+ - "L0, all files 141kb "
+ - "L0.2005[55,69] 814ns |-----------------L0.2005-----------------| "
+ - "L0.2006[70,84] 814ns |-----------------L0.2006-----------------| "
+ - "L0.2010[55,69] 815ns |-----------------L0.2010-----------------| "
+ - "L0.2011[70,84] 815ns |-----------------L0.2011-----------------| "
+ - "L0.2015[55,69] 816ns |-----------------L0.2015-----------------| "
+ - "L0.2016[70,84] 816ns |-----------------L0.2016-----------------| "
+ - "L0.2020[55,69] 817ns |-----------------L0.2020-----------------| "
+ - "L0.2021[70,84] 817ns |-----------------L0.2021-----------------| "
+ - "L0.2025[55,69] 818ns |-----------------L0.2025-----------------| "
+ - "L0.2026[70,84] 818ns |-----------------L0.2026-----------------| "
+ - "L0.2030[55,69] 819ns |-----------------L0.2030-----------------| "
+ - "L0.2031[70,84] 819ns |-----------------L0.2031-----------------| "
+ - "L0.2035[55,69] 820ns |-----------------L0.2035-----------------| "
+ - "L0.2036[70,84] 820ns |-----------------L0.2036-----------------| "
+ - "L0.2040[55,69] 821ns |-----------------L0.2040-----------------| "
+ - "L0.2041[70,84] 821ns |-----------------L0.2041-----------------| "
+ - "L0.2045[55,69] 822ns |-----------------L0.2045-----------------| "
+ - "L0.2046[70,84] 822ns |-----------------L0.2046-----------------| "
+ - "L0.2050[55,69] 823ns |-----------------L0.2050-----------------| "
+ - "L0.2051[70,84] 823ns |-----------------L0.2051-----------------| "
+ - "L0.2055[55,69] 824ns |-----------------L0.2055-----------------| "
+ - "L0.2056[70,84] 824ns |-----------------L0.2056-----------------| "
+ - "L0.2060[55,69] 825ns |-----------------L0.2060-----------------| "
+ - "L0.2061[70,84] 825ns |-----------------L0.2061-----------------| "
+ - "L0.2065[55,69] 826ns |-----------------L0.2065-----------------| "
+ - "L0.2066[70,84] 826ns |-----------------L0.2066-----------------| "
+ - "L0.2070[55,69] 827ns |-----------------L0.2070-----------------| "
+ - "L0.2071[70,84] 827ns |-----------------L0.2071-----------------| "
+ - "L0.2075[55,69] 828ns |-----------------L0.2075-----------------| "
+ - "L0.2076[70,84] 828ns |-----------------L0.2076-----------------| "
+ - "L0.2080[55,69] 829ns |-----------------L0.2080-----------------| "
+ - "L0.2081[70,84] 829ns |-----------------L0.2081-----------------| "
+ - "L0.2085[55,69] 830ns |-----------------L0.2085-----------------| "
+ - "L0.2086[70,84] 830ns |-----------------L0.2086-----------------| "
+ - "L0.2090[55,69] 831ns |-----------------L0.2090-----------------| "
+ - "L0.2091[70,84] 831ns |-----------------L0.2091-----------------| "
+ - "L0.2095[55,69] 832ns |-----------------L0.2095-----------------| "
+ - "L0.2096[70,84] 832ns |-----------------L0.2096-----------------| "
+ - "L0.2100[55,69] 833ns |-----------------L0.2100-----------------| "
+ - "L0.2101[70,84] 833ns |-----------------L0.2101-----------------| "
+ - "L0.2105[55,69] 834ns |-----------------L0.2105-----------------| "
+ - "L0.2106[70,84] 834ns |-----------------L0.2106-----------------| "
+ - "L0.2110[55,69] 835ns |-----------------L0.2110-----------------| "
+ - "L0.2111[70,84] 835ns |-----------------L0.2111-----------------| "
+ - "L0.2115[55,69] 836ns |-----------------L0.2115-----------------| "
+ - "L0.2116[70,84] 836ns |-----------------L0.2116-----------------| "
+ - "L0.2120[55,69] 837ns |-----------------L0.2120-----------------| "
+ - "L0.2121[70,84] 837ns |-----------------L0.2121-----------------| "
+ - "L0.2125[55,69] 838ns |-----------------L0.2125-----------------| "
+ - "L0.2126[70,84] 838ns |-----------------L0.2126-----------------| "
+ - "L0.2130[55,69] 839ns |-----------------L0.2130-----------------| "
+ - "L0.2131[70,84] 839ns |-----------------L0.2131-----------------| "
+ - "L0.2135[55,69] 840ns |-----------------L0.2135-----------------| "
+ - "L0.2136[70,84] 840ns |-----------------L0.2136-----------------| "
+ - "L0.2140[55,69] 841ns |-----------------L0.2140-----------------| "
+ - "L0.2141[70,84] 841ns |-----------------L0.2141-----------------| "
+ - "L0.2145[55,69] 842ns |-----------------L0.2145-----------------| "
+ - "L0.2146[70,84] 842ns |-----------------L0.2146-----------------| "
+ - "L0.2150[55,69] 843ns |-----------------L0.2150-----------------| "
+ - "L0.2151[70,84] 843ns |-----------------L0.2151-----------------| "
+ - "L0.2155[55,69] 844ns |-----------------L0.2155-----------------| "
+ - "L0.2156[70,84] 844ns |-----------------L0.2156-----------------| "
+ - "L0.2160[55,69] 845ns |-----------------L0.2160-----------------| "
+ - "L0.2161[70,84] 845ns |-----------------L0.2161-----------------| "
+ - "L0.2165[55,69] 846ns |-----------------L0.2165-----------------| "
+ - "L0.2166[70,84] 846ns |-----------------L0.2166-----------------| "
+ - "L0.2170[55,69] 847ns |-----------------L0.2170-----------------| "
+ - "L0.2171[70,84] 847ns |-----------------L0.2171-----------------| "
+ - "L0.2175[55,69] 848ns |-----------------L0.2175-----------------| "
+ - "L0.2176[70,84] 848ns |-----------------L0.2176-----------------| "
+ - "L0.2180[55,69] 849ns |-----------------L0.2180-----------------| "
+ - "L0.2181[70,84] 849ns |-----------------L0.2181-----------------| "
+ - "L0.2185[55,69] 850ns |-----------------L0.2185-----------------| "
+ - "L0.2186[70,84] 850ns |-----------------L0.2186-----------------| "
+ - "L0.2190[55,69] 851ns |-----------------L0.2190-----------------| "
+ - "L0.2191[70,84] 851ns |-----------------L0.2191-----------------| "
+ - "L0.2195[55,69] 852ns |-----------------L0.2195-----------------| "
+ - "L0.2196[70,84] 852ns |-----------------L0.2196-----------------| "
+ - "L0.2200[55,69] 853ns |-----------------L0.2200-----------------| "
+ - "L0.2201[70,84] 853ns |-----------------L0.2201-----------------| "
+ - "L0.2205[55,69] 854ns |-----------------L0.2205-----------------| "
+ - "L0.2206[70,84] 854ns |-----------------L0.2206-----------------| "
+ - "L0.2210[55,69] 855ns |-----------------L0.2210-----------------| "
+ - "L0.2211[70,84] 855ns |-----------------L0.2211-----------------| "
+ - "L0.2215[55,69] 856ns |-----------------L0.2215-----------------| "
+ - "L0.2216[70,84] 856ns |-----------------L0.2216-----------------| "
+ - "L0.2220[55,69] 857ns |-----------------L0.2220-----------------| "
+ - "L0.2221[70,84] 857ns |-----------------L0.2221-----------------| "
+ - "L0.2225[55,69] 858ns |-----------------L0.2225-----------------| "
+ - "L0.2226[70,84] 858ns |-----------------L0.2226-----------------| "
+ - "L0.2230[55,69] 859ns |-----------------L0.2230-----------------| "
+ - "L0.2231[70,84] 859ns |-----------------L0.2231-----------------| "
+ - "L0.2235[55,69] 860ns |-----------------L0.2235-----------------| "
+ - "L0.2236[70,84] 860ns |-----------------L0.2236-----------------| "
+ - "L0.2240[55,69] 861ns |-----------------L0.2240-----------------| "
+ - "L0.2241[70,84] 861ns |-----------------L0.2241-----------------| "
+ - "L0.2245[55,69] 862ns |-----------------L0.2245-----------------| "
+ - "L0.2246[70,84] 862ns |-----------------L0.2246-----------------| "
+ - "L0.2250[55,69] 863ns |-----------------L0.2250-----------------| "
+ - "L0.2251[70,84] 863ns |-----------------L0.2251-----------------| "
+ - "L0.2255[55,69] 864ns |-----------------L0.2255-----------------| "
+ - "L0.2256[70,84] 864ns |-----------------L0.2256-----------------| "
+ - "L0.2260[55,69] 865ns |-----------------L0.2260-----------------| "
+ - "L0.2261[70,84] 865ns |-----------------L0.2261-----------------| "
+ - "L0.2265[55,69] 866ns |-----------------L0.2265-----------------| "
+ - "L0.2266[70,84] 866ns |-----------------L0.2266-----------------| "
+ - "L0.2270[55,69] 867ns |-----------------L0.2270-----------------| "
+ - "L0.2271[70,84] 867ns |-----------------L0.2271-----------------| "
+ - "L0.2275[55,69] 868ns |-----------------L0.2275-----------------| "
+ - "L0.2276[70,84] 868ns |-----------------L0.2276-----------------| "
+ - "L0.2280[55,69] 869ns |-----------------L0.2280-----------------| "
+ - "L0.2281[70,84] 869ns |-----------------L0.2281-----------------| "
+ - "L0.2285[55,69] 870ns |-----------------L0.2285-----------------| "
+ - "L0.2286[70,84] 870ns |-----------------L0.2286-----------------| "
+ - "L0.2290[55,69] 871ns |-----------------L0.2290-----------------| "
+ - "L0.2291[70,84] 871ns |-----------------L0.2291-----------------| "
+ - "L0.2295[55,69] 872ns |-----------------L0.2295-----------------| "
+ - "L0.2296[70,84] 872ns |-----------------L0.2296-----------------| "
+ - "L0.2300[55,69] 873ns |-----------------L0.2300-----------------| "
+ - "L0.2301[70,84] 873ns |-----------------L0.2301-----------------| "
+ - "L0.2305[55,69] 874ns |-----------------L0.2305-----------------| "
+ - "L0.2306[70,84] 874ns |-----------------L0.2306-----------------| "
+ - "L0.2310[55,69] 875ns |-----------------L0.2310-----------------| "
+ - "L0.2311[70,84] 875ns |-----------------L0.2311-----------------| "
+ - "L0.2315[55,69] 876ns |-----------------L0.2315-----------------| "
+ - "L0.2316[70,84] 876ns |-----------------L0.2316-----------------| "
+ - "L0.2320[55,69] 877ns |-----------------L0.2320-----------------| "
+ - "L0.2321[70,84] 877ns |-----------------L0.2321-----------------| "
+ - "L0.2325[55,69] 878ns |-----------------L0.2325-----------------| "
+ - "L0.2326[70,84] 878ns |-----------------L0.2326-----------------| "
+ - "L0.2330[55,69] 879ns |-----------------L0.2330-----------------| "
+ - "L0.2331[70,84] 879ns |-----------------L0.2331-----------------| "
+ - "L0.2335[55,69] 880ns |-----------------L0.2335-----------------| "
+ - "L0.2336[70,84] 880ns |-----------------L0.2336-----------------| "
+ - "L0.2340[55,69] 881ns |-----------------L0.2340-----------------| "
+ - "L0.2341[70,84] 881ns |-----------------L0.2341-----------------| "
+ - "L0.2345[55,69] 882ns |-----------------L0.2345-----------------| "
+ - "L0.2346[70,84] 882ns |-----------------L0.2346-----------------| "
+ - "L0.2350[55,69] 883ns |-----------------L0.2350-----------------| "
+ - "L0.2351[70,84] 883ns |-----------------L0.2351-----------------| "
+ - "L0.2355[55,69] 884ns |-----------------L0.2355-----------------| "
+ - "L0.2356[70,84] 884ns |-----------------L0.2356-----------------| "
+ - "L0.2360[55,69] 885ns |-----------------L0.2360-----------------| "
+ - "L0.2361[70,84] 885ns |-----------------L0.2361-----------------| "
+ - "L0.2365[55,69] 886ns |-----------------L0.2365-----------------| "
+ - "L0.2366[70,84] 886ns |-----------------L0.2366-----------------| "
+ - "L0.2370[55,69] 887ns |-----------------L0.2370-----------------| "
+ - "L0.2371[70,84] 887ns |-----------------L0.2371-----------------| "
+ - "L0.2375[55,69] 888ns |-----------------L0.2375-----------------| "
+ - "L0.2376[70,84] 888ns |-----------------L0.2376-----------------| "
+ - "L0.2380[55,69] 889ns |-----------------L0.2380-----------------| "
+ - "L0.2381[70,84] 889ns |-----------------L0.2381-----------------| "
+ - "L0.2385[55,69] 890ns |-----------------L0.2385-----------------| "
+ - "L0.2386[70,84] 890ns |-----------------L0.2386-----------------| "
+ - "L0.2390[55,69] 891ns |-----------------L0.2390-----------------| "
+ - "L0.2391[70,84] 891ns |-----------------L0.2391-----------------| "
+ - "L0.2395[55,69] 892ns |-----------------L0.2395-----------------| "
+ - "L0.2396[70,84] 892ns |-----------------L0.2396-----------------| "
+ - "L0.2400[55,69] 893ns |-----------------L0.2400-----------------| "
+ - "L0.2401[70,84] 893ns |-----------------L0.2401-----------------| "
+ - "L0.2405[55,69] 894ns |-----------------L0.2405-----------------| "
+ - "L0.2406[70,84] 894ns |-----------------L0.2406-----------------| "
+ - "L0.2410[55,69] 895ns |-----------------L0.2410-----------------| "
+ - "L0.2411[70,84] 895ns |-----------------L0.2411-----------------| "
+ - "L0.2415[55,69] 896ns |-----------------L0.2415-----------------| "
+ - "L0.2416[70,84] 896ns |-----------------L0.2416-----------------| "
+ - "L0.2420[55,69] 897ns |-----------------L0.2420-----------------| "
+ - "L0.2421[70,84] 897ns |-----------------L0.2421-----------------| "
+ - "L0.2425[55,69] 898ns |-----------------L0.2425-----------------| "
+ - "L0.2426[70,84] 898ns |-----------------L0.2426-----------------| "
+ - "L0.2430[55,69] 899ns |-----------------L0.2430-----------------| "
+ - "L0.2431[70,84] 899ns |-----------------L0.2431-----------------| "
+ - "L0.2435[55,69] 900ns |-----------------L0.2435-----------------| "
+ - "L0.2436[70,84] 900ns |-----------------L0.2436-----------------| "
+ - "L0.2440[55,69] 901ns |-----------------L0.2440-----------------| "
+ - "L0.2441[70,84] 901ns |-----------------L0.2441-----------------| "
+ - "L0.2445[55,69] 902ns |-----------------L0.2445-----------------| "
+ - "L0.2446[70,84] 902ns |-----------------L0.2446-----------------| "
+ - "L0.2450[55,69] 903ns |-----------------L0.2450-----------------| "
+ - "L0.2451[70,84] 903ns |-----------------L0.2451-----------------| "
+ - "L0.2495[55,69] 904ns |-----------------L0.2495-----------------| "
+ - "L0.2496[70,84] 904ns |-----------------L0.2496-----------------| "
+ - "L0.2500[55,69] 905ns |-----------------L0.2500-----------------| "
+ - "L0.2501[70,84] 905ns |-----------------L0.2501-----------------| "
+ - "L0.2455[55,69] 906ns |-----------------L0.2455-----------------| "
+ - "L0.2456[70,84] 906ns |-----------------L0.2456-----------------| "
+ - "L0.2460[55,69] 907ns |-----------------L0.2460-----------------| "
+ - "L0.2461[70,84] 907ns |-----------------L0.2461-----------------| "
+ - "L0.2465[55,69] 908ns |-----------------L0.2465-----------------| "
+ - "L0.2466[70,84] 908ns |-----------------L0.2466-----------------| "
+ - "L0.2470[55,69] 909ns |-----------------L0.2470-----------------| "
+ - "L0.2471[70,84] 909ns |-----------------L0.2471-----------------| "
+ - "L0.2475[55,69] 910ns |-----------------L0.2475-----------------| "
+ - "L0.2476[70,84] 910ns |-----------------L0.2476-----------------| "
+ - "L0.2480[55,69] 911ns |-----------------L0.2480-----------------| "
+ - "L0.2481[70,84] 911ns |-----------------L0.2481-----------------| "
+ - "L0.2485[55,69] 912ns |-----------------L0.2485-----------------| "
+ - "L0.2486[70,84] 912ns |-----------------L0.2486-----------------| "
+ - "L0.2490[55,69] 913ns |-----------------L0.2490-----------------| "
+ - "L0.2491[70,84] 913ns |-----------------L0.2491-----------------| "
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 28mb total:"
+ - "L0 "
+ - "L0.?[55,78] 913ns 22mb |--------------------------------L0.?---------------------------------| "
+ - "L0.?[79,84] 913ns 6mb |----L0.?-----| "
+ - "Committing partition 1:"
+ - " Soft Deleting 200 files: L0.2005, L0.2006, L0.2010, L0.2011, L0.2015, L0.2016, L0.2020, L0.2021, L0.2025, L0.2026, L0.2030, L0.2031, L0.2035, L0.2036, L0.2040, L0.2041, L0.2045, L0.2046, L0.2050, L0.2051, L0.2055, L0.2056, L0.2060, L0.2061, L0.2065, L0.2066, L0.2070, L0.2071, L0.2075, L0.2076, L0.2080, L0.2081, L0.2085, L0.2086, L0.2090, L0.2091, L0.2095, L0.2096, L0.2100, L0.2101, L0.2105, L0.2106, L0.2110, L0.2111, L0.2115, L0.2116, L0.2120, L0.2121, L0.2125, L0.2126, L0.2130, L0.2131, L0.2135, L0.2136, L0.2140, L0.2141, L0.2145, L0.2146, L0.2150, L0.2151, L0.2155, L0.2156, L0.2160, L0.2161, L0.2165, L0.2166, L0.2170, L0.2171, L0.2175, L0.2176, L0.2180, L0.2181, L0.2185, L0.2186, L0.2190, L0.2191, L0.2195, L0.2196, L0.2200, L0.2201, L0.2205, L0.2206, L0.2210, L0.2211, L0.2215, L0.2216, L0.2220, L0.2221, L0.2225, L0.2226, L0.2230, L0.2231, L0.2235, L0.2236, L0.2240, L0.2241, L0.2245, L0.2246, L0.2250, L0.2251, L0.2255, L0.2256, L0.2260, L0.2261, L0.2265, L0.2266, L0.2270, L0.2271, L0.2275, L0.2276, L0.2280, L0.2281, L0.2285, L0.2286, L0.2290, L0.2291, L0.2295, L0.2296, L0.2300, L0.2301, L0.2305, L0.2306, L0.2310, L0.2311, L0.2315, L0.2316, L0.2320, L0.2321, L0.2325, L0.2326, L0.2330, L0.2331, L0.2335, L0.2336, L0.2340, L0.2341, L0.2345, L0.2346, L0.2350, L0.2351, L0.2355, L0.2356, L0.2360, L0.2361, L0.2365, L0.2366, L0.2370, L0.2371, L0.2375, L0.2376, L0.2380, L0.2381, L0.2385, L0.2386, L0.2390, L0.2391, L0.2395, L0.2396, L0.2400, L0.2401, L0.2405, L0.2406, L0.2410, L0.2411, L0.2415, L0.2416, L0.2420, L0.2421, L0.2425, L0.2426, L0.2430, L0.2431, L0.2435, L0.2436, L0.2440, L0.2441, L0.2445, L0.2446, L0.2450, L0.2451, L0.2455, L0.2456, L0.2460, L0.2461, L0.2465, L0.2466, L0.2470, L0.2471, L0.2475, L0.2476, L0.2480, L0.2481, L0.2485, L0.2486, L0.2490, L0.2491, L0.2495, L0.2496, L0.2500, L0.2501"
+ - " Creating 2 files"
+ - "**** Simulation run 419, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[78]). 200 Input Files, 28mb total:"
+ - "L0, all files 141kb "
+ - "L0.2505[55,69] 914ns |-----------------L0.2505-----------------| "
+ - "L0.2506[70,84] 914ns |-----------------L0.2506-----------------| "
+ - "L0.2510[55,69] 915ns |-----------------L0.2510-----------------| "
+ - "L0.2511[70,84] 915ns |-----------------L0.2511-----------------| "
+ - "L0.2515[55,69] 916ns |-----------------L0.2515-----------------| "
+ - "L0.2516[70,84] 916ns |-----------------L0.2516-----------------| "
+ - "L0.2520[55,69] 917ns |-----------------L0.2520-----------------| "
+ - "L0.2521[70,84] 917ns |-----------------L0.2521-----------------| "
+ - "L0.2525[55,69] 918ns |-----------------L0.2525-----------------| "
+ - "L0.2526[70,84] 918ns |-----------------L0.2526-----------------| "
+ - "L0.2530[55,69] 919ns |-----------------L0.2530-----------------| "
+ - "L0.2531[70,84] 919ns |-----------------L0.2531-----------------| "
+ - "L0.2535[55,69] 920ns |-----------------L0.2535-----------------| "
+ - "L0.2536[70,84] 920ns |-----------------L0.2536-----------------| "
+ - "L0.2540[55,69] 921ns |-----------------L0.2540-----------------| "
+ - "L0.2541[70,84] 921ns |-----------------L0.2541-----------------| "
+ - "L0.2545[55,69] 922ns |-----------------L0.2545-----------------| "
+ - "L0.2546[70,84] 922ns |-----------------L0.2546-----------------| "
+ - "L0.2550[55,69] 923ns |-----------------L0.2550-----------------| "
+ - "L0.2551[70,84] 923ns |-----------------L0.2551-----------------| "
+ - "L0.2555[55,69] 924ns |-----------------L0.2555-----------------| "
+ - "L0.2556[70,84] 924ns |-----------------L0.2556-----------------| "
+ - "L0.2560[55,69] 925ns |-----------------L0.2560-----------------| "
+ - "L0.2561[70,84] 925ns |-----------------L0.2561-----------------| "
+ - "L0.2565[55,69] 926ns |-----------------L0.2565-----------------| "
+ - "L0.2566[70,84] 926ns |-----------------L0.2566-----------------| "
+ - "L0.2570[55,69] 927ns |-----------------L0.2570-----------------| "
+ - "L0.2571[70,84] 927ns |-----------------L0.2571-----------------| "
+ - "L0.2575[55,69] 928ns |-----------------L0.2575-----------------| "
+ - "L0.2576[70,84] 928ns |-----------------L0.2576-----------------| "
+ - "L0.2580[55,69] 929ns |-----------------L0.2580-----------------| "
+ - "L0.2581[70,84] 929ns |-----------------L0.2581-----------------| "
+ - "L0.2585[55,69] 930ns |-----------------L0.2585-----------------| "
+ - "L0.2586[70,84] 930ns |-----------------L0.2586-----------------| "
+ - "L0.2590[55,69] 931ns |-----------------L0.2590-----------------| "
+ - "L0.2591[70,84] 931ns |-----------------L0.2591-----------------| "
+ - "L0.2595[55,69] 932ns |-----------------L0.2595-----------------| "
+ - "L0.2596[70,84] 932ns |-----------------L0.2596-----------------| "
+ - "L0.2600[55,69] 933ns |-----------------L0.2600-----------------| "
+ - "L0.2601[70,84] 933ns |-----------------L0.2601-----------------| "
+ - "L0.2605[55,69] 934ns |-----------------L0.2605-----------------| "
+ - "L0.2606[70,84] 934ns |-----------------L0.2606-----------------| "
+ - "L0.2610[55,69] 935ns |-----------------L0.2610-----------------| "
+ - "L0.2611[70,84] 935ns |-----------------L0.2611-----------------| "
+ - "L0.2615[55,69] 936ns |-----------------L0.2615-----------------| "
+ - "L0.2616[70,84] 936ns |-----------------L0.2616-----------------| "
+ - "L0.2620[55,69] 937ns |-----------------L0.2620-----------------| "
+ - "L0.2621[70,84] 937ns |-----------------L0.2621-----------------| "
+ - "L0.2625[55,69] 938ns |-----------------L0.2625-----------------| "
+ - "L0.2626[70,84] 938ns |-----------------L0.2626-----------------| "
+ - "L0.2630[55,69] 939ns |-----------------L0.2630-----------------| "
+ - "L0.2631[70,84] 939ns |-----------------L0.2631-----------------| "
+ - "L0.2635[55,69] 940ns |-----------------L0.2635-----------------| "
+ - "L0.2636[70,84] 940ns |-----------------L0.2636-----------------| "
+ - "L0.2640[55,69] 941ns |-----------------L0.2640-----------------| "
+ - "L0.2641[70,84] 941ns |-----------------L0.2641-----------------| "
+ - "L0.2645[55,69] 942ns |-----------------L0.2645-----------------| "
+ - "L0.2646[70,84] 942ns |-----------------L0.2646-----------------| "
+ - "L0.2650[55,69] 943ns |-----------------L0.2650-----------------| "
+ - "L0.2651[70,84] 943ns |-----------------L0.2651-----------------| "
+ - "L0.2655[55,69] 944ns |-----------------L0.2655-----------------| "
+ - "L0.2656[70,84] 944ns |-----------------L0.2656-----------------| "
+ - "L0.2660[55,69] 945ns |-----------------L0.2660-----------------| "
+ - "L0.2661[70,84] 945ns |-----------------L0.2661-----------------| "
+ - "L0.2665[55,69] 946ns |-----------------L0.2665-----------------| "
+ - "L0.2666[70,84] 946ns |-----------------L0.2666-----------------| "
+ - "L0.2670[55,69] 947ns |-----------------L0.2670-----------------| "
+ - "L0.2671[70,84] 947ns |-----------------L0.2671-----------------| "
+ - "L0.2675[55,69] 948ns |-----------------L0.2675-----------------| "
+ - "L0.2676[70,84] 948ns |-----------------L0.2676-----------------| "
+ - "L0.2680[55,69] 949ns |-----------------L0.2680-----------------| "
+ - "L0.2681[70,84] 949ns |-----------------L0.2681-----------------| "
+ - "L0.2685[55,69] 950ns |-----------------L0.2685-----------------| "
+ - "L0.2686[70,84] 950ns |-----------------L0.2686-----------------| "
+ - "L0.2690[55,69] 951ns |-----------------L0.2690-----------------| "
+ - "L0.2691[70,84] 951ns |-----------------L0.2691-----------------| "
+ - "L0.2695[55,69] 952ns |-----------------L0.2695-----------------| "
+ - "L0.2696[70,84] 952ns |-----------------L0.2696-----------------| "
+ - "L0.2700[55,69] 953ns |-----------------L0.2700-----------------| "
+ - "L0.2701[70,84] 953ns |-----------------L0.2701-----------------| "
+ - "L0.2705[55,69] 954ns |-----------------L0.2705-----------------| "
+ - "L0.2706[70,84] 954ns |-----------------L0.2706-----------------| "
+ - "L0.2710[55,69] 955ns |-----------------L0.2710-----------------| "
+ - "L0.2711[70,84] 955ns |-----------------L0.2711-----------------| "
+ - "L0.2715[55,69] 956ns |-----------------L0.2715-----------------| "
+ - "L0.2716[70,84] 956ns |-----------------L0.2716-----------------| "
+ - "L0.2720[55,69] 957ns |-----------------L0.2720-----------------| "
+ - "L0.2721[70,84] 957ns |-----------------L0.2721-----------------| "
+ - "L0.2725[55,69] 958ns |-----------------L0.2725-----------------| "
+ - "L0.2726[70,84] 958ns |-----------------L0.2726-----------------| "
+ - "L0.2730[55,69] 959ns |-----------------L0.2730-----------------| "
+ - "L0.2731[70,84] 959ns |-----------------L0.2731-----------------| "
+ - "L0.2735[55,69] 960ns |-----------------L0.2735-----------------| "
+ - "L0.2736[70,84] 960ns |-----------------L0.2736-----------------| "
+ - "L0.2740[55,69] 961ns |-----------------L0.2740-----------------| "
+ - "L0.2741[70,84] 961ns |-----------------L0.2741-----------------| "
+ - "L0.2745[55,69] 962ns |-----------------L0.2745-----------------| "
+ - "L0.2746[70,84] 962ns |-----------------L0.2746-----------------| "
+ - "L0.2750[55,69] 963ns |-----------------L0.2750-----------------| "
+ - "L0.2751[70,84] 963ns |-----------------L0.2751-----------------| "
+ - "L0.2755[55,69] 964ns |-----------------L0.2755-----------------| "
+ - "L0.2756[70,84] 964ns |-----------------L0.2756-----------------| "
+ - "L0.2760[55,69] 965ns |-----------------L0.2760-----------------| "
+ - "L0.2761[70,84] 965ns |-----------------L0.2761-----------------| "
+ - "L0.2765[55,69] 966ns |-----------------L0.2765-----------------| "
+ - "L0.2766[70,84] 966ns |-----------------L0.2766-----------------| "
+ - "L0.2770[55,69] 967ns |-----------------L0.2770-----------------| "
+ - "L0.2771[70,84] 967ns |-----------------L0.2771-----------------| "
+ - "L0.2775[55,69] 968ns |-----------------L0.2775-----------------| "
+ - "L0.2776[70,84] 968ns |-----------------L0.2776-----------------| "
+ - "L0.2780[55,69] 969ns |-----------------L0.2780-----------------| "
+ - "L0.2781[70,84] 969ns |-----------------L0.2781-----------------| "
+ - "L0.2785[55,69] 970ns |-----------------L0.2785-----------------| "
+ - "L0.2786[70,84] 970ns |-----------------L0.2786-----------------| "
+ - "L0.2790[55,69] 971ns |-----------------L0.2790-----------------| "
+ - "L0.2791[70,84] 971ns |-----------------L0.2791-----------------| "
+ - "L0.2795[55,69] 972ns |-----------------L0.2795-----------------| "
+ - "L0.2796[70,84] 972ns |-----------------L0.2796-----------------| "
+ - "L0.2800[55,69] 973ns |-----------------L0.2800-----------------| "
+ - "L0.2801[70,84] 973ns |-----------------L0.2801-----------------| "
+ - "L0.2805[55,69] 974ns |-----------------L0.2805-----------------| "
+ - "L0.2806[70,84] 974ns |-----------------L0.2806-----------------| "
+ - "L0.2810[55,69] 975ns |-----------------L0.2810-----------------| "
+ - "L0.2811[70,84] 975ns |-----------------L0.2811-----------------| "
+ - "L0.2815[55,69] 976ns |-----------------L0.2815-----------------| "
+ - "L0.2816[70,84] 976ns |-----------------L0.2816-----------------| "
+ - "L0.2820[55,69] 977ns |-----------------L0.2820-----------------| "
+ - "L0.2821[70,84] 977ns |-----------------L0.2821-----------------| "
+ - "L0.2825[55,69] 978ns |-----------------L0.2825-----------------| "
+ - "L0.2826[70,84] 978ns |-----------------L0.2826-----------------| "
+ - "L0.2830[55,69] 979ns |-----------------L0.2830-----------------| "
+ - "L0.2831[70,84] 979ns |-----------------L0.2831-----------------| "
+ - "L0.2835[55,69] 980ns |-----------------L0.2835-----------------| "
+ - "L0.2836[70,84] 980ns |-----------------L0.2836-----------------| "
+ - "L0.2840[55,69] 981ns |-----------------L0.2840-----------------| "
+ - "L0.2841[70,84] 981ns |-----------------L0.2841-----------------| "
+ - "L0.2845[55,69] 982ns |-----------------L0.2845-----------------| "
+ - "L0.2846[70,84] 982ns |-----------------L0.2846-----------------| "
+ - "L0.2850[55,69] 983ns |-----------------L0.2850-----------------| "
+ - "L0.2851[70,84] 983ns |-----------------L0.2851-----------------| "
+ - "L0.2855[55,69] 984ns |-----------------L0.2855-----------------| "
+ - "L0.2856[70,84] 984ns |-----------------L0.2856-----------------| "
+ - "L0.2860[55,69] 985ns |-----------------L0.2860-----------------| "
+ - "L0.2861[70,84] 985ns |-----------------L0.2861-----------------| "
+ - "L0.2865[55,69] 986ns |-----------------L0.2865-----------------| "
+ - "L0.2866[70,84] 986ns |-----------------L0.2866-----------------| "
+ - "L0.2870[55,69] 987ns |-----------------L0.2870-----------------| "
+ - "L0.2871[70,84] 987ns |-----------------L0.2871-----------------| "
+ - "L0.2875[55,69] 988ns |-----------------L0.2875-----------------| "
+ - "L0.2876[70,84] 988ns |-----------------L0.2876-----------------| "
+ - "L0.2880[55,69] 989ns |-----------------L0.2880-----------------| "
+ - "L0.2881[70,84] 989ns |-----------------L0.2881-----------------| "
+ - "L0.2885[55,69] 990ns |-----------------L0.2885-----------------| "
+ - "L0.2886[70,84] 990ns |-----------------L0.2886-----------------| "
+ - "L0.2890[55,69] 991ns |-----------------L0.2890-----------------| "
+ - "L0.2891[70,84] 991ns |-----------------L0.2891-----------------| "
+ - "L0.2895[55,69] 992ns |-----------------L0.2895-----------------| "
+ - "L0.2896[70,84] 992ns |-----------------L0.2896-----------------| "
+ - "L0.2900[55,69] 993ns |-----------------L0.2900-----------------| "
+ - "L0.2901[70,84] 993ns |-----------------L0.2901-----------------| "
+ - "L0.2905[55,69] 994ns |-----------------L0.2905-----------------| "
+ - "L0.2906[70,84] 994ns |-----------------L0.2906-----------------| "
+ - "L0.2910[55,69] 995ns |-----------------L0.2910-----------------| "
+ - "L0.2911[70,84] 995ns |-----------------L0.2911-----------------| "
+ - "L0.2915[55,69] 996ns |-----------------L0.2915-----------------| "
+ - "L0.2916[70,84] 996ns |-----------------L0.2916-----------------| "
+ - "L0.2920[55,69] 997ns |-----------------L0.2920-----------------| "
+ - "L0.2921[70,84] 997ns |-----------------L0.2921-----------------| "
+ - "L0.2925[55,69] 998ns |-----------------L0.2925-----------------| "
+ - "L0.2926[70,84] 998ns |-----------------L0.2926-----------------| "
+ - "L0.2930[55,69] 999ns |-----------------L0.2930-----------------| "
+ - "L0.2931[70,84] 999ns |-----------------L0.2931-----------------| "
+ - "L0.2935[55,69] 1us |-----------------L0.2935-----------------| "
+ - "L0.2936[70,84] 1us |-----------------L0.2936-----------------| "
+ - "L0.2940[55,69] 1us |-----------------L0.2940-----------------| "
+ - "L0.2941[70,84] 1us |-----------------L0.2941-----------------| "
+ - "L0.2945[55,69] 1us |-----------------L0.2945-----------------| "
+ - "L0.2946[70,84] 1us |-----------------L0.2946-----------------| "
+ - "L0.2950[55,69] 1us |-----------------L0.2950-----------------| "
+ - "L0.2951[70,84] 1us |-----------------L0.2951-----------------| "
+ - "L0.2955[55,69] 1us |-----------------L0.2955-----------------| "
+ - "L0.2956[70,84] 1us |-----------------L0.2956-----------------| "
+ - "L0.2960[55,69] 1us |-----------------L0.2960-----------------| "
+ - "L0.2961[70,84] 1us |-----------------L0.2961-----------------| "
+ - "L0.2965[55,69] 1.01us |-----------------L0.2965-----------------| "
+ - "L0.2966[70,84] 1.01us |-----------------L0.2966-----------------| "
+ - "L0.2970[55,69] 1.01us |-----------------L0.2970-----------------| "
+ - "L0.2971[70,84] 1.01us |-----------------L0.2971-----------------| "
+ - "L0.2975[55,69] 1.01us |-----------------L0.2975-----------------| "
+ - "L0.2976[70,84] 1.01us |-----------------L0.2976-----------------| "
+ - "L0.2980[55,69] 1.01us |-----------------L0.2980-----------------| "
+ - "L0.2981[70,84] 1.01us |-----------------L0.2981-----------------| "
+ - "L0.2985[55,69] 1.01us |-----------------L0.2985-----------------| "
+ - "L0.2986[70,84] 1.01us |-----------------L0.2986-----------------| "
+ - "L0.2990[55,69] 1.01us |-----------------L0.2990-----------------| "
+ - "L0.2991[70,84] 1.01us |-----------------L0.2991-----------------| "
+ - "L0.2995[55,69] 1.01us |-----------------L0.2995-----------------| "
+ - "L0.2996[70,84] 1.01us |-----------------L0.2996-----------------| "
+ - "L0.3000[55,69] 1.01us |-----------------L0.3000-----------------| "
+ - "L0.3001[70,84] 1.01us |-----------------L0.3001-----------------| "
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 28mb total:"
+ - "L0 "
+ - "L0.?[55,78] 1.01us 22mb |--------------------------------L0.?---------------------------------| "
+ - "L0.?[79,84] 1.01us 6mb |----L0.?-----| "
+ - "Committing partition 1:"
+ - " Soft Deleting 200 files: L0.2505, L0.2506, L0.2510, L0.2511, L0.2515, L0.2516, L0.2520, L0.2521, L0.2525, L0.2526, L0.2530, L0.2531, L0.2535, L0.2536, L0.2540, L0.2541, L0.2545, L0.2546, L0.2550, L0.2551, L0.2555, L0.2556, L0.2560, L0.2561, L0.2565, L0.2566, L0.2570, L0.2571, L0.2575, L0.2576, L0.2580, L0.2581, L0.2585, L0.2586, L0.2590, L0.2591, L0.2595, L0.2596, L0.2600, L0.2601, L0.2605, L0.2606, L0.2610, L0.2611, L0.2615, L0.2616, L0.2620, L0.2621, L0.2625, L0.2626, L0.2630, L0.2631, L0.2635, L0.2636, L0.2640, L0.2641, L0.2645, L0.2646, L0.2650, L0.2651, L0.2655, L0.2656, L0.2660, L0.2661, L0.2665, L0.2666, L0.2670, L0.2671, L0.2675, L0.2676, L0.2680, L0.2681, L0.2685, L0.2686, L0.2690, L0.2691, L0.2695, L0.2696, L0.2700, L0.2701, L0.2705, L0.2706, L0.2710, L0.2711, L0.2715, L0.2716, L0.2720, L0.2721, L0.2725, L0.2726, L0.2730, L0.2731, L0.2735, L0.2736, L0.2740, L0.2741, L0.2745, L0.2746, L0.2750, L0.2751, L0.2755, L0.2756, L0.2760, L0.2761, L0.2765, L0.2766, L0.2770, L0.2771, L0.2775, L0.2776, L0.2780, L0.2781, L0.2785, L0.2786, L0.2790, L0.2791, L0.2795, L0.2796, L0.2800, L0.2801, L0.2805, L0.2806, L0.2810, L0.2811, L0.2815, L0.2816, L0.2820, L0.2821, L0.2825, L0.2826, L0.2830, L0.2831, L0.2835, L0.2836, L0.2840, L0.2841, L0.2845, L0.2846, L0.2850, L0.2851, L0.2855, L0.2856, L0.2860, L0.2861, L0.2865, L0.2866, L0.2870, L0.2871, L0.2875, L0.2876, L0.2880, L0.2881, L0.2885, L0.2886, L0.2890, L0.2891, L0.2895, L0.2896, L0.2900, L0.2901, L0.2905, L0.2906, L0.2910, L0.2911, L0.2915, L0.2916, L0.2920, L0.2921, L0.2925, L0.2926, L0.2930, L0.2931, L0.2935, L0.2936, L0.2940, L0.2941, L0.2945, L0.2946, L0.2950, L0.2951, L0.2955, L0.2956, L0.2960, L0.2961, L0.2965, L0.2966, L0.2970, L0.2971, L0.2975, L0.2976, L0.2980, L0.2981, L0.2985, L0.2986, L0.2990, L0.2991, L0.2995, L0.2996, L0.3000, L0.3001"
+ - " Creating 2 files"
+ - "**** Simulation run 420, type=compact(ManySmallFiles). 14 Input Files, 2mb total:"
+ - "L0, all files 141kb "
+ - "L0.3005[55,69] 1.01us |-----------------L0.3005-----------------| "
+ - "L0.3006[70,84] 1.01us |-----------------L0.3006-----------------| "
+ - "L0.3010[55,69] 1.01us |-----------------L0.3010-----------------| "
+ - "L0.3011[70,84] 1.01us |-----------------L0.3011-----------------| "
+ - "L0.3015[55,69] 1.02us |-----------------L0.3015-----------------| "
+ - "L0.3016[70,84] 1.02us |-----------------L0.3016-----------------| "
+ - "L0.3020[55,69] 1.02us |-----------------L0.3020-----------------| "
+ - "L0.3021[70,84] 1.02us |-----------------L0.3021-----------------| "
+ - "L0.3025[55,69] 1.02us |-----------------L0.3025-----------------| "
+ - "L0.3026[70,84] 1.02us |-----------------L0.3026-----------------| "
+ - "L0.3030[55,69] 1.02us |-----------------L0.3030-----------------| "
+ - "L0.3031[70,84] 1.02us |-----------------L0.3031-----------------| "
+ - "L0.3035[55,69] 1.02us |-----------------L0.3035-----------------| "
+ - "L0.3036[70,84] 1.02us |-----------------L0.3036-----------------| "
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 2mb total:"
+ - "L0, all files 2mb "
+ - "L0.?[55,84] 1.02us |------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 14 files: L0.3005, L0.3006, L0.3010, L0.3011, L0.3015, L0.3016, L0.3020, L0.3021, L0.3025, L0.3026, L0.3030, L0.3031, L0.3035, L0.3036"
+ - " Creating 1 files"
+ - "**** Simulation run 421, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[48]). 200 Input Files, 29mb total:"
+ - "L0 "
+ - "L0.1504[40,54] 714ns 141kb |----------------L0.1504-----------------|"
+ - "L0.1508[24,39] 715ns 152kb|------------------L0.1508------------------| "
+ - "L0.1509[40,54] 715ns 141kb |----------------L0.1509-----------------|"
+ - "L0.1513[24,39] 716ns 152kb|------------------L0.1513------------------| "
+ - "L0.1514[40,54] 716ns 141kb |----------------L0.1514-----------------|"
+ - "L0.1518[24,39] 717ns 152kb|------------------L0.1518------------------| "
+ - "L0.1519[40,54] 717ns 141kb |----------------L0.1519-----------------|"
+ - "L0.1523[24,39] 718ns 152kb|------------------L0.1523------------------| "
+ - "L0.1524[40,54] 718ns 141kb |----------------L0.1524-----------------|"
+ - "L0.1528[24,39] 719ns 152kb|------------------L0.1528------------------| "
+ - "L0.1529[40,54] 719ns 141kb |----------------L0.1529-----------------|"
+ - "L0.1533[24,39] 720ns 152kb|------------------L0.1533------------------| "
+ - "L0.1534[40,54] 720ns 141kb |----------------L0.1534-----------------|"
+ - "L0.1538[24,39] 721ns 152kb|------------------L0.1538------------------| "
+ - "L0.1539[40,54] 721ns 141kb |----------------L0.1539-----------------|"
+ - "L0.1543[24,39] 722ns 152kb|------------------L0.1543------------------| "
+ - "L0.1544[40,54] 722ns 141kb |----------------L0.1544-----------------|"
+ - "L0.1548[24,39] 723ns 152kb|------------------L0.1548------------------| "
+ - "L0.1549[40,54] 723ns 141kb |----------------L0.1549-----------------|"
+ - "L0.1553[24,39] 724ns 152kb|------------------L0.1553------------------| "
+ - "L0.1554[40,54] 724ns 141kb |----------------L0.1554-----------------|"
+ - "L0.1558[24,39] 725ns 152kb|------------------L0.1558------------------| "
+ - "L0.1559[40,54] 725ns 141kb |----------------L0.1559-----------------|"
+ - "L0.1563[24,39] 726ns 152kb|------------------L0.1563------------------| "
+ - "L0.1564[40,54] 726ns 141kb |----------------L0.1564-----------------|"
+ - "L0.1568[24,39] 727ns 152kb|------------------L0.1568------------------| "
+ - "L0.1569[40,54] 727ns 141kb |----------------L0.1569-----------------|"
+ - "L0.1573[24,39] 728ns 152kb|------------------L0.1573------------------| "
+ - "L0.1574[40,54] 728ns 141kb |----------------L0.1574-----------------|"
+ - "L0.1578[24,39] 729ns 152kb|------------------L0.1578------------------| "
+ - "L0.1579[40,54] 729ns 141kb |----------------L0.1579-----------------|"
+ - "L0.1583[24,39] 730ns 152kb|------------------L0.1583------------------| "
+ - "L0.1584[40,54] 730ns 141kb |----------------L0.1584-----------------|"
+ - "L0.1588[24,39] 731ns 152kb|------------------L0.1588------------------| "
+ - "L0.1589[40,54] 731ns 141kb |----------------L0.1589-----------------|"
+ - "L0.1593[24,39] 732ns 152kb|------------------L0.1593------------------| "
+ - "L0.1594[40,54] 732ns 141kb |----------------L0.1594-----------------|"
+ - "L0.1598[24,39] 733ns 152kb|------------------L0.1598------------------| "
+ - "L0.1599[40,54] 733ns 141kb |----------------L0.1599-----------------|"
+ - "L0.1603[24,39] 734ns 152kb|------------------L0.1603------------------| "
+ - "L0.1604[40,54] 734ns 141kb |----------------L0.1604-----------------|"
+ - "L0.1608[24,39] 735ns 152kb|------------------L0.1608------------------| "
+ - "L0.1609[40,54] 735ns 141kb |----------------L0.1609-----------------|"
+ - "L0.1613[24,39] 736ns 152kb|------------------L0.1613------------------| "
+ - "L0.1614[40,54] 736ns 141kb |----------------L0.1614-----------------|"
+ - "L0.1618[24,39] 737ns 152kb|------------------L0.1618------------------| "
+ - "L0.1619[40,54] 737ns 141kb |----------------L0.1619-----------------|"
+ - "L0.1623[24,39] 738ns 152kb|------------------L0.1623------------------| "
+ - "L0.1624[40,54] 738ns 141kb |----------------L0.1624-----------------|"
+ - "L0.1628[24,39] 739ns 152kb|------------------L0.1628------------------| "
+ - "L0.1629[40,54] 739ns 141kb |----------------L0.1629-----------------|"
+ - "L0.1633[24,39] 740ns 152kb|------------------L0.1633------------------| "
+ - "L0.1634[40,54] 740ns 141kb |----------------L0.1634-----------------|"
+ - "L0.1638[24,39] 741ns 152kb|------------------L0.1638------------------| "
+ - "L0.1639[40,54] 741ns 141kb |----------------L0.1639-----------------|"
+ - "L0.1643[24,39] 742ns 152kb|------------------L0.1643------------------| "
+ - "L0.1644[40,54] 742ns 141kb |----------------L0.1644-----------------|"
+ - "L0.1648[24,39] 743ns 152kb|------------------L0.1648------------------| "
+ - "L0.1649[40,54] 743ns 141kb |----------------L0.1649-----------------|"
+ - "L0.1653[24,39] 744ns 152kb|------------------L0.1653------------------| "
+ - "L0.1654[40,54] 744ns 141kb |----------------L0.1654-----------------|"
+ - "L0.1658[24,39] 745ns 152kb|------------------L0.1658------------------| "
+ - "L0.1659[40,54] 745ns 141kb |----------------L0.1659-----------------|"
+ - "L0.1663[24,39] 746ns 152kb|------------------L0.1663------------------| "
+ - "L0.1664[40,54] 746ns 141kb |----------------L0.1664-----------------|"
+ - "L0.1668[24,39] 747ns 152kb|------------------L0.1668------------------| "
+ - "L0.1669[40,54] 747ns 141kb |----------------L0.1669-----------------|"
+ - "L0.1673[24,39] 748ns 152kb|------------------L0.1673------------------| "
+ - "L0.1674[40,54] 748ns 141kb |----------------L0.1674-----------------|"
+ - "L0.1678[24,39] 749ns 152kb|------------------L0.1678------------------| "
+ - "L0.1679[40,54] 749ns 141kb |----------------L0.1679-----------------|"
+ - "L0.1683[24,39] 750ns 152kb|------------------L0.1683------------------| "
+ - "L0.1684[40,54] 750ns 141kb |----------------L0.1684-----------------|"
+ - "L0.1688[24,39] 751ns 152kb|------------------L0.1688------------------| "
+ - "L0.1689[40,54] 751ns 141kb |----------------L0.1689-----------------|"
+ - "L0.1693[24,39] 752ns 152kb|------------------L0.1693------------------| "
+ - "L0.1694[40,54] 752ns 141kb |----------------L0.1694-----------------|"
+ - "L0.1698[24,39] 753ns 152kb|------------------L0.1698------------------| "
+ - "L0.1699[40,54] 753ns 141kb |----------------L0.1699-----------------|"
+ - "L0.1703[24,39] 754ns 152kb|------------------L0.1703------------------| "
+ - "L0.1704[40,54] 754ns 141kb |----------------L0.1704-----------------|"
+ - "L0.1708[24,39] 755ns 152kb|------------------L0.1708------------------| "
+ - "L0.1709[40,54] 755ns 141kb |----------------L0.1709-----------------|"
+ - "L0.1713[24,39] 756ns 152kb|------------------L0.1713------------------| "
+ - "L0.1714[40,54] 756ns 141kb |----------------L0.1714-----------------|"
+ - "L0.1718[24,39] 757ns 152kb|------------------L0.1718------------------| "
+ - "L0.1719[40,54] 757ns 141kb |----------------L0.1719-----------------|"
+ - "L0.1723[24,39] 758ns 152kb|------------------L0.1723------------------| "
+ - "L0.1724[40,54] 758ns 141kb |----------------L0.1724-----------------|"
+ - "L0.1728[24,39] 759ns 152kb|------------------L0.1728------------------| "
+ - "L0.1729[40,54] 759ns 141kb |----------------L0.1729-----------------|"
+ - "L0.1733[24,39] 760ns 152kb|------------------L0.1733------------------| "
+ - "L0.1734[40,54] 760ns 141kb |----------------L0.1734-----------------|"
+ - "L0.1738[24,39] 761ns 152kb|------------------L0.1738------------------| "
+ - "L0.1739[40,54] 761ns 141kb |----------------L0.1739-----------------|"
+ - "L0.1743[24,39] 762ns 152kb|------------------L0.1743------------------| "
+ - "L0.1744[40,54] 762ns 141kb |----------------L0.1744-----------------|"
+ - "L0.1748[24,39] 763ns 152kb|------------------L0.1748------------------| "
+ - "L0.1749[40,54] 763ns 141kb |----------------L0.1749-----------------|"
+ - "L0.1753[24,39] 764ns 152kb|------------------L0.1753------------------| "
+ - "L0.1754[40,54] 764ns 141kb |----------------L0.1754-----------------|"
+ - "L0.1758[24,39] 765ns 152kb|------------------L0.1758------------------| "
+ - "L0.1759[40,54] 765ns 141kb |----------------L0.1759-----------------|"
+ - "L0.1763[24,39] 766ns 152kb|------------------L0.1763------------------| "
+ - "L0.1764[40,54] 766ns 141kb |----------------L0.1764-----------------|"
+ - "L0.1768[24,39] 767ns 152kb|------------------L0.1768------------------| "
+ - "L0.1769[40,54] 767ns 141kb |----------------L0.1769-----------------|"
+ - "L0.1773[24,39] 768ns 152kb|------------------L0.1773------------------| "
+ - "L0.1774[40,54] 768ns 141kb |----------------L0.1774-----------------|"
+ - "L0.1778[24,39] 769ns 152kb|------------------L0.1778------------------| "
+ - "L0.1779[40,54] 769ns 141kb |----------------L0.1779-----------------|"
+ - "L0.1783[24,39] 770ns 152kb|------------------L0.1783------------------| "
+ - "L0.1784[40,54] 770ns 141kb |----------------L0.1784-----------------|"
+ - "L0.1788[24,39] 771ns 152kb|------------------L0.1788------------------| "
+ - "L0.1789[40,54] 771ns 141kb |----------------L0.1789-----------------|"
+ - "L0.1793[24,39] 772ns 152kb|------------------L0.1793------------------| "
+ - "L0.1794[40,54] 772ns 141kb |----------------L0.1794-----------------|"
+ - "L0.1798[24,39] 773ns 152kb|------------------L0.1798------------------| "
+ - "L0.1799[40,54] 773ns 141kb |----------------L0.1799-----------------|"
+ - "L0.1803[24,39] 774ns 152kb|------------------L0.1803------------------| "
+ - "L0.1804[40,54] 774ns 141kb |----------------L0.1804-----------------|"
+ - "L0.1808[24,39] 775ns 152kb|------------------L0.1808------------------| "
+ - "L0.1809[40,54] 775ns 141kb |----------------L0.1809-----------------|"
+ - "L0.1853[24,39] 776ns 152kb|------------------L0.1853------------------| "
+ - "L0.1854[40,54] 776ns 141kb |----------------L0.1854-----------------|"
+ - "L0.1858[24,39] 777ns 152kb|------------------L0.1858------------------| "
+ - "L0.1859[40,54] 777ns 141kb |----------------L0.1859-----------------|"
+ - "L0.1813[24,39] 778ns 152kb|------------------L0.1813------------------| "
+ - "L0.1814[40,54] 778ns 141kb |----------------L0.1814-----------------|"
+ - "L0.1818[24,39] 779ns 152kb|------------------L0.1818------------------| "
+ - "L0.1819[40,54] 779ns 141kb |----------------L0.1819-----------------|"
+ - "L0.1823[24,39] 780ns 152kb|------------------L0.1823------------------| "
+ - "L0.1824[40,54] 780ns 141kb |----------------L0.1824-----------------|"
+ - "L0.1828[24,39] 781ns 152kb|------------------L0.1828------------------| "
+ - "L0.1829[40,54] 781ns 141kb |----------------L0.1829-----------------|"
+ - "L0.1833[24,39] 782ns 152kb|------------------L0.1833------------------| "
+ - "L0.1834[40,54] 782ns 141kb |----------------L0.1834-----------------|"
+ - "L0.1838[24,39] 783ns 152kb|------------------L0.1838------------------| "
+ - "L0.1839[40,54] 783ns 141kb |----------------L0.1839-----------------|"
+ - "L0.1843[24,39] 784ns 152kb|------------------L0.1843------------------| "
+ - "L0.1844[40,54] 784ns 141kb |----------------L0.1844-----------------|"
+ - "L0.1848[24,39] 785ns 152kb|------------------L0.1848------------------| "
+ - "L0.1849[40,54] 785ns 141kb |----------------L0.1849-----------------|"
+ - "L0.1863[24,39] 786ns 152kb|------------------L0.1863------------------| "
+ - "L0.1864[40,54] 786ns 141kb |----------------L0.1864-----------------|"
+ - "L0.1868[24,39] 787ns 152kb|------------------L0.1868------------------| "
+ - "L0.1869[40,54] 787ns 141kb |----------------L0.1869-----------------|"
+ - "L0.1873[24,39] 788ns 152kb|------------------L0.1873------------------| "
+ - "L0.1874[40,54] 788ns 141kb |----------------L0.1874-----------------|"
+ - "L0.1878[24,39] 789ns 152kb|------------------L0.1878------------------| "
+ - "L0.1879[40,54] 789ns 141kb |----------------L0.1879-----------------|"
+ - "L0.1883[24,39] 790ns 152kb|------------------L0.1883------------------| "
+ - "L0.1884[40,54] 790ns 141kb |----------------L0.1884-----------------|"
+ - "L0.1888[24,39] 791ns 152kb|------------------L0.1888------------------| "
+ - "L0.1889[40,54] 791ns 141kb |----------------L0.1889-----------------|"
+ - "L0.1893[24,39] 792ns 152kb|------------------L0.1893------------------| "
+ - "L0.1894[40,54] 792ns 141kb |----------------L0.1894-----------------|"
+ - "L0.1898[24,39] 793ns 152kb|------------------L0.1898------------------| "
+ - "L0.1899[40,54] 793ns 141kb |----------------L0.1899-----------------|"
+ - "L0.1903[24,39] 794ns 152kb|------------------L0.1903------------------| "
+ - "L0.1904[40,54] 794ns 141kb |----------------L0.1904-----------------|"
+ - "L0.1908[24,39] 795ns 152kb|------------------L0.1908------------------| "
+ - "L0.1909[40,54] 795ns 141kb |----------------L0.1909-----------------|"
+ - "L0.1913[24,39] 796ns 152kb|------------------L0.1913------------------| "
+ - "L0.1914[40,54] 796ns 141kb |----------------L0.1914-----------------|"
+ - "L0.1918[24,39] 797ns 152kb|------------------L0.1918------------------| "
+ - "L0.1919[40,54] 797ns 141kb |----------------L0.1919-----------------|"
+ - "L0.1923[24,39] 798ns 152kb|------------------L0.1923------------------| "
+ - "L0.1924[40,54] 798ns 141kb |----------------L0.1924-----------------|"
+ - "L0.1928[24,39] 799ns 152kb|------------------L0.1928------------------| "
+ - "L0.1929[40,54] 799ns 141kb |----------------L0.1929-----------------|"
+ - "L0.1933[24,39] 800ns 152kb|------------------L0.1933------------------| "
+ - "L0.1934[40,54] 800ns 141kb |----------------L0.1934-----------------|"
+ - "L0.1938[24,39] 801ns 152kb|------------------L0.1938------------------| "
+ - "L0.1939[40,54] 801ns 141kb |----------------L0.1939-----------------|"
+ - "L0.1943[24,39] 802ns 152kb|------------------L0.1943------------------| "
+ - "L0.1944[40,54] 802ns 141kb |----------------L0.1944-----------------|"
+ - "L0.1948[24,39] 803ns 152kb|------------------L0.1948------------------| "
+ - "L0.1949[40,54] 803ns 141kb |----------------L0.1949-----------------|"
+ - "L0.1953[24,39] 804ns 152kb|------------------L0.1953------------------| "
+ - "L0.1954[40,54] 804ns 141kb |----------------L0.1954-----------------|"
+ - "L0.1958[24,39] 805ns 152kb|------------------L0.1958------------------| "
+ - "L0.1959[40,54] 805ns 141kb |----------------L0.1959-----------------|"
+ - "L0.1963[24,39] 806ns 152kb|------------------L0.1963------------------| "
+ - "L0.1964[40,54] 806ns 141kb |----------------L0.1964-----------------|"
+ - "L0.1968[24,39] 807ns 152kb|------------------L0.1968------------------| "
+ - "L0.1969[40,54] 807ns 141kb |----------------L0.1969-----------------|"
+ - "L0.1973[24,39] 808ns 152kb|------------------L0.1973------------------| "
+ - "L0.1974[40,54] 808ns 141kb |----------------L0.1974-----------------|"
+ - "L0.1978[24,39] 809ns 152kb|------------------L0.1978------------------| "
+ - "L0.1979[40,54] 809ns 141kb |----------------L0.1979-----------------|"
+ - "L0.1983[24,39] 810ns 152kb|------------------L0.1983------------------| "
+ - "L0.1984[40,54] 810ns 141kb |----------------L0.1984-----------------|"
+ - "L0.1988[24,39] 811ns 152kb|------------------L0.1988------------------| "
+ - "L0.1989[40,54] 811ns 141kb |----------------L0.1989-----------------|"
+ - "L0.1993[24,39] 812ns 152kb|------------------L0.1993------------------| "
+ - "L0.1994[40,54] 812ns 141kb |----------------L0.1994-----------------|"
+ - "L0.1998[24,39] 813ns 152kb|------------------L0.1998------------------| "
+ - "L0.1999[40,54] 813ns 141kb |----------------L0.1999-----------------|"
+ - "L0.2003[24,39] 814ns 152kb|------------------L0.2003------------------| "
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 29mb total:"
+ - "L0 "
+ - "L0.?[24,48] 814ns 23mb |---------------------------------L0.?---------------------------------| "
+ - "L0.?[49,54] 814ns 6mb |----L0.?-----|"
+ - "Committing partition 1:"
+ - " Soft Deleting 200 files: L0.1504, L0.1508, L0.1509, L0.1513, L0.1514, L0.1518, L0.1519, L0.1523, L0.1524, L0.1528, L0.1529, L0.1533, L0.1534, L0.1538, L0.1539, L0.1543, L0.1544, L0.1548, L0.1549, L0.1553, L0.1554, L0.1558, L0.1559, L0.1563, L0.1564, L0.1568, L0.1569, L0.1573, L0.1574, L0.1578, L0.1579, L0.1583, L0.1584, L0.1588, L0.1589, L0.1593, L0.1594, L0.1598, L0.1599, L0.1603, L0.1604, L0.1608, L0.1609, L0.1613, L0.1614, L0.1618, L0.1619, L0.1623, L0.1624, L0.1628, L0.1629, L0.1633, L0.1634, L0.1638, L0.1639, L0.1643, L0.1644, L0.1648, L0.1649, L0.1653, L0.1654, L0.1658, L0.1659, L0.1663, L0.1664, L0.1668, L0.1669, L0.1673, L0.1674, L0.1678, L0.1679, L0.1683, L0.1684, L0.1688, L0.1689, L0.1693, L0.1694, L0.1698, L0.1699, L0.1703, L0.1704, L0.1708, L0.1709, L0.1713, L0.1714, L0.1718, L0.1719, L0.1723, L0.1724, L0.1728, L0.1729, L0.1733, L0.1734, L0.1738, L0.1739, L0.1743, L0.1744, L0.1748, L0.1749, L0.1753, L0.1754, L0.1758, L0.1759, L0.1763, L0.1764, L0.1768, L0.1769, L0.1773, L0.1774, L0.1778, L0.1779, L0.1783, L0.1784, L0.1788, L0.1789, L0.1793, L0.1794, L0.1798, L0.1799, L0.1803, L0.1804, L0.1808, L0.1809, L0.1813, L0.1814, L0.1818, L0.1819, L0.1823, L0.1824, L0.1828, L0.1829, L0.1833, L0.1834, L0.1838, L0.1839, L0.1843, L0.1844, L0.1848, L0.1849, L0.1853, L0.1854, L0.1858, L0.1859, L0.1863, L0.1864, L0.1868, L0.1869, L0.1873, L0.1874, L0.1878, L0.1879, L0.1883, L0.1884, L0.1888, L0.1889, L0.1893, L0.1894, L0.1898, L0.1899, L0.1903, L0.1904, L0.1908, L0.1909, L0.1913, L0.1914, L0.1918, L0.1919, L0.1923, L0.1924, L0.1928, L0.1929, L0.1933, L0.1934, L0.1938, L0.1939, L0.1943, L0.1944, L0.1948, L0.1949, L0.1953, L0.1954, L0.1958, L0.1959, L0.1963, L0.1964, L0.1968, L0.1969, L0.1973, L0.1974, L0.1978, L0.1979, L0.1983, L0.1984, L0.1988, L0.1989, L0.1993, L0.1994, L0.1998, L0.1999, L0.2003"
+ - " Creating 2 files"
+ - "**** Simulation run 422, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[96]). 200 Input Files, 149mb total:"
+ - "L0 "
+ - "L0.3043[85,96] 615ns 70mb|----------------------------L0.3043-----------------------------| "
+ - "L0.1010[97,100] 615ns 41mb |----L0.1010-----|"
+ - "L0.1017[85,100] 616ns 192kb|----------------------------------------L0.1017-----------------------------------------|"
+ - "L0.1022[85,100] 617ns 192kb|----------------------------------------L0.1022-----------------------------------------|"
+ - "L0.1027[85,100] 618ns 192kb|----------------------------------------L0.1027-----------------------------------------|"
+ - "L0.1032[85,100] 619ns 192kb|----------------------------------------L0.1032-----------------------------------------|"
+ - "L0.1037[85,100] 620ns 192kb|----------------------------------------L0.1037-----------------------------------------|"
+ - "L0.1042[85,100] 621ns 192kb|----------------------------------------L0.1042-----------------------------------------|"
+ - "L0.1047[85,100] 622ns 192kb|----------------------------------------L0.1047-----------------------------------------|"
+ - "L0.1052[85,100] 623ns 192kb|----------------------------------------L0.1052-----------------------------------------|"
+ - "L0.1057[85,100] 624ns 192kb|----------------------------------------L0.1057-----------------------------------------|"
+ - "L0.1062[85,100] 625ns 192kb|----------------------------------------L0.1062-----------------------------------------|"
+ - "L0.1067[85,100] 626ns 192kb|----------------------------------------L0.1067-----------------------------------------|"
+ - "L0.1072[85,100] 627ns 192kb|----------------------------------------L0.1072-----------------------------------------|"
+ - "L0.1077[85,100] 628ns 192kb|----------------------------------------L0.1077-----------------------------------------|"
+ - "L0.1082[85,100] 629ns 192kb|----------------------------------------L0.1082-----------------------------------------|"
+ - "L0.1087[85,100] 630ns 192kb|----------------------------------------L0.1087-----------------------------------------|"
+ - "L0.1092[85,100] 631ns 192kb|----------------------------------------L0.1092-----------------------------------------|"
+ - "L0.1097[85,100] 632ns 192kb|----------------------------------------L0.1097-----------------------------------------|"
+ - "L0.1102[85,100] 633ns 192kb|----------------------------------------L0.1102-----------------------------------------|"
+ - "L0.1107[85,100] 634ns 192kb|----------------------------------------L0.1107-----------------------------------------|"
+ - "L0.1112[85,100] 635ns 192kb|----------------------------------------L0.1112-----------------------------------------|"
+ - "L0.1117[85,100] 636ns 192kb|----------------------------------------L0.1117-----------------------------------------|"
+ - "L0.1122[85,100] 637ns 192kb|----------------------------------------L0.1122-----------------------------------------|"
+ - "L0.1127[85,100] 638ns 192kb|----------------------------------------L0.1127-----------------------------------------|"
+ - "L0.1132[85,100] 639ns 192kb|----------------------------------------L0.1132-----------------------------------------|"
+ - "L0.1137[85,100] 640ns 192kb|----------------------------------------L0.1137-----------------------------------------|"
+ - "L0.1142[85,100] 641ns 192kb|----------------------------------------L0.1142-----------------------------------------|"
+ - "L0.1147[85,100] 642ns 192kb|----------------------------------------L0.1147-----------------------------------------|"
+ - "L0.1152[85,100] 643ns 192kb|----------------------------------------L0.1152-----------------------------------------|"
+ - "L0.1157[85,100] 644ns 192kb|----------------------------------------L0.1157-----------------------------------------|"
+ - "L0.1162[85,100] 645ns 192kb|----------------------------------------L0.1162-----------------------------------------|"
+ - "L0.1167[85,100] 646ns 192kb|----------------------------------------L0.1167-----------------------------------------|"
+ - "L0.1172[85,100] 647ns 192kb|----------------------------------------L0.1172-----------------------------------------|"
+ - "L0.1217[85,100] 648ns 192kb|----------------------------------------L0.1217-----------------------------------------|"
+ - "L0.1222[85,100] 649ns 192kb|----------------------------------------L0.1222-----------------------------------------|"
+ - "L0.1177[85,100] 650ns 192kb|----------------------------------------L0.1177-----------------------------------------|"
+ - "L0.1182[85,100] 651ns 192kb|----------------------------------------L0.1182-----------------------------------------|"
+ - "L0.1187[85,100] 652ns 192kb|----------------------------------------L0.1187-----------------------------------------|"
+ - "L0.1192[85,100] 653ns 192kb|----------------------------------------L0.1192-----------------------------------------|"
+ - "L0.1197[85,100] 654ns 192kb|----------------------------------------L0.1197-----------------------------------------|"
+ - "L0.1202[85,100] 655ns 192kb|----------------------------------------L0.1202-----------------------------------------|"
+ - "L0.1207[85,100] 656ns 192kb|----------------------------------------L0.1207-----------------------------------------|"
+ - "L0.1212[85,100] 657ns 192kb|----------------------------------------L0.1212-----------------------------------------|"
+ - "L0.1227[85,100] 658ns 192kb|----------------------------------------L0.1227-----------------------------------------|"
+ - "L0.1232[85,100] 659ns 192kb|----------------------------------------L0.1232-----------------------------------------|"
+ - "L0.1237[85,100] 660ns 192kb|----------------------------------------L0.1237-----------------------------------------|"
+ - "L0.1242[85,100] 661ns 192kb|----------------------------------------L0.1242-----------------------------------------|"
+ - "L0.1247[85,100] 662ns 192kb|----------------------------------------L0.1247-----------------------------------------|"
+ - "L0.1252[85,100] 663ns 192kb|----------------------------------------L0.1252-----------------------------------------|"
+ - "L0.1257[85,100] 664ns 192kb|----------------------------------------L0.1257-----------------------------------------|"
+ - "L0.1262[85,100] 665ns 192kb|----------------------------------------L0.1262-----------------------------------------|"
+ - "L0.1267[85,100] 666ns 192kb|----------------------------------------L0.1267-----------------------------------------|"
+ - "L0.1272[85,100] 667ns 192kb|----------------------------------------L0.1272-----------------------------------------|"
+ - "L0.1277[85,100] 668ns 192kb|----------------------------------------L0.1277-----------------------------------------|"
+ - "L0.1282[85,100] 669ns 192kb|----------------------------------------L0.1282-----------------------------------------|"
+ - "L0.1287[85,100] 670ns 192kb|----------------------------------------L0.1287-----------------------------------------|"
+ - "L0.1292[85,100] 671ns 192kb|----------------------------------------L0.1292-----------------------------------------|"
+ - "L0.1297[85,100] 672ns 192kb|----------------------------------------L0.1297-----------------------------------------|"
+ - "L0.1302[85,100] 673ns 192kb|----------------------------------------L0.1302-----------------------------------------|"
+ - "L0.1307[85,100] 674ns 192kb|----------------------------------------L0.1307-----------------------------------------|"
+ - "L0.1312[85,100] 675ns 192kb|----------------------------------------L0.1312-----------------------------------------|"
+ - "L0.1317[85,100] 676ns 192kb|----------------------------------------L0.1317-----------------------------------------|"
+ - "L0.1322[85,100] 677ns 192kb|----------------------------------------L0.1322-----------------------------------------|"
+ - "L0.1327[85,100] 678ns 192kb|----------------------------------------L0.1327-----------------------------------------|"
+ - "L0.1332[85,100] 679ns 192kb|----------------------------------------L0.1332-----------------------------------------|"
+ - "L0.1337[85,100] 680ns 192kb|----------------------------------------L0.1337-----------------------------------------|"
+ - "L0.1342[85,100] 681ns 192kb|----------------------------------------L0.1342-----------------------------------------|"
+ - "L0.1347[85,100] 682ns 192kb|----------------------------------------L0.1347-----------------------------------------|"
+ - "L0.1352[85,100] 683ns 192kb|----------------------------------------L0.1352-----------------------------------------|"
+ - "L0.1357[85,100] 684ns 192kb|----------------------------------------L0.1357-----------------------------------------|"
+ - "L0.1362[85,100] 685ns 192kb|----------------------------------------L0.1362-----------------------------------------|"
+ - "L0.1367[85,100] 686ns 192kb|----------------------------------------L0.1367-----------------------------------------|"
+ - "L0.1372[85,100] 687ns 192kb|----------------------------------------L0.1372-----------------------------------------|"
+ - "L0.1377[85,100] 688ns 192kb|----------------------------------------L0.1377-----------------------------------------|"
+ - "L0.1382[85,100] 689ns 192kb|----------------------------------------L0.1382-----------------------------------------|"
+ - "L0.1387[85,100] 690ns 192kb|----------------------------------------L0.1387-----------------------------------------|"
+ - "L0.1392[85,100] 691ns 192kb|----------------------------------------L0.1392-----------------------------------------|"
+ - "L0.1397[85,100] 692ns 192kb|----------------------------------------L0.1397-----------------------------------------|"
+ - "L0.1402[85,100] 693ns 192kb|----------------------------------------L0.1402-----------------------------------------|"
+ - "L0.1407[85,100] 694ns 192kb|----------------------------------------L0.1407-----------------------------------------|"
+ - "L0.1412[85,100] 695ns 192kb|----------------------------------------L0.1412-----------------------------------------|"
+ - "L0.1417[85,100] 696ns 192kb|----------------------------------------L0.1417-----------------------------------------|"
+ - "L0.1422[85,100] 697ns 192kb|----------------------------------------L0.1422-----------------------------------------|"
+ - "L0.1427[85,100] 698ns 192kb|----------------------------------------L0.1427-----------------------------------------|"
+ - "L0.1432[85,100] 699ns 192kb|----------------------------------------L0.1432-----------------------------------------|"
+ - "L0.1437[85,100] 700ns 192kb|----------------------------------------L0.1437-----------------------------------------|"
+ - "L0.1442[85,100] 701ns 192kb|----------------------------------------L0.1442-----------------------------------------|"
+ - "L0.1447[85,100] 702ns 192kb|----------------------------------------L0.1447-----------------------------------------|"
+ - "L0.1452[85,100] 703ns 192kb|----------------------------------------L0.1452-----------------------------------------|"
+ - "L0.1457[85,100] 704ns 192kb|----------------------------------------L0.1457-----------------------------------------|"
+ - "L0.1462[85,100] 705ns 192kb|----------------------------------------L0.1462-----------------------------------------|"
+ - "L0.1467[85,100] 706ns 192kb|----------------------------------------L0.1467-----------------------------------------|"
+ - "L0.1472[85,100] 707ns 192kb|----------------------------------------L0.1472-----------------------------------------|"
+ - "L0.1477[85,100] 708ns 192kb|----------------------------------------L0.1477-----------------------------------------|"
+ - "L0.1482[85,100] 709ns 192kb|----------------------------------------L0.1482-----------------------------------------|"
+ - "L0.1487[85,100] 710ns 192kb|----------------------------------------L0.1487-----------------------------------------|"
+ - "L0.1492[85,100] 711ns 192kb|----------------------------------------L0.1492-----------------------------------------|"
+ - "L0.1497[85,100] 712ns 192kb|----------------------------------------L0.1497-----------------------------------------|"
+ - "L0.1502[85,100] 713ns 192kb|----------------------------------------L0.1502-----------------------------------------|"
+ - "L0.1507[85,100] 714ns 192kb|----------------------------------------L0.1507-----------------------------------------|"
+ - "L0.1512[85,100] 715ns 192kb|----------------------------------------L0.1512-----------------------------------------|"
+ - "L0.1517[85,100] 716ns 192kb|----------------------------------------L0.1517-----------------------------------------|"
+ - "L0.1522[85,100] 717ns 192kb|----------------------------------------L0.1522-----------------------------------------|"
+ - "L0.1527[85,100] 718ns 192kb|----------------------------------------L0.1527-----------------------------------------|"
+ - "L0.1532[85,100] 719ns 192kb|----------------------------------------L0.1532-----------------------------------------|"
+ - "L0.1537[85,100] 720ns 192kb|----------------------------------------L0.1537-----------------------------------------|"
+ - "L0.1542[85,100] 721ns 192kb|----------------------------------------L0.1542-----------------------------------------|"
+ - "L0.1547[85,100] 722ns 192kb|----------------------------------------L0.1547-----------------------------------------|"
+ - "L0.1552[85,100] 723ns 192kb|----------------------------------------L0.1552-----------------------------------------|"
+ - "L0.1557[85,100] 724ns 192kb|----------------------------------------L0.1557-----------------------------------------|"
+ - "L0.1562[85,100] 725ns 192kb|----------------------------------------L0.1562-----------------------------------------|"
+ - "L0.1567[85,100] 726ns 192kb|----------------------------------------L0.1567-----------------------------------------|"
+ - "L0.1572[85,100] 727ns 192kb|----------------------------------------L0.1572-----------------------------------------|"
+ - "L0.1577[85,100] 728ns 192kb|----------------------------------------L0.1577-----------------------------------------|"
+ - "L0.1582[85,100] 729ns 192kb|----------------------------------------L0.1582-----------------------------------------|"
+ - "L0.1587[85,100] 730ns 192kb|----------------------------------------L0.1587-----------------------------------------|"
+ - "L0.1592[85,100] 731ns 192kb|----------------------------------------L0.1592-----------------------------------------|"
+ - "L0.1597[85,100] 732ns 192kb|----------------------------------------L0.1597-----------------------------------------|"
+ - "L0.1602[85,100] 733ns 192kb|----------------------------------------L0.1602-----------------------------------------|"
+ - "L0.1607[85,100] 734ns 192kb|----------------------------------------L0.1607-----------------------------------------|"
+ - "L0.1612[85,100] 735ns 192kb|----------------------------------------L0.1612-----------------------------------------|"
+ - "L0.1617[85,100] 736ns 192kb|----------------------------------------L0.1617-----------------------------------------|"
+ - "L0.1622[85,100] 737ns 192kb|----------------------------------------L0.1622-----------------------------------------|"
+ - "L0.1627[85,100] 738ns 192kb|----------------------------------------L0.1627-----------------------------------------|"
+ - "L0.1632[85,100] 739ns 192kb|----------------------------------------L0.1632-----------------------------------------|"
+ - "L0.1637[85,100] 740ns 192kb|----------------------------------------L0.1637-----------------------------------------|"
+ - "L0.1642[85,100] 741ns 192kb|----------------------------------------L0.1642-----------------------------------------|"
+ - "L0.1647[85,100] 742ns 192kb|----------------------------------------L0.1647-----------------------------------------|"
+ - "L0.1652[85,100] 743ns 192kb|----------------------------------------L0.1652-----------------------------------------|"
+ - "L0.1657[85,100] 744ns 192kb|----------------------------------------L0.1657-----------------------------------------|"
+ - "L0.1662[85,100] 745ns 192kb|----------------------------------------L0.1662-----------------------------------------|"
+ - "L0.1667[85,100] 746ns 192kb|----------------------------------------L0.1667-----------------------------------------|"
+ - "L0.1672[85,100] 747ns 192kb|----------------------------------------L0.1672-----------------------------------------|"
+ - "L0.1677[85,100] 748ns 192kb|----------------------------------------L0.1677-----------------------------------------|"
+ - "L0.1682[85,100] 749ns 192kb|----------------------------------------L0.1682-----------------------------------------|"
+ - "L0.1687[85,100] 750ns 192kb|----------------------------------------L0.1687-----------------------------------------|"
+ - "L0.1692[85,100] 751ns 192kb|----------------------------------------L0.1692-----------------------------------------|"
+ - "L0.1697[85,100] 752ns 192kb|----------------------------------------L0.1697-----------------------------------------|"
+ - "L0.1702[85,100] 753ns 192kb|----------------------------------------L0.1702-----------------------------------------|"
+ - "L0.1707[85,100] 754ns 192kb|----------------------------------------L0.1707-----------------------------------------|"
+ - "L0.1712[85,100] 755ns 192kb|----------------------------------------L0.1712-----------------------------------------|"
+ - "L0.1717[85,100] 756ns 192kb|----------------------------------------L0.1717-----------------------------------------|"
+ - "L0.1722[85,100] 757ns 192kb|----------------------------------------L0.1722-----------------------------------------|"
+ - "L0.1727[85,100] 758ns 192kb|----------------------------------------L0.1727-----------------------------------------|"
+ - "L0.1732[85,100] 759ns 192kb|----------------------------------------L0.1732-----------------------------------------|"
+ - "L0.1737[85,100] 760ns 192kb|----------------------------------------L0.1737-----------------------------------------|"
+ - "L0.1742[85,100] 761ns 192kb|----------------------------------------L0.1742-----------------------------------------|"
+ - "L0.1747[85,100] 762ns 192kb|----------------------------------------L0.1747-----------------------------------------|"
+ - "L0.1752[85,100] 763ns 192kb|----------------------------------------L0.1752-----------------------------------------|"
+ - "L0.1757[85,100] 764ns 192kb|----------------------------------------L0.1757-----------------------------------------|"
+ - "L0.1762[85,100] 765ns 192kb|----------------------------------------L0.1762-----------------------------------------|"
+ - "L0.1767[85,100] 766ns 192kb|----------------------------------------L0.1767-----------------------------------------|"
+ - "L0.1772[85,100] 767ns 192kb|----------------------------------------L0.1772-----------------------------------------|"
+ - "L0.1777[85,100] 768ns 192kb|----------------------------------------L0.1777-----------------------------------------|"
+ - "L0.1782[85,100] 769ns 192kb|----------------------------------------L0.1782-----------------------------------------|"
+ - "L0.1787[85,100] 770ns 192kb|----------------------------------------L0.1787-----------------------------------------|"
+ - "L0.1792[85,100] 771ns 192kb|----------------------------------------L0.1792-----------------------------------------|"
+ - "L0.1797[85,100] 772ns 192kb|----------------------------------------L0.1797-----------------------------------------|"
+ - "L0.1802[85,100] 773ns 192kb|----------------------------------------L0.1802-----------------------------------------|"
+ - "L0.1807[85,100] 774ns 192kb|----------------------------------------L0.1807-----------------------------------------|"
+ - "L0.1812[85,100] 775ns 192kb|----------------------------------------L0.1812-----------------------------------------|"
+ - "L0.1857[85,100] 776ns 192kb|----------------------------------------L0.1857-----------------------------------------|"
+ - "L0.1862[85,100] 777ns 192kb|----------------------------------------L0.1862-----------------------------------------|"
+ - "L0.1817[85,100] 778ns 192kb|----------------------------------------L0.1817-----------------------------------------|"
+ - "L0.1822[85,100] 779ns 192kb|----------------------------------------L0.1822-----------------------------------------|"
+ - "L0.1827[85,100] 780ns 192kb|----------------------------------------L0.1827-----------------------------------------|"
+ - "L0.1832[85,100] 781ns 192kb|----------------------------------------L0.1832-----------------------------------------|"
+ - "L0.1837[85,100] 782ns 192kb|----------------------------------------L0.1837-----------------------------------------|"
+ - "L0.1842[85,100] 783ns 192kb|----------------------------------------L0.1842-----------------------------------------|"
+ - "L0.1847[85,100] 784ns 192kb|----------------------------------------L0.1847-----------------------------------------|"
+ - "L0.1852[85,100] 785ns 192kb|----------------------------------------L0.1852-----------------------------------------|"
+ - "L0.1867[85,100] 786ns 192kb|----------------------------------------L0.1867-----------------------------------------|"
+ - "L0.1872[85,100] 787ns 192kb|----------------------------------------L0.1872-----------------------------------------|"
+ - "L0.1877[85,100] 788ns 192kb|----------------------------------------L0.1877-----------------------------------------|"
+ - "L0.1882[85,100] 789ns 192kb|----------------------------------------L0.1882-----------------------------------------|"
+ - "L0.1887[85,100] 790ns 192kb|----------------------------------------L0.1887-----------------------------------------|"
+ - "L0.1892[85,100] 791ns 192kb|----------------------------------------L0.1892-----------------------------------------|"
+ - "L0.1897[85,100] 792ns 192kb|----------------------------------------L0.1897-----------------------------------------|"
+ - "L0.1902[85,100] 793ns 192kb|----------------------------------------L0.1902-----------------------------------------|"
+ - "L0.1907[85,100] 794ns 192kb|----------------------------------------L0.1907-----------------------------------------|"
+ - "L0.1912[85,100] 795ns 192kb|----------------------------------------L0.1912-----------------------------------------|"
+ - "L0.1917[85,100] 796ns 192kb|----------------------------------------L0.1917-----------------------------------------|"
+ - "L0.1922[85,100] 797ns 192kb|----------------------------------------L0.1922-----------------------------------------|"
+ - "L0.1927[85,100] 798ns 192kb|----------------------------------------L0.1927-----------------------------------------|"
+ - "L0.1932[85,100] 799ns 192kb|----------------------------------------L0.1932-----------------------------------------|"
+ - "L0.1937[85,100] 800ns 192kb|----------------------------------------L0.1937-----------------------------------------|"
+ - "L0.1942[85,100] 801ns 192kb|----------------------------------------L0.1942-----------------------------------------|"
+ - "L0.1947[85,100] 802ns 192kb|----------------------------------------L0.1947-----------------------------------------|"
+ - "L0.1952[85,100] 803ns 192kb|----------------------------------------L0.1952-----------------------------------------|"
+ - "L0.1957[85,100] 804ns 192kb|----------------------------------------L0.1957-----------------------------------------|"
+ - "L0.1962[85,100] 805ns 192kb|----------------------------------------L0.1962-----------------------------------------|"
+ - "L0.1967[85,100] 806ns 192kb|----------------------------------------L0.1967-----------------------------------------|"
+ - "L0.1972[85,100] 807ns 192kb|----------------------------------------L0.1972-----------------------------------------|"
+ - "L0.1977[85,100] 808ns 192kb|----------------------------------------L0.1977-----------------------------------------|"
+ - "L0.1982[85,100] 809ns 192kb|----------------------------------------L0.1982-----------------------------------------|"
+ - "L0.1987[85,100] 810ns 192kb|----------------------------------------L0.1987-----------------------------------------|"
+ - "L0.1992[85,100] 811ns 192kb|----------------------------------------L0.1992-----------------------------------------|"
+ - "L0.1997[85,100] 812ns 192kb|----------------------------------------L0.1997-----------------------------------------|"
+ - "L0.2002[85,100] 813ns 192kb|----------------------------------------L0.2002-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 149mb total:"
+ - "L0 "
+ - "L0.?[85,96] 813ns 109mb |------------------------------L0.?------------------------------| "
+ - "L0.?[97,100] 813ns 40mb |------L0.?------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 200 files: L0.1010, L0.1017, L0.1022, L0.1027, L0.1032, L0.1037, L0.1042, L0.1047, L0.1052, L0.1057, L0.1062, L0.1067, L0.1072, L0.1077, L0.1082, L0.1087, L0.1092, L0.1097, L0.1102, L0.1107, L0.1112, L0.1117, L0.1122, L0.1127, L0.1132, L0.1137, L0.1142, L0.1147, L0.1152, L0.1157, L0.1162, L0.1167, L0.1172, L0.1177, L0.1182, L0.1187, L0.1192, L0.1197, L0.1202, L0.1207, L0.1212, L0.1217, L0.1222, L0.1227, L0.1232, L0.1237, L0.1242, L0.1247, L0.1252, L0.1257, L0.1262, L0.1267, L0.1272, L0.1277, L0.1282, L0.1287, L0.1292, L0.1297, L0.1302, L0.1307, L0.1312, L0.1317, L0.1322, L0.1327, L0.1332, L0.1337, L0.1342, L0.1347, L0.1352, L0.1357, L0.1362, L0.1367, L0.1372, L0.1377, L0.1382, L0.1387, L0.1392, L0.1397, L0.1402, L0.1407, L0.1412, L0.1417, L0.1422, L0.1427, L0.1432, L0.1437, L0.1442, L0.1447, L0.1452, L0.1457, L0.1462, L0.1467, L0.1472, L0.1477, L0.1482, L0.1487, L0.1492, L0.1497, L0.1502, L0.1507, L0.1512, L0.1517, L0.1522, L0.1527, L0.1532, L0.1537, L0.1542, L0.1547, L0.1552, L0.1557, L0.1562, L0.1567, L0.1572, L0.1577, L0.1582, L0.1587, L0.1592, L0.1597, L0.1602, L0.1607, L0.1612, L0.1617, L0.1622, L0.1627, L0.1632, L0.1637, L0.1642, L0.1647, L0.1652, L0.1657, L0.1662, L0.1667, L0.1672, L0.1677, L0.1682, L0.1687, L0.1692, L0.1697, L0.1702, L0.1707, L0.1712, L0.1717, L0.1722, L0.1727, L0.1732, L0.1737, L0.1742, L0.1747, L0.1752, L0.1757, L0.1762, L0.1767, L0.1772, L0.1777, L0.1782, L0.1787, L0.1792, L0.1797, L0.1802, L0.1807, L0.1812, L0.1817, L0.1822, L0.1827, L0.1832, L0.1837, L0.1842, L0.1847, L0.1852, L0.1857, L0.1862, L0.1867, L0.1872, L0.1877, L0.1882, L0.1887, L0.1892, L0.1897, L0.1902, L0.1907, L0.1912, L0.1917, L0.1922, L0.1927, L0.1932, L0.1937, L0.1942, L0.1947, L0.1952, L0.1957, L0.1962, L0.1967, L0.1972, L0.1977, L0.1982, L0.1987, L0.1992, L0.1997, L0.2002, L0.3043"
+ - " Creating 2 files"
+ - "**** Simulation run 423, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[97]). 200 Input Files, 38mb total:"
+ - "L0, all files 192kb "
+ - "L0.2007[85,100] 814ns |----------------------------------------L0.2007-----------------------------------------|"
+ - "L0.2012[85,100] 815ns |----------------------------------------L0.2012-----------------------------------------|"
+ - "L0.2017[85,100] 816ns |----------------------------------------L0.2017-----------------------------------------|"
+ - "L0.2022[85,100] 817ns |----------------------------------------L0.2022-----------------------------------------|"
+ - "L0.2027[85,100] 818ns |----------------------------------------L0.2027-----------------------------------------|"
+ - "L0.2032[85,100] 819ns |----------------------------------------L0.2032-----------------------------------------|"
+ - "L0.2037[85,100] 820ns |----------------------------------------L0.2037-----------------------------------------|"
+ - "L0.2042[85,100] 821ns |----------------------------------------L0.2042-----------------------------------------|"
+ - "L0.2047[85,100] 822ns |----------------------------------------L0.2047-----------------------------------------|"
+ - "L0.2052[85,100] 823ns |----------------------------------------L0.2052-----------------------------------------|"
+ - "L0.2057[85,100] 824ns |----------------------------------------L0.2057-----------------------------------------|"
+ - "L0.2062[85,100] 825ns |----------------------------------------L0.2062-----------------------------------------|"
+ - "L0.2067[85,100] 826ns |----------------------------------------L0.2067-----------------------------------------|"
+ - "L0.2072[85,100] 827ns |----------------------------------------L0.2072-----------------------------------------|"
+ - "L0.2077[85,100] 828ns |----------------------------------------L0.2077-----------------------------------------|"
+ - "L0.2082[85,100] 829ns |----------------------------------------L0.2082-----------------------------------------|"
+ - "L0.2087[85,100] 830ns |----------------------------------------L0.2087-----------------------------------------|"
+ - "L0.2092[85,100] 831ns |----------------------------------------L0.2092-----------------------------------------|"
+ - "L0.2097[85,100] 832ns |----------------------------------------L0.2097-----------------------------------------|"
+ - "L0.2102[85,100] 833ns |----------------------------------------L0.2102-----------------------------------------|"
+ - "L0.2107[85,100] 834ns |----------------------------------------L0.2107-----------------------------------------|"
+ - "L0.2112[85,100] 835ns |----------------------------------------L0.2112-----------------------------------------|"
+ - "L0.2117[85,100] 836ns |----------------------------------------L0.2117-----------------------------------------|"
+ - "L0.2122[85,100] 837ns |----------------------------------------L0.2122-----------------------------------------|"
+ - "L0.2127[85,100] 838ns |----------------------------------------L0.2127-----------------------------------------|"
+ - "L0.2132[85,100] 839ns |----------------------------------------L0.2132-----------------------------------------|"
+ - "L0.2137[85,100] 840ns |----------------------------------------L0.2137-----------------------------------------|"
+ - "L0.2142[85,100] 841ns |----------------------------------------L0.2142-----------------------------------------|"
+ - "L0.2147[85,100] 842ns |----------------------------------------L0.2147-----------------------------------------|"
+ - "L0.2152[85,100] 843ns |----------------------------------------L0.2152-----------------------------------------|"
+ - "L0.2157[85,100] 844ns |----------------------------------------L0.2157-----------------------------------------|"
+ - "L0.2162[85,100] 845ns |----------------------------------------L0.2162-----------------------------------------|"
+ - "L0.2167[85,100] 846ns |----------------------------------------L0.2167-----------------------------------------|"
+ - "L0.2172[85,100] 847ns |----------------------------------------L0.2172-----------------------------------------|"
+ - "L0.2177[85,100] 848ns |----------------------------------------L0.2177-----------------------------------------|"
+ - "L0.2182[85,100] 849ns |----------------------------------------L0.2182-----------------------------------------|"
+ - "L0.2187[85,100] 850ns |----------------------------------------L0.2187-----------------------------------------|"
+ - "L0.2192[85,100] 851ns |----------------------------------------L0.2192-----------------------------------------|"
+ - "L0.2197[85,100] 852ns |----------------------------------------L0.2197-----------------------------------------|"
+ - "L0.2202[85,100] 853ns |----------------------------------------L0.2202-----------------------------------------|"
+ - "L0.2207[85,100] 854ns |----------------------------------------L0.2207-----------------------------------------|"
+ - "L0.2212[85,100] 855ns |----------------------------------------L0.2212-----------------------------------------|"
+ - "L0.2217[85,100] 856ns |----------------------------------------L0.2217-----------------------------------------|"
+ - "L0.2222[85,100] 857ns |----------------------------------------L0.2222-----------------------------------------|"
+ - "L0.2227[85,100] 858ns |----------------------------------------L0.2227-----------------------------------------|"
+ - "L0.2232[85,100] 859ns |----------------------------------------L0.2232-----------------------------------------|"
+ - "L0.2237[85,100] 860ns |----------------------------------------L0.2237-----------------------------------------|"
+ - "L0.2242[85,100] 861ns |----------------------------------------L0.2242-----------------------------------------|"
+ - "L0.2247[85,100] 862ns |----------------------------------------L0.2247-----------------------------------------|"
+ - "L0.2252[85,100] 863ns |----------------------------------------L0.2252-----------------------------------------|"
+ - "L0.2257[85,100] 864ns |----------------------------------------L0.2257-----------------------------------------|"
+ - "L0.2262[85,100] 865ns |----------------------------------------L0.2262-----------------------------------------|"
+ - "L0.2267[85,100] 866ns |----------------------------------------L0.2267-----------------------------------------|"
+ - "L0.2272[85,100] 867ns |----------------------------------------L0.2272-----------------------------------------|"
+ - "L0.2277[85,100] 868ns |----------------------------------------L0.2277-----------------------------------------|"
+ - "L0.2282[85,100] 869ns |----------------------------------------L0.2282-----------------------------------------|"
+ - "L0.2287[85,100] 870ns |----------------------------------------L0.2287-----------------------------------------|"
+ - "L0.2292[85,100] 871ns |----------------------------------------L0.2292-----------------------------------------|"
+ - "L0.2297[85,100] 872ns |----------------------------------------L0.2297-----------------------------------------|"
+ - "L0.2302[85,100] 873ns |----------------------------------------L0.2302-----------------------------------------|"
+ - "L0.2307[85,100] 874ns |----------------------------------------L0.2307-----------------------------------------|"
+ - "L0.2312[85,100] 875ns |----------------------------------------L0.2312-----------------------------------------|"
+ - "L0.2317[85,100] 876ns |----------------------------------------L0.2317-----------------------------------------|"
+ - "L0.2322[85,100] 877ns |----------------------------------------L0.2322-----------------------------------------|"
+ - "L0.2327[85,100] 878ns |----------------------------------------L0.2327-----------------------------------------|"
+ - "L0.2332[85,100] 879ns |----------------------------------------L0.2332-----------------------------------------|"
+ - "L0.2337[85,100] 880ns |----------------------------------------L0.2337-----------------------------------------|"
+ - "L0.2342[85,100] 881ns |----------------------------------------L0.2342-----------------------------------------|"
+ - "L0.2347[85,100] 882ns |----------------------------------------L0.2347-----------------------------------------|"
+ - "L0.2352[85,100] 883ns |----------------------------------------L0.2352-----------------------------------------|"
+ - "L0.2357[85,100] 884ns |----------------------------------------L0.2357-----------------------------------------|"
+ - "L0.2362[85,100] 885ns |----------------------------------------L0.2362-----------------------------------------|"
+ - "L0.2367[85,100] 886ns |----------------------------------------L0.2367-----------------------------------------|"
+ - "L0.2372[85,100] 887ns |----------------------------------------L0.2372-----------------------------------------|"
+ - "L0.2377[85,100] 888ns |----------------------------------------L0.2377-----------------------------------------|"
+ - "L0.2382[85,100] 889ns |----------------------------------------L0.2382-----------------------------------------|"
+ - "L0.2387[85,100] 890ns |----------------------------------------L0.2387-----------------------------------------|"
+ - "L0.2392[85,100] 891ns |----------------------------------------L0.2392-----------------------------------------|"
+ - "L0.2397[85,100] 892ns |----------------------------------------L0.2397-----------------------------------------|"
+ - "L0.2402[85,100] 893ns |----------------------------------------L0.2402-----------------------------------------|"
+ - "L0.2407[85,100] 894ns |----------------------------------------L0.2407-----------------------------------------|"
+ - "L0.2412[85,100] 895ns |----------------------------------------L0.2412-----------------------------------------|"
+ - "L0.2417[85,100] 896ns |----------------------------------------L0.2417-----------------------------------------|"
+ - "L0.2422[85,100] 897ns |----------------------------------------L0.2422-----------------------------------------|"
+ - "L0.2427[85,100] 898ns |----------------------------------------L0.2427-----------------------------------------|"
+ - "L0.2432[85,100] 899ns |----------------------------------------L0.2432-----------------------------------------|"
+ - "L0.2437[85,100] 900ns |----------------------------------------L0.2437-----------------------------------------|"
+ - "L0.2442[85,100] 901ns |----------------------------------------L0.2442-----------------------------------------|"
+ - "L0.2447[85,100] 902ns |----------------------------------------L0.2447-----------------------------------------|"
+ - "L0.2452[85,100] 903ns |----------------------------------------L0.2452-----------------------------------------|"
+ - "L0.2497[85,100] 904ns |----------------------------------------L0.2497-----------------------------------------|"
+ - "L0.2502[85,100] 905ns |----------------------------------------L0.2502-----------------------------------------|"
+ - "L0.2457[85,100] 906ns |----------------------------------------L0.2457-----------------------------------------|"
+ - "L0.2462[85,100] 907ns |----------------------------------------L0.2462-----------------------------------------|"
+ - "L0.2467[85,100] 908ns |----------------------------------------L0.2467-----------------------------------------|"
+ - "L0.2472[85,100] 909ns |----------------------------------------L0.2472-----------------------------------------|"
+ - "L0.2477[85,100] 910ns |----------------------------------------L0.2477-----------------------------------------|"
+ - "L0.2482[85,100] 911ns |----------------------------------------L0.2482-----------------------------------------|"
+ - "L0.2487[85,100] 912ns |----------------------------------------L0.2487-----------------------------------------|"
+ - "L0.2492[85,100] 913ns |----------------------------------------L0.2492-----------------------------------------|"
+ - "L0.2507[85,100] 914ns |----------------------------------------L0.2507-----------------------------------------|"
+ - "L0.2512[85,100] 915ns |----------------------------------------L0.2512-----------------------------------------|"
+ - "L0.2517[85,100] 916ns |----------------------------------------L0.2517-----------------------------------------|"
+ - "L0.2522[85,100] 917ns |----------------------------------------L0.2522-----------------------------------------|"
+ - "L0.2527[85,100] 918ns |----------------------------------------L0.2527-----------------------------------------|"
+ - "L0.2532[85,100] 919ns |----------------------------------------L0.2532-----------------------------------------|"
+ - "L0.2537[85,100] 920ns |----------------------------------------L0.2537-----------------------------------------|"
+ - "L0.2542[85,100] 921ns |----------------------------------------L0.2542-----------------------------------------|"
+ - "L0.2547[85,100] 922ns |----------------------------------------L0.2547-----------------------------------------|"
+ - "L0.2552[85,100] 923ns |----------------------------------------L0.2552-----------------------------------------|"
+ - "L0.2557[85,100] 924ns |----------------------------------------L0.2557-----------------------------------------|"
+ - "L0.2562[85,100] 925ns |----------------------------------------L0.2562-----------------------------------------|"
+ - "L0.2567[85,100] 926ns |----------------------------------------L0.2567-----------------------------------------|"
+ - "L0.2572[85,100] 927ns |----------------------------------------L0.2572-----------------------------------------|"
+ - "L0.2577[85,100] 928ns |----------------------------------------L0.2577-----------------------------------------|"
+ - "L0.2582[85,100] 929ns |----------------------------------------L0.2582-----------------------------------------|"
+ - "L0.2587[85,100] 930ns |----------------------------------------L0.2587-----------------------------------------|"
+ - "L0.2592[85,100] 931ns |----------------------------------------L0.2592-----------------------------------------|"
+ - "L0.2597[85,100] 932ns |----------------------------------------L0.2597-----------------------------------------|"
+ - "L0.2602[85,100] 933ns |----------------------------------------L0.2602-----------------------------------------|"
+ - "L0.2607[85,100] 934ns |----------------------------------------L0.2607-----------------------------------------|"
+ - "L0.2612[85,100] 935ns |----------------------------------------L0.2612-----------------------------------------|"
+ - "L0.2617[85,100] 936ns |----------------------------------------L0.2617-----------------------------------------|"
+ - "L0.2622[85,100] 937ns |----------------------------------------L0.2622-----------------------------------------|"
+ - "L0.2627[85,100] 938ns |----------------------------------------L0.2627-----------------------------------------|"
+ - "L0.2632[85,100] 939ns |----------------------------------------L0.2632-----------------------------------------|"
+ - "L0.2637[85,100] 940ns |----------------------------------------L0.2637-----------------------------------------|"
+ - "L0.2642[85,100] 941ns |----------------------------------------L0.2642-----------------------------------------|"
+ - "L0.2647[85,100] 942ns |----------------------------------------L0.2647-----------------------------------------|"
+ - "L0.2652[85,100] 943ns |----------------------------------------L0.2652-----------------------------------------|"
+ - "L0.2657[85,100] 944ns |----------------------------------------L0.2657-----------------------------------------|"
+ - "L0.2662[85,100] 945ns |----------------------------------------L0.2662-----------------------------------------|"
+ - "L0.2667[85,100] 946ns |----------------------------------------L0.2667-----------------------------------------|"
+ - "L0.2672[85,100] 947ns |----------------------------------------L0.2672-----------------------------------------|"
+ - "L0.2677[85,100] 948ns |----------------------------------------L0.2677-----------------------------------------|"
+ - "L0.2682[85,100] 949ns |----------------------------------------L0.2682-----------------------------------------|"
+ - "L0.2687[85,100] 950ns |----------------------------------------L0.2687-----------------------------------------|"
+ - "L0.2692[85,100] 951ns |----------------------------------------L0.2692-----------------------------------------|"
+ - "L0.2697[85,100] 952ns |----------------------------------------L0.2697-----------------------------------------|"
+ - "L0.2702[85,100] 953ns |----------------------------------------L0.2702-----------------------------------------|"
+ - "L0.2707[85,100] 954ns |----------------------------------------L0.2707-----------------------------------------|"
+ - "L0.2712[85,100] 955ns |----------------------------------------L0.2712-----------------------------------------|"
+ - "L0.2717[85,100] 956ns |----------------------------------------L0.2717-----------------------------------------|"
+ - "L0.2722[85,100] 957ns |----------------------------------------L0.2722-----------------------------------------|"
+ - "L0.2727[85,100] 958ns |----------------------------------------L0.2727-----------------------------------------|"
+ - "L0.2732[85,100] 959ns |----------------------------------------L0.2732-----------------------------------------|"
+ - "L0.2737[85,100] 960ns |----------------------------------------L0.2737-----------------------------------------|"
+ - "L0.2742[85,100] 961ns |----------------------------------------L0.2742-----------------------------------------|"
+ - "L0.2747[85,100] 962ns |----------------------------------------L0.2747-----------------------------------------|"
+ - "L0.2752[85,100] 963ns |----------------------------------------L0.2752-----------------------------------------|"
+ - "L0.2757[85,100] 964ns |----------------------------------------L0.2757-----------------------------------------|"
+ - "L0.2762[85,100] 965ns |----------------------------------------L0.2762-----------------------------------------|"
+ - "L0.2767[85,100] 966ns |----------------------------------------L0.2767-----------------------------------------|"
+ - "L0.2772[85,100] 967ns |----------------------------------------L0.2772-----------------------------------------|"
+ - "L0.2777[85,100] 968ns |----------------------------------------L0.2777-----------------------------------------|"
+ - "L0.2782[85,100] 969ns |----------------------------------------L0.2782-----------------------------------------|"
+ - "L0.2787[85,100] 970ns |----------------------------------------L0.2787-----------------------------------------|"
+ - "L0.2792[85,100] 971ns |----------------------------------------L0.2792-----------------------------------------|"
+ - "L0.2797[85,100] 972ns |----------------------------------------L0.2797-----------------------------------------|"
+ - "L0.2802[85,100] 973ns |----------------------------------------L0.2802-----------------------------------------|"
+ - "L0.2807[85,100] 974ns |----------------------------------------L0.2807-----------------------------------------|"
+ - "L0.2812[85,100] 975ns |----------------------------------------L0.2812-----------------------------------------|"
+ - "L0.2817[85,100] 976ns |----------------------------------------L0.2817-----------------------------------------|"
+ - "L0.2822[85,100] 977ns |----------------------------------------L0.2822-----------------------------------------|"
+ - "L0.2827[85,100] 978ns |----------------------------------------L0.2827-----------------------------------------|"
+ - "L0.2832[85,100] 979ns |----------------------------------------L0.2832-----------------------------------------|"
+ - "L0.2837[85,100] 980ns |----------------------------------------L0.2837-----------------------------------------|"
+ - "L0.2842[85,100] 981ns |----------------------------------------L0.2842-----------------------------------------|"
+ - "L0.2847[85,100] 982ns |----------------------------------------L0.2847-----------------------------------------|"
+ - "L0.2852[85,100] 983ns |----------------------------------------L0.2852-----------------------------------------|"
+ - "L0.2857[85,100] 984ns |----------------------------------------L0.2857-----------------------------------------|"
+ - "L0.2862[85,100] 985ns |----------------------------------------L0.2862-----------------------------------------|"
+ - "L0.2867[85,100] 986ns |----------------------------------------L0.2867-----------------------------------------|"
+ - "L0.2872[85,100] 987ns |----------------------------------------L0.2872-----------------------------------------|"
+ - "L0.2877[85,100] 988ns |----------------------------------------L0.2877-----------------------------------------|"
+ - "L0.2882[85,100] 989ns |----------------------------------------L0.2882-----------------------------------------|"
+ - "L0.2887[85,100] 990ns |----------------------------------------L0.2887-----------------------------------------|"
+ - "L0.2892[85,100] 991ns |----------------------------------------L0.2892-----------------------------------------|"
+ - "L0.2897[85,100] 992ns |----------------------------------------L0.2897-----------------------------------------|"
+ - "L0.2902[85,100] 993ns |----------------------------------------L0.2902-----------------------------------------|"
+ - "L0.2907[85,100] 994ns |----------------------------------------L0.2907-----------------------------------------|"
+ - "L0.2912[85,100] 995ns |----------------------------------------L0.2912-----------------------------------------|"
+ - "L0.2917[85,100] 996ns |----------------------------------------L0.2917-----------------------------------------|"
+ - "L0.2922[85,100] 997ns |----------------------------------------L0.2922-----------------------------------------|"
+ - "L0.2927[85,100] 998ns |----------------------------------------L0.2927-----------------------------------------|"
+ - "L0.2932[85,100] 999ns |----------------------------------------L0.2932-----------------------------------------|"
+ - "L0.2937[85,100] 1us |----------------------------------------L0.2937-----------------------------------------|"
+ - "L0.2942[85,100] 1us |----------------------------------------L0.2942-----------------------------------------|"
+ - "L0.2947[85,100] 1us |----------------------------------------L0.2947-----------------------------------------|"
+ - "L0.2952[85,100] 1us |----------------------------------------L0.2952-----------------------------------------|"
+ - "L0.2957[85,100] 1us |----------------------------------------L0.2957-----------------------------------------|"
+ - "L0.2962[85,100] 1us |----------------------------------------L0.2962-----------------------------------------|"
+ - "L0.2967[85,100] 1.01us |----------------------------------------L0.2967-----------------------------------------|"
+ - "L0.2972[85,100] 1.01us |----------------------------------------L0.2972-----------------------------------------|"
+ - "L0.2977[85,100] 1.01us |----------------------------------------L0.2977-----------------------------------------|"
+ - "L0.2982[85,100] 1.01us |----------------------------------------L0.2982-----------------------------------------|"
+ - "L0.2987[85,100] 1.01us |----------------------------------------L0.2987-----------------------------------------|"
+ - "L0.2992[85,100] 1.01us |----------------------------------------L0.2992-----------------------------------------|"
+ - "L0.2997[85,100] 1.01us |----------------------------------------L0.2997-----------------------------------------|"
+ - "L0.3002[85,100] 1.01us |----------------------------------------L0.3002-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 38mb total:"
+ - "L0 "
+ - "L0.?[85,97] 1.01us 30mb |---------------------------------L0.?---------------------------------| "
+ - "L0.?[98,100] 1.01us 8mb |---L0.?---|"
+ - "Committing partition 1:"
+ - " Soft Deleting 200 files: L0.2007, L0.2012, L0.2017, L0.2022, L0.2027, L0.2032, L0.2037, L0.2042, L0.2047, L0.2052, L0.2057, L0.2062, L0.2067, L0.2072, L0.2077, L0.2082, L0.2087, L0.2092, L0.2097, L0.2102, L0.2107, L0.2112, L0.2117, L0.2122, L0.2127, L0.2132, L0.2137, L0.2142, L0.2147, L0.2152, L0.2157, L0.2162, L0.2167, L0.2172, L0.2177, L0.2182, L0.2187, L0.2192, L0.2197, L0.2202, L0.2207, L0.2212, L0.2217, L0.2222, L0.2227, L0.2232, L0.2237, L0.2242, L0.2247, L0.2252, L0.2257, L0.2262, L0.2267, L0.2272, L0.2277, L0.2282, L0.2287, L0.2292, L0.2297, L0.2302, L0.2307, L0.2312, L0.2317, L0.2322, L0.2327, L0.2332, L0.2337, L0.2342, L0.2347, L0.2352, L0.2357, L0.2362, L0.2367, L0.2372, L0.2377, L0.2382, L0.2387, L0.2392, L0.2397, L0.2402, L0.2407, L0.2412, L0.2417, L0.2422, L0.2427, L0.2432, L0.2437, L0.2442, L0.2447, L0.2452, L0.2457, L0.2462, L0.2467, L0.2472, L0.2477, L0.2482, L0.2487, L0.2492, L0.2497, L0.2502, L0.2507, L0.2512, L0.2517, L0.2522, L0.2527, L0.2532, L0.2537, L0.2542, L0.2547, L0.2552, L0.2557, L0.2562, L0.2567, L0.2572, L0.2577, L0.2582, L0.2587, L0.2592, L0.2597, L0.2602, L0.2607, L0.2612, L0.2617, L0.2622, L0.2627, L0.2632, L0.2637, L0.2642, L0.2647, L0.2652, L0.2657, L0.2662, L0.2667, L0.2672, L0.2677, L0.2682, L0.2687, L0.2692, L0.2697, L0.2702, L0.2707, L0.2712, L0.2717, L0.2722, L0.2727, L0.2732, L0.2737, L0.2742, L0.2747, L0.2752, L0.2757, L0.2762, L0.2767, L0.2772, L0.2777, L0.2782, L0.2787, L0.2792, L0.2797, L0.2802, L0.2807, L0.2812, L0.2817, L0.2822, L0.2827, L0.2832, L0.2837, L0.2842, L0.2847, L0.2852, L0.2857, L0.2862, L0.2867, L0.2872, L0.2877, L0.2882, L0.2887, L0.2892, L0.2897, L0.2902, L0.2907, L0.2912, L0.2917, L0.2922, L0.2927, L0.2932, L0.2937, L0.2942, L0.2947, L0.2952, L0.2957, L0.2962, L0.2967, L0.2972, L0.2977, L0.2982, L0.2987, L0.2992, L0.2997, L0.3002"
+ - " Creating 2 files"
+ - "**** Simulation run 424, type=compact(ManySmallFiles). 7 Input Files, 1mb total:"
+ - "L0, all files 192kb "
+ - "L0.3007[85,100] 1.01us |----------------------------------------L0.3007-----------------------------------------|"
+ - "L0.3012[85,100] 1.01us |----------------------------------------L0.3012-----------------------------------------|"
+ - "L0.3017[85,100] 1.02us |----------------------------------------L0.3017-----------------------------------------|"
+ - "L0.3022[85,100] 1.02us |----------------------------------------L0.3022-----------------------------------------|"
+ - "L0.3027[85,100] 1.02us |----------------------------------------L0.3027-----------------------------------------|"
+ - "L0.3032[85,100] 1.02us |----------------------------------------L0.3032-----------------------------------------|"
+ - "L0.3037[85,100] 1.02us |----------------------------------------L0.3037-----------------------------------------|"
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 1mb total:"
+ - "L0, all files 1mb "
+ - "L0.?[85,100] 1.02us |------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 7 files: L0.3007, L0.3012, L0.3017, L0.3022, L0.3027, L0.3032, L0.3037"
+ - " Creating 1 files"
+ - "**** Simulation run 425, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[45, 66]). 3 Input Files, 297mb total:"
+ - "L0 "
+ - "L0.3049[55,71] 713ns 106mb |-------L0.3049--------| "
+ - "L0.3050[72,84] 713ns 86mb |----L0.3050-----|"
+ - "L0.3058[24,40] 714ns 106mb|-------L0.3058--------| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 297mb total:"
+ - "L1 "
+ - "L1.?[24,45] 714ns 104mb |------------L1.?-------------| "
+ - "L1.?[46,66] 714ns 99mb |------------L1.?------------| "
+ - "L1.?[67,84] 714ns 94mb |---------L1.?----------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 3 files: L0.3049, L0.3050, L0.3058"
+ - " Creating 3 files"
+ - "**** Simulation run 426, type=split(HighL0OverlapTotalBacklog)(split_times=[44]). 1 Input Files, 104mb total:"
+ - "L1, all files 104mb "
+ - "L1.3067[24,45] 714ns |----------------------------------------L1.3067-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 104mb total:"
+ - "L1 "
+ - "L1.?[24,44] 714ns 99mb |---------------------------------------L1.?----------------------------------------| "
+ - "L1.?[45,45] 714ns 5mb |L1.?|"
+ - "**** Simulation run 427, type=split(HighL0OverlapTotalBacklog)(split_times=[44]). 1 Input Files, 23mb total:"
+ - "L0, all files 23mb "
+ - "L0.3060[24,48] 814ns |----------------------------------------L0.3060-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 23mb total:"
+ - "L0 "
+ - "L0.?[24,44] 814ns 19mb |----------------------------------L0.?-----------------------------------| "
+ - "L0.?[45,48] 814ns 4mb |--L0.?---| "
+ - "**** Simulation run 428, type=split(HighL0OverlapTotalBacklog)(split_times=[44]). 1 Input Files, 23mb total:"
+ - "L0, all files 23mb "
+ - "L0.3044[24,48] 914ns |----------------------------------------L0.3044-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 23mb total:"
+ - "L0 "
+ - "L0.?[24,44] 914ns 19mb |----------------------------------L0.?-----------------------------------| "
+ - "L0.?[45,48] 914ns 4mb |--L0.?---| "
+ - "**** Simulation run 429, type=split(HighL0OverlapTotalBacklog)(split_times=[44]). 1 Input Files, 23mb total:"
+ - "L0, all files 23mb "
+ - "L0.3046[24,48] 1.01us |----------------------------------------L0.3046-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 23mb total:"
+ - "L0 "
+ - "L0.?[24,44] 1.01us 19mb |----------------------------------L0.?-----------------------------------| "
+ - "L0.?[45,48] 1.01us 4mb |--L0.?---| "
+ - "**** Simulation run 430, type=split(HighL0OverlapTotalBacklog)(split_times=[44]). 1 Input Files, 2mb total:"
+ - "L0, all files 2mb "
+ - "L0.3048[24,54] 1.02us |----------------------------------------L0.3048-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 2mb total:"
+ - "L0 "
+ - "L0.?[24,44] 1.02us 1mb |---------------------------L0.?---------------------------| "
+ - "L0.?[45,54] 1.02us 633kb |----------L0.?-----------|"
+ - "**** Simulation run 431, type=split(HighL0OverlapTotalBacklog)(split_times=[44]). 1 Input Files, 93mb total:"
+ - "L0, all files 93mb "
+ - "L0.3059[41,54] 714ns |----------------------------------------L0.3059-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 93mb total:"
+ - "L0 "
+ - "L0.?[41,44] 714ns 21mb |-------L0.?-------| "
+ - "L0.?[45,54] 714ns 71mb |----------------------------L0.?----------------------------| "
+ - "**** Simulation run 432, type=split(HighL0OverlapTotalBacklog)(split_times=[64]). 1 Input Files, 99mb total:"
+ - "L1, all files 99mb "
+ - "L1.3068[46,66] 714ns |----------------------------------------L1.3068-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 99mb total:"
+ - "L1 "
+ - "L1.?[46,64] 714ns 89mb |-------------------------------------L1.?--------------------------------------| "
+ - "L1.?[65,66] 714ns 10mb |L1.?|"
+ - "**** Simulation run 433, type=split(HighL0OverlapTotalBacklog)(split_times=[64]). 1 Input Files, 22mb total:"
+ - "L0, all files 22mb "
+ - "L0.3051[55,78] 813ns |----------------------------------------L0.3051-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 22mb total:"
+ - "L0 "
+ - "L0.?[55,64] 813ns 9mb |--------------L0.?---------------| "
+ - "L0.?[65,78] 813ns 13mb |----------------------L0.?----------------------| "
+ - "**** Simulation run 434, type=split(HighL0OverlapTotalBacklog)(split_times=[64]). 1 Input Files, 22mb total:"
+ - "L0, all files 22mb "
+ - "L0.3053[55,78] 913ns |----------------------------------------L0.3053-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 22mb total:"
+ - "L0 "
+ - "L0.?[55,64] 913ns 9mb |--------------L0.?---------------| "
+ - "L0.?[65,78] 913ns 13mb |----------------------L0.?----------------------| "
+ - "**** Simulation run 435, type=split(HighL0OverlapTotalBacklog)(split_times=[64]). 1 Input Files, 22mb total:"
+ - "L0, all files 22mb "
+ - "L0.3055[55,78] 1.01us |----------------------------------------L0.3055-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 22mb total:"
+ - "L0 "
+ - "L0.?[55,64] 1.01us 9mb |--------------L0.?---------------| "
+ - "L0.?[65,78] 1.01us 13mb |----------------------L0.?----------------------| "
+ - "**** Simulation run 436, type=split(HighL0OverlapTotalBacklog)(split_times=[64]). 1 Input Files, 2mb total:"
+ - "L0, all files 2mb "
+ - "L0.3057[55,84] 1.02us |----------------------------------------L0.3057-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 2mb total:"
+ - "L0 "
+ - "L0.?[55,64] 1.02us 615kb |----------L0.?-----------| "
+ - "L0.?[65,84] 1.02us 1mb |--------------------------L0.?--------------------------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 11 files: L0.3044, L0.3046, L0.3048, L0.3051, L0.3053, L0.3055, L0.3057, L0.3059, L0.3060, L1.3067, L1.3068"
+ - " Creating 22 files"
+ - "**** Simulation run 437, type=split(ReduceOverlap)(split_times=[45]). 1 Input Files, 71mb total:"
+ - "L0, all files 71mb "
+ - "L0.3081[45,54] 714ns |----------------------------------------L0.3081-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 71mb total:"
+ - "L0 "
+ - "L0.?[45,45] 714ns 0b |L0.?| "
+ - "L0.?[46,54] 714ns 71mb |-------------------------------------L0.?-------------------------------------|"
+ - "**** Simulation run 438, type=split(ReduceOverlap)(split_times=[66]). 1 Input Files, 13mb total:"
+ - "L0, all files 13mb "
+ - "L0.3085[65,78] 813ns |----------------------------------------L0.3085-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 13mb total:"
+ - "L0 "
+ - "L0.?[65,66] 813ns 1mb |L0.?| "
+ - "L0.?[67,78] 813ns 12mb |-----------------------------------L0.?-----------------------------------| "
+ - "**** Simulation run 439, type=split(ReduceOverlap)(split_times=[45]). 1 Input Files, 4mb total:"
+ - "L0, all files 4mb "
+ - "L0.3073[45,48] 814ns |----------------------------------------L0.3073-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
+ - "L0 "
+ - "L0.?[45,45] 814ns 0b |L0.?| "
+ - "L0.?[46,48] 814ns 4mb |---------------------------L0.?---------------------------|"
+ - "**** Simulation run 440, type=split(ReduceOverlap)(split_times=[66]). 1 Input Files, 13mb total:"
+ - "L0, all files 13mb "
+ - "L0.3087[65,78] 913ns |----------------------------------------L0.3087-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 13mb total:"
+ - "L0 "
+ - "L0.?[65,66] 913ns 1mb |L0.?| "
+ - "L0.?[67,78] 913ns 12mb |-----------------------------------L0.?-----------------------------------| "
+ - "**** Simulation run 441, type=split(ReduceOverlap)(split_times=[45]). 1 Input Files, 4mb total:"
+ - "L0, all files 4mb "
+ - "L0.3075[45,48] 914ns |----------------------------------------L0.3075-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
+ - "L0 "
+ - "L0.?[45,45] 914ns 0b |L0.?| "
+ - "L0.?[46,48] 914ns 4mb |---------------------------L0.?---------------------------|"
+ - "**** Simulation run 442, type=split(ReduceOverlap)(split_times=[66]). 1 Input Files, 13mb total:"
+ - "L0, all files 13mb "
+ - "L0.3089[65,78] 1.01us |----------------------------------------L0.3089-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 13mb total:"
+ - "L0 "
+ - "L0.?[65,66] 1.01us 1mb |L0.?| "
+ - "L0.?[67,78] 1.01us 12mb |-----------------------------------L0.?-----------------------------------| "
+ - "**** Simulation run 443, type=split(ReduceOverlap)(split_times=[45]). 1 Input Files, 4mb total:"
+ - "L0, all files 4mb "
+ - "L0.3077[45,48] 1.01us |----------------------------------------L0.3077-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
+ - "L0 "
+ - "L0.?[45,45] 1.01us 0b |L0.?| "
+ - "L0.?[46,48] 1.01us 4mb |---------------------------L0.?---------------------------|"
+ - "**** Simulation run 444, type=split(ReduceOverlap)(split_times=[45]). 1 Input Files, 633kb total:"
+ - "L0, all files 633kb "
+ - "L0.3079[45,54] 1.02us |----------------------------------------L0.3079-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 633kb total:"
+ - "L0 "
+ - "L0.?[45,45] 1.02us 0b |L0.?| "
+ - "L0.?[46,54] 1.02us 633kb |-------------------------------------L0.?-------------------------------------|"
+ - "**** Simulation run 445, type=split(ReduceOverlap)(split_times=[66]). 1 Input Files, 1mb total:"
+ - "L0, all files 1mb "
+ - "L0.3091[65,84] 1.02us |----------------------------------------L0.3091-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
+ - "L0 "
+ - "L0.?[65,66] 1.02us 72kb |L0.?| "
+ - "L0.?[67,84] 1.02us 1mb |-------------------------------------L0.?-------------------------------------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 9 files: L0.3073, L0.3075, L0.3077, L0.3079, L0.3081, L0.3085, L0.3087, L0.3089, L0.3091"
+ - " Creating 18 files"
+ - "**** Simulation run 446, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[38, 52]). 7 Input Files, 294mb total:"
+ - "L0 "
+ - "L0.3080[41,44] 714ns 21mb |L0.3080| "
+ - "L0.3092[45,45] 714ns 0b |L0.3092| "
+ - "L0.3093[46,54] 714ns 71mb |----L0.3093-----| "
+ - "L0.3084[55,64] 813ns 9mb |-----L0.3084------| "
+ - "L1 "
+ - "L1.3070[24,44] 714ns 99mb|------------------L1.3070------------------| "
+ - "L1.3071[45,45] 714ns 5mb |L1.3071| "
+ - "L1.3082[46,64] 714ns 89mb |---------------L1.3082----------------| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 294mb total:"
+ - "L1 "
+ - "L1.?[24,38] 813ns 103mb |------------L1.?-------------| "
+ - "L1.?[39,52] 813ns 96mb |-----------L1.?------------| "
+ - "L1.?[53,64] 813ns 96mb |---------L1.?---------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 7 files: L1.3070, L1.3071, L0.3080, L1.3082, L0.3084, L0.3092, L0.3093"
+ - " Creating 3 files"
+ - "**** Simulation run 447, type=split(HighL0OverlapTotalBacklog)(split_times=[37]). 1 Input Files, 103mb total:"
+ - "L1, all files 103mb "
+ - "L1.3110[24,38] 813ns |----------------------------------------L1.3110-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 103mb total:"
+ - "L1 "
+ - "L1.?[24,37] 813ns 96mb |--------------------------------------L1.?---------------------------------------| "
+ - "L1.?[38,38] 813ns 7mb |L1.?|"
+ - "**** Simulation run 448, type=split(HighL0OverlapTotalBacklog)(split_times=[37]). 1 Input Files, 19mb total:"
+ - "L0, all files 19mb "
+ - "L0.3072[24,44] 814ns |----------------------------------------L0.3072-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 19mb total:"
+ - "L0 "
+ - "L0.?[24,37] 814ns 12mb |--------------------------L0.?--------------------------| "
+ - "L0.?[38,44] 814ns 7mb |----------L0.?-----------|"
+ - "**** Simulation run 449, type=split(HighL0OverlapTotalBacklog)(split_times=[37]). 1 Input Files, 19mb total:"
+ - "L0, all files 19mb "
+ - "L0.3074[24,44] 914ns |----------------------------------------L0.3074-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 19mb total:"
+ - "L0 "
+ - "L0.?[24,37] 914ns 12mb |--------------------------L0.?--------------------------| "
+ - "L0.?[38,44] 914ns 7mb |----------L0.?-----------|"
+ - "**** Simulation run 450, type=split(HighL0OverlapTotalBacklog)(split_times=[37]). 1 Input Files, 19mb total:"
+ - "L0, all files 19mb "
+ - "L0.3076[24,44] 1.01us |----------------------------------------L0.3076-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 19mb total:"
+ - "L0 "
+ - "L0.?[24,37] 1.01us 12mb |--------------------------L0.?--------------------------| "
+ - "L0.?[38,44] 1.01us 7mb |----------L0.?-----------|"
+ - "**** Simulation run 451, type=split(HighL0OverlapTotalBacklog)(split_times=[37]). 1 Input Files, 1mb total:"
+ - "L0, all files 1mb "
+ - "L0.3078[24,44] 1.02us |----------------------------------------L0.3078-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
+ - "L0 "
+ - "L0.?[24,37] 1.02us 823kb |--------------------------L0.?--------------------------| "
+ - "L0.?[38,44] 1.02us 443kb |----------L0.?-----------|"
+ - "**** Simulation run 452, type=split(HighL0OverlapTotalBacklog)(split_times=[50]). 1 Input Files, 96mb total:"
+ - "L1, all files 96mb "
+ - "L1.3111[39,52] 813ns |----------------------------------------L1.3111-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 96mb total:"
+ - "L1 "
+ - "L1.?[39,50] 813ns 81mb |-----------------------------------L1.?-----------------------------------| "
+ - "L1.?[51,52] 813ns 15mb |L1.?| "
+ - "**** Simulation run 453, type=split(HighL0OverlapTotalBacklog)(split_times=[50]). 1 Input Files, 633kb total:"
+ - "L0, all files 633kb "
+ - "L0.3107[46,54] 1.02us |----------------------------------------L0.3107-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 633kb total:"
+ - "L0, all files 317kb "
+ - "L0.?[46,50] 1.02us |-------------------L0.?--------------------| "
+ - "L0.?[51,54] 1.02us |-------------L0.?--------------| "
+ - "**** Simulation run 454, type=split(HighL0OverlapTotalBacklog)(split_times=[50]). 1 Input Files, 6mb total:"
+ - "L0, all files 6mb "
+ - "L0.3061[49,54] 814ns |----------------------------------------L0.3061-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 6mb total:"
+ - "L0 "
+ - "L0.?[49,50] 814ns 1mb |------L0.?------| "
+ - "L0.?[51,54] 814ns 5mb |------------------------L0.?------------------------|"
+ - "**** Simulation run 455, type=split(HighL0OverlapTotalBacklog)(split_times=[50]). 1 Input Files, 6mb total:"
+ - "L0, all files 6mb "
+ - "L0.3045[49,54] 914ns |----------------------------------------L0.3045-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 6mb total:"
+ - "L0 "
+ - "L0.?[49,50] 914ns 1mb |------L0.?------| "
+ - "L0.?[51,54] 914ns 5mb |------------------------L0.?------------------------|"
+ - "**** Simulation run 456, type=split(HighL0OverlapTotalBacklog)(split_times=[50]). 1 Input Files, 6mb total:"
+ - "L0, all files 6mb "
+ - "L0.3047[49,54] 1.01us |----------------------------------------L0.3047-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 6mb total:"
+ - "L0 "
+ - "L0.?[49,50] 1.01us 1mb |------L0.?------| "
+ - "L0.?[51,54] 1.01us 5mb |------------------------L0.?------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 10 files: L0.3045, L0.3047, L0.3061, L0.3072, L0.3074, L0.3076, L0.3078, L0.3107, L1.3110, L1.3111"
+ - " Creating 20 files"
+ - "**** Simulation run 457, type=split(ReduceOverlap)(split_times=[38]). 1 Input Files, 7mb total:"
+ - "L0, all files 7mb "
+ - "L0.3116[38,44] 814ns |----------------------------------------L0.3116-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 7mb total:"
+ - "L0 "
+ - "L0.?[38,38] 814ns 0b |L0.?| "
+ - "L0.?[39,44] 814ns 7mb |----------------------------------L0.?-----------------------------------|"
+ - "**** Simulation run 458, type=split(ReduceOverlap)(split_times=[52]). 1 Input Files, 5mb total:"
+ - "L0, all files 5mb "
+ - "L0.3128[51,54] 814ns |----------------------------------------L0.3128-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 5mb total:"
+ - "L0 "
+ - "L0.?[51,52] 814ns 2mb |------------L0.?------------| "
+ - "L0.?[53,54] 814ns 3mb |------------L0.?------------|"
+ - "**** Simulation run 459, type=split(ReduceOverlap)(split_times=[38]). 1 Input Files, 7mb total:"
+ - "L0, all files 7mb "
+ - "L0.3118[38,44] 914ns |----------------------------------------L0.3118-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 7mb total:"
+ - "L0 "
+ - "L0.?[38,38] 914ns 0b |L0.?| "
+ - "L0.?[39,44] 914ns 7mb |----------------------------------L0.?-----------------------------------|"
+ - "**** Simulation run 460, type=split(ReduceOverlap)(split_times=[52]). 1 Input Files, 5mb total:"
+ - "L0, all files 5mb "
+ - "L0.3130[51,54] 914ns |----------------------------------------L0.3130-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 5mb total:"
+ - "L0 "
+ - "L0.?[51,52] 914ns 2mb |------------L0.?------------| "
+ - "L0.?[53,54] 914ns 3mb |------------L0.?------------|"
+ - "**** Simulation run 461, type=split(ReduceOverlap)(split_times=[38]). 1 Input Files, 7mb total:"
+ - "L0, all files 7mb "
+ - "L0.3120[38,44] 1.01us |----------------------------------------L0.3120-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 7mb total:"
+ - "L0 "
+ - "L0.?[38,38] 1.01us 0b |L0.?| "
+ - "L0.?[39,44] 1.01us 7mb |----------------------------------L0.?-----------------------------------|"
+ - "**** Simulation run 462, type=split(ReduceOverlap)(split_times=[52]). 1 Input Files, 5mb total:"
+ - "L0, all files 5mb "
+ - "L0.3132[51,54] 1.01us |----------------------------------------L0.3132-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 5mb total:"
+ - "L0 "
+ - "L0.?[51,52] 1.01us 2mb |------------L0.?------------| "
+ - "L0.?[53,54] 1.01us 3mb |------------L0.?------------|"
+ - "**** Simulation run 463, type=split(ReduceOverlap)(split_times=[38]). 1 Input Files, 443kb total:"
+ - "L0, all files 443kb "
+ - "L0.3122[38,44] 1.02us |----------------------------------------L0.3122-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 443kb total:"
+ - "L0 "
+ - "L0.?[38,38] 1.02us 0b |L0.?| "
+ - "L0.?[39,44] 1.02us 443kb |----------------------------------L0.?-----------------------------------|"
+ - "**** Simulation run 464, type=split(ReduceOverlap)(split_times=[52]). 1 Input Files, 317kb total:"
+ - "L0, all files 317kb "
+ - "L0.3126[51,54] 1.02us |----------------------------------------L0.3126-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 317kb total:"
+ - "L0 "
+ - "L0.?[51,52] 1.02us 106kb |------------L0.?------------| "
+ - "L0.?[53,54] 1.02us 211kb |------------L0.?------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 8 files: L0.3116, L0.3118, L0.3120, L0.3122, L0.3126, L0.3128, L0.3130, L0.3132"
+ - " Creating 16 files"
+ - "**** Simulation run 465, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[78, 91]). 7 Input Files, 272mb total:"
+ - "L0 "
+ - "L0.3094[65,66] 813ns 1mb |L0.3094| "
+ - "L0.3095[67,78] 813ns 12mb |---------L0.3095----------| "
+ - "L0.3052[79,84] 813ns 6mb |-L0.3052--| "
+ - "L0.3062[85,96] 813ns 109mb |---------L0.3062----------| "
+ - "L0.3063[97,100] 813ns 40mb |L0.3063|"
+ - "L1 "
+ - "L1.3083[65,66] 714ns 10mb|L1.3083| "
+ - "L1.3069[67,84] 714ns 94mb |-----------------L1.3069-----------------| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 272mb total:"
+ - "L1 "
+ - "L1.?[65,78] 813ns 101mb |-------------L1.?--------------| "
+ - "L1.?[79,91] 813ns 93mb |------------L1.?------------| "
+ - "L1.?[92,100] 813ns 78mb |-------L1.?-------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 7 files: L0.3052, L0.3062, L0.3063, L1.3069, L1.3083, L0.3094, L0.3095"
+ - " Creating 3 files"
+ - "**** Simulation run 466, type=split(HighL0OverlapTotalBacklog)(split_times=[76]). 1 Input Files, 101mb total:"
+ - "L1, all files 101mb "
+ - "L1.3149[65,78] 813ns |----------------------------------------L1.3149-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 101mb total:"
+ - "L1 "
+ - "L1.?[65,76] 813ns 85mb |-----------------------------------L1.?-----------------------------------| "
+ - "L1.?[77,78] 813ns 16mb |L1.?| "
+ - "**** Simulation run 467, type=split(HighL0OverlapTotalBacklog)(split_times=[76]). 1 Input Files, 12mb total:"
+ - "L0, all files 12mb "
+ - "L0.3099[67,78] 913ns |----------------------------------------L0.3099-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 12mb total:"
+ - "L0 "
+ - "L0.?[67,76] 913ns 10mb |---------------------------------L0.?----------------------------------| "
+ - "L0.?[77,78] 913ns 2mb |-L0.?-| "
+ - "**** Simulation run 468, type=split(HighL0OverlapTotalBacklog)(split_times=[76]). 1 Input Files, 12mb total:"
+ - "L0, all files 12mb "
+ - "L0.3103[67,78] 1.01us |----------------------------------------L0.3103-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 12mb total:"
+ - "L0 "
+ - "L0.?[67,76] 1.01us 10mb |---------------------------------L0.?----------------------------------| "
+ - "L0.?[77,78] 1.01us 2mb |-L0.?-| "
+ - "**** Simulation run 469, type=split(HighL0OverlapTotalBacklog)(split_times=[76]). 1 Input Files, 1mb total:"
+ - "L0, all files 1mb "
+ - "L0.3109[67,84] 1.02us |----------------------------------------L0.3109-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
+ - "L0 "
+ - "L0.?[67,76] 1.02us 685kb |--------------------L0.?---------------------| "
+ - "L0.?[77,84] 1.02us 609kb |---------------L0.?----------------| "
+ - "**** Simulation run 470, type=split(HighL0OverlapTotalBacklog)(split_times=[87]). 1 Input Files, 93mb total:"
+ - "L1, all files 93mb "
+ - "L1.3150[79,91] 813ns |----------------------------------------L1.3150-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 93mb total:"
+ - "L1 "
+ - "L1.?[79,87] 813ns 62mb |---------------------------L1.?---------------------------| "
+ - "L1.?[88,91] 813ns 31mb |--------L1.?--------| "
+ - "**** Simulation run 471, type=split(HighL0OverlapTotalBacklog)(split_times=[87]). 1 Input Files, 30mb total:"
+ - "L0, all files 30mb "
+ - "L0.3064[85,97] 1.01us |----------------------------------------L0.3064-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 30mb total:"
+ - "L0 "
+ - "L0.?[85,87] 1.01us 5mb |----L0.?-----| "
+ - "L0.?[88,97] 1.01us 25mb |------------------------------L0.?-------------------------------| "
+ - "**** Simulation run 472, type=split(HighL0OverlapTotalBacklog)(split_times=[87]). 1 Input Files, 1mb total:"
+ - "L0, all files 1mb "
+ - "L0.3066[85,100] 1.02us |----------------------------------------L0.3066-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
+ - "L0 "
+ - "L0.?[85,87] 1.02us 179kb |---L0.?---| "
+ - "L0.?[88,100] 1.02us 1mb |---------------------------------L0.?---------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 7 files: L0.3064, L0.3066, L0.3099, L0.3103, L0.3109, L1.3149, L1.3150"
+ - " Creating 14 files"
+ - "**** Simulation run 473, type=split(ReduceOverlap)(split_times=[91]). 1 Input Files, 25mb total:"
+ - "L0, all files 25mb "
+ - "L0.3163[88,97] 1.01us |----------------------------------------L0.3163-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 25mb total:"
+ - "L0 "
+ - "L0.?[88,91] 1.01us 8mb |------------L0.?------------| "
+ - "L0.?[92,97] 1.01us 17mb |----------------------L0.?----------------------|"
+ - "**** Simulation run 474, type=split(ReduceOverlap)(split_times=[78]). 1 Input Files, 609kb total:"
+ - "L0, all files 609kb "
+ - "L0.3159[77,84] 1.02us |----------------------------------------L0.3159-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 609kb total:"
+ - "L0 "
+ - "L0.?[77,78] 1.02us 87kb |---L0.?---| "
+ - "L0.?[79,84] 1.02us 522kb |-----------------------------L0.?-----------------------------| "
+ - "**** Simulation run 475, type=split(ReduceOverlap)(split_times=[91]). 1 Input Files, 1mb total:"
+ - "L0, all files 1mb "
+ - "L0.3165[88,100] 1.02us |----------------------------------------L0.3165-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
+ - "L0 "
+ - "L0.?[88,91] 1.02us 291kb |--------L0.?--------| "
+ - "L0.?[92,100] 1.02us 874kb |---------------------------L0.?---------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 3 files: L0.3159, L0.3163, L0.3165"
+ - " Creating 6 files"
+ - "**** Simulation run 476, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[37, 50]). 11 Input Files, 224mb total:"
+ - "L0 "
+ - "L0.3115[24,37] 814ns 12mb|----------------L0.3115----------------| "
+ - "L0.3133[38,38] 814ns 0b |L0.3133| "
+ - "L0.3134[39,44] 814ns 7mb |---L0.3134----| "
+ - "L0.3096[45,45] 814ns 0b |L0.3096| "
+ - "L0.3097[46,48] 814ns 4mb |L0.3097| "
+ - "L0.3127[49,50] 814ns 1mb |L0.3127| "
+ - "L0.3135[51,52] 814ns 2mb |L0.3135|"
+ - "L1 "
+ - "L1.3113[24,37] 813ns 96mb|----------------L1.3113----------------| "
+ - "L1.3114[38,38] 813ns 7mb |L1.3114| "
+ - "L1.3123[39,50] 813ns 81mb |-------------L1.3123-------------| "
+ - "L1.3124[51,52] 813ns 15mb |L1.3124|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 224mb total:"
+ - "L1 "
+ - "L1.?[24,37] 814ns 104mb |-----------------L1.?------------------| "
+ - "L1.?[38,50] 814ns 96mb |----------------L1.?----------------| "
+ - "L1.?[51,52] 814ns 24mb |L1.?|"
+ - "Committing partition 1:"
+ - " Soft Deleting 11 files: L0.3096, L0.3097, L1.3113, L1.3114, L0.3115, L1.3123, L1.3124, L0.3127, L0.3133, L0.3134, L0.3135"
+ - " Creating 3 files"
+ - "**** Simulation run 477, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[65, 77]). 10 Input Files, 289mb total:"
+ - "L0 "
+ - "L0.3136[53,54] 814ns 3mb |L0.3136| "
+ - "L0.3086[55,64] 913ns 9mb |-------L0.3086-------| "
+ - "L0.3098[65,66] 913ns 1mb |L0.3098| "
+ - "L0.3154[67,76] 913ns 10mb |-------L0.3154-------| "
+ - "L0.3155[77,78] 913ns 2mb |L0.3155| "
+ - "L0.3054[79,84] 913ns 6mb |--L0.3054--| "
+ - "L1 "
+ - "L1.3112[53,64] 813ns 96mb|----------L1.3112----------| "
+ - "L1.3152[65,76] 813ns 85mb |----------L1.3152----------| "
+ - "L1.3153[77,78] 813ns 16mb |L1.3153| "
+ - "L1.3160[79,87] 813ns 62mb |------L1.3160------| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 289mb total:"
+ - "L1 "
+ - "L1.?[53,65] 913ns 102mb |------------L1.?-------------| "
+ - "L1.?[66,77] 913ns 94mb |-----------L1.?------------| "
+ - "L1.?[78,87] 913ns 94mb |--------L1.?---------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 10 files: L0.3054, L0.3086, L0.3098, L1.3112, L0.3136, L1.3152, L1.3153, L0.3154, L0.3155, L1.3160"
+ - " Creating 3 files"
+ - "**** Simulation run 478, type=split(HighL0OverlapTotalBacklog)(split_times=[64]). 1 Input Files, 102mb total:"
+ - "L1, all files 102mb "
+ - "L1.3175[53,65] 913ns |----------------------------------------L1.3175-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 102mb total:"
+ - "L1 "
+ - "L1.?[53,64] 913ns 94mb |--------------------------------------L1.?--------------------------------------| "
+ - "L1.?[65,65] 913ns 9mb |L1.?|"
+ - "**** Simulation run 479, type=split(HighL0OverlapTotalBacklog)(split_times=[75]). 1 Input Files, 94mb total:"
+ - "L1, all files 94mb "
+ - "L1.3176[66,77] 913ns |----------------------------------------L1.3176-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 94mb total:"
+ - "L1 "
+ - "L1.?[66,75] 913ns 77mb |---------------------------------L1.?----------------------------------| "
+ - "L1.?[76,77] 913ns 17mb |-L1.?-| "
+ - "**** Simulation run 480, type=split(HighL0OverlapTotalBacklog)(split_times=[75]). 1 Input Files, 10mb total:"
+ - "L0, all files 10mb "
+ - "L0.3156[67,76] 1.01us |----------------------------------------L0.3156-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 10mb total:"
+ - "L0 "
+ - "L0.?[67,75] 1.01us 9mb |-------------------------------------L0.?-------------------------------------| "
+ - "L0.?[76,76] 1.01us 1mb |L0.?|"
+ - "**** Simulation run 481, type=split(HighL0OverlapTotalBacklog)(split_times=[75]). 1 Input Files, 685kb total:"
+ - "L0, all files 685kb "
+ - "L0.3158[67,76] 1.02us |----------------------------------------L0.3158-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 685kb total:"
+ - "L0 "
+ - "L0.?[67,75] 1.02us 609kb |-------------------------------------L0.?-------------------------------------| "
+ - "L0.?[76,76] 1.02us 76kb |L0.?|"
+ - "Committing partition 1:"
+ - " Soft Deleting 4 files: L0.3156, L0.3158, L1.3175, L1.3176"
+ - " Creating 8 files"
+ - "**** Simulation run 482, type=split(ReduceOverlap)(split_times=[65]). 1 Input Files, 1mb total:"
+ - "L0, all files 1mb "
+ - "L0.3102[65,66] 1.01us |----------------------------------------L0.3102-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
+ - "L0 "
+ - "L0.?[65,65] 1.01us 0b |L0.?| "
+ - "L0.?[66,66] 1.01us 1mb |L0.?|"
+ - "**** Simulation run 483, type=split(ReduceOverlap)(split_times=[77]). 1 Input Files, 2mb total:"
+ - "L0, all files 2mb "
+ - "L0.3157[77,78] 1.01us |----------------------------------------L0.3157-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 2mb total:"
+ - "L0 "
+ - "L0.?[77,77] 1.01us 0b |L0.?| "
+ - "L0.?[78,78] 1.01us 2mb |L0.?|"
+ - "**** Simulation run 484, type=split(ReduceOverlap)(split_times=[65]). 1 Input Files, 72kb total:"
+ - "L0, all files 72kb "
+ - "L0.3108[65,66] 1.02us |----------------------------------------L0.3108-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 72kb total:"
+ - "L0 "
+ - "L0.?[65,65] 1.02us 0b |L0.?| "
+ - "L0.?[66,66] 1.02us 72kb |L0.?|"
+ - "**** Simulation run 485, type=split(ReduceOverlap)(split_times=[77]). 1 Input Files, 87kb total:"
+ - "L0, all files 87kb "
+ - "L0.3168[77,78] 1.02us |----------------------------------------L0.3168-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 87kb total:"
+ - "L0 "
+ - "L0.?[77,77] 1.02us 0b |L0.?| "
+ - "L0.?[78,78] 1.02us 87kb |L0.?|"
+ - "Committing partition 1:"
+ - " Soft Deleting 4 files: L0.3102, L0.3108, L0.3157, L0.3168"
+ - " Creating 8 files"
+ - "**** Simulation run 486, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[36, 48]). 10 Input Files, 250mb total:"
+ - "L0 "
+ - "L0.3117[24,37] 914ns 12mb|----------------L0.3117----------------| "
+ - "L0.3137[38,38] 914ns 0b |L0.3137| "
+ - "L0.3138[39,44] 914ns 7mb |---L0.3138----| "
+ - "L0.3100[45,45] 914ns 0b |L0.3100| "
+ - "L0.3101[46,48] 914ns 4mb |L0.3101| "
+ - "L0.3129[49,50] 914ns 1mb |L0.3129| "
+ - "L0.3139[51,52] 914ns 2mb |L0.3139|"
+ - "L1 "
+ - "L1.3172[24,37] 814ns 104mb|----------------L1.3172----------------| "
+ - "L1.3173[38,50] 814ns 96mb |--------------L1.3173---------------| "
+ - "L1.3174[51,52] 814ns 24mb |L1.3174|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 250mb total:"
+ - "L1 "
+ - "L1.?[24,36] 914ns 107mb |----------------L1.?----------------| "
+ - "L1.?[37,48] 914ns 98mb |--------------L1.?---------------| "
+ - "L1.?[49,52] 914ns 45mb |-L1.?--| "
+ - "Committing partition 1:"
+ - " Soft Deleting 10 files: L0.3100, L0.3101, L0.3117, L0.3129, L0.3137, L0.3138, L0.3139, L1.3172, L1.3173, L1.3174"
+ - " Creating 3 files"
+ - "**** Simulation run 487, type=split(ReduceOverlap)(split_times=[36]). 1 Input Files, 12mb total:"
+ - "L0, all files 12mb "
+ - "L0.3119[24,37] 1.01us |----------------------------------------L0.3119-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 12mb total:"
+ - "L0 "
+ - "L0.?[24,36] 1.01us 11mb |--------------------------------------L0.?---------------------------------------| "
+ - "L0.?[37,37] 1.01us 977kb |L0.?|"
+ - "**** Simulation run 488, type=split(ReduceOverlap)(split_times=[36]). 1 Input Files, 823kb total:"
+ - "L0, all files 823kb "
+ - "L0.3121[24,37] 1.02us |----------------------------------------L0.3121-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 823kb total:"
+ - "L0 "
+ - "L0.?[24,36] 1.02us 760kb |--------------------------------------L0.?---------------------------------------| "
+ - "L0.?[37,37] 1.02us 63kb |L0.?|"
+ - "**** Simulation run 489, type=split(ReduceOverlap)(split_times=[48]). 1 Input Files, 317kb total:"
+ - "L0, all files 317kb "
+ - "L0.3125[46,50] 1.02us |----------------------------------------L0.3125-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 317kb total:"
+ - "L0, all files 158kb "
+ - "L0.?[46,48] 1.02us |-------------------L0.?--------------------| "
+ - "L0.?[49,50] 1.02us |--------L0.?--------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 3 files: L0.3119, L0.3121, L0.3125"
+ - " Creating 6 files"
+ - "**** Simulation run 490, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[64, 75]). 11 Input Files, 219mb total:"
+ - "L0 "
+ - "L0.3140[53,54] 914ns 3mb |L0.3140| "
+ - "L0.3088[55,64] 1.01us 9mb |------------L0.3088------------| "
+ - "L0.3186[65,65] 1.01us 0b |L0.3186| "
+ - "L0.3187[66,66] 1.01us 1mb |L0.3187| "
+ - "L0.3182[67,75] 1.01us 9mb |----------L0.3182-----------| "
+ - "L0.3183[76,76] 1.01us 1mb |L0.3183|"
+ - "L0.3188[77,77] 1.01us 0b |L0.3188|"
+ - "L1 "
+ - "L1.3178[53,64] 913ns 94mb|----------------L1.3178----------------| "
+ - "L1.3179[65,65] 913ns 9mb |L1.3179| "
+ - "L1.3180[66,75] 913ns 77mb |------------L1.3180------------| "
+ - "L1.3181[76,77] 913ns 17mb |L1.3181|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 219mb total:"
+ - "L1 "
+ - "L1.?[53,64] 1.01us 100mb |-----------------L1.?------------------| "
+ - "L1.?[65,75] 1.01us 91mb |---------------L1.?----------------| "
+ - "L1.?[76,77] 1.01us 27mb |L1.?|"
+ - "Committing partition 1:"
+ - " Soft Deleting 11 files: L0.3088, L0.3140, L1.3178, L1.3179, L1.3180, L1.3181, L0.3182, L0.3183, L0.3186, L0.3187, L0.3188"
+ - " Creating 3 files"
+ - "**** Simulation run 491, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[87, 96]). 9 Input Files, 248mb total:"
+ - "L0 "
+ - "L0.3189[78,78] 1.01us 2mb|L0.3189| "
+ - "L0.3056[79,84] 1.01us 6mb |-----L0.3056------| "
+ - "L0.3162[85,87] 1.01us 5mb |L0.3162| "
+ - "L0.3166[88,91] 1.01us 8mb |-L0.3166--| "
+ - "L0.3167[92,97] 1.01us 17mb |-----L0.3167------| "
+ - "L0.3065[98,100] 1.01us 8mb |L0.3065|"
+ - "L1 "
+ - "L1.3177[78,87] 913ns 94mb|-------------L1.3177--------------| "
+ - "L1.3161[88,91] 813ns 31mb |-L1.3161--| "
+ - "L1.3151[92,100] 813ns 78mb |-----------L1.3151------------| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 248mb total:"
+ - "L1 "
+ - "L1.?[78,87] 1.01us 101mb |---------------L1.?---------------| "
+ - "L1.?[88,96] 1.01us 90mb |-------------L1.?-------------| "
+ - "L1.?[97,100] 1.01us 56mb |---L1.?---| "
+ - "Committing partition 1:"
+ - " Soft Deleting 9 files: L0.3056, L0.3065, L1.3151, L1.3161, L0.3162, L0.3166, L0.3167, L1.3177, L0.3189"
+ - " Creating 3 files"
+ - "**** Simulation run 492, type=split(ReduceOverlap)(split_times=[96]). 1 Input Files, 874kb total:"
+ - "L0, all files 874kb "
+ - "L0.3171[92,100] 1.02us |----------------------------------------L0.3171-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 874kb total:"
+ - "L0, all files 437kb "
+ - "L0.?[92,96] 1.02us |-------------------L0.?--------------------| "
+ - "L0.?[97,100] 1.02us |-------------L0.?--------------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 1 files: L0.3171"
+ - " Creating 2 files"
+ - "**** Simulation run 493, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[35, 46]). 11 Input Files, 275mb total:"
+ - "L0 "
+ - "L0.3197[24,36] 1.01us 11mb|--------------L0.3197---------------| "
+ - "L0.3198[37,37] 1.01us 977kb |L0.3198| "
+ - "L0.3141[38,38] 1.01us 0b |L0.3141| "
+ - "L0.3142[39,44] 1.01us 7mb |---L0.3142----| "
+ - "L0.3104[45,45] 1.01us 0b |L0.3104| "
+ - "L0.3105[46,48] 1.01us 4mb |L0.3105| "
+ - "L0.3131[49,50] 1.01us 1mb |L0.3131| "
+ - "L0.3143[51,52] 1.01us 2mb |L0.3143|"
+ - "L1 "
+ - "L1.3194[24,36] 914ns 107mb|--------------L1.3194---------------| "
+ - "L1.3195[37,48] 914ns 98mb |-------------L1.3195-------------| "
+ - "L1.3196[49,52] 914ns 45mb |L1.3196| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 275mb total:"
+ - "L1 "
+ - "L1.?[24,35] 1.01us 108mb |--------------L1.?---------------| "
+ - "L1.?[36,46] 1.01us 98mb |-------------L1.?-------------| "
+ - "L1.?[47,52] 1.01us 69mb |-----L1.?-----| "
+ - "Committing partition 1:"
+ - " Soft Deleting 11 files: L0.3104, L0.3105, L0.3131, L0.3141, L0.3142, L0.3143, L1.3194, L1.3195, L1.3196, L0.3197, L0.3198"
+ - " Creating 3 files"
+ - "**** Simulation run 494, type=split(ReduceOverlap)(split_times=[35]). 1 Input Files, 760kb total:"
+ - "L0, all files 760kb "
+ - "L0.3199[24,36] 1.02us |----------------------------------------L0.3199-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 760kb total:"
+ - "L0 "
+ - "L0.?[24,35] 1.02us 697kb |--------------------------------------L0.?--------------------------------------| "
+ - "L0.?[36,36] 1.02us 63kb |L0.?|"
+ - "**** Simulation run 495, type=split(ReduceOverlap)(split_times=[46]). 1 Input Files, 158kb total:"
+ - "L0, all files 158kb "
+ - "L0.3201[46,48] 1.02us |----------------------------------------L0.3201-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 158kb total:"
+ - "L0 "
+ - "L0.?[46,46] 1.02us 0b |L0.?| "
+ - "L0.?[47,48] 1.02us 158kb |-------------------L0.?--------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 2 files: L0.3199, L0.3201"
+ - " Creating 4 files"
+ - "**** Simulation run 496, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[61]). 2 Input Files, 103mb total:"
+ - "L0 "
+ - "L0.3144[53,54] 1.01us 3mb|L0.3144| "
+ - "L1 "
+ - "L1.3203[53,64] 1.01us 100mb|----------------------------------------L1.3203-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 103mb total:"
+ - "L1 "
+ - "L1.?[53,61] 1.01us 75mb |-----------------------------L1.?------------------------------| "
+ - "L1.?[62,64] 1.01us 28mb |-----L1.?-----| "
+ - "Committing partition 1:"
+ - " Soft Deleting 2 files: L0.3144, L1.3203"
+ - " Creating 2 files"
+ - "**** Simulation run 497, type=split(ReduceOverlap)(split_times=[61]). 1 Input Files, 615kb total:"
+ - "L0, all files 615kb "
+ - "L0.3090[55,64] 1.02us |----------------------------------------L0.3090-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 615kb total:"
+ - "L0 "
+ - "L0.?[55,61] 1.02us 410kb |---------------------------L0.?---------------------------| "
+ - "L0.?[62,64] 1.02us 205kb |-------L0.?-------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 1 files: L0.3090"
+ - " Creating 2 files"
+ - "**** Simulation run 498, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[35, 46]). 13 Input Files, 277mb total:"
+ - "L0 "
+ - "L0.3214[24,35] 1.02us 697kb|-------------L0.3214-------------| "
+ - "L0.3215[36,36] 1.02us 63kb |L0.3215| "
+ - "L0.3200[37,37] 1.02us 63kb |L0.3200| "
+ - "L0.3145[38,38] 1.02us 0b |L0.3145| "
+ - "L0.3146[39,44] 1.02us 443kb |---L0.3146----| "
+ - "L0.3106[45,45] 1.02us 0b |L0.3106| "
+ - "L0.3216[46,46] 1.02us 0b |L0.3216| "
+ - "L0.3217[47,48] 1.02us 158kb |L0.3217| "
+ - "L0.3202[49,50] 1.02us 158kb |L0.3202| "
+ - "L0.3147[51,52] 1.02us 106kb |L0.3147|"
+ - "L1 "
+ - "L1.3211[24,35] 1.01us 108mb|-------------L1.3211-------------| "
+ - "L1.3212[36,46] 1.01us 98mb |-----------L1.3212------------| "
+ - "L1.3213[47,52] 1.01us 69mb |---L1.3213----| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 277mb total:"
+ - "L1 "
+ - "L1.?[24,35] 1.02us 109mb |--------------L1.?---------------| "
+ - "L1.?[36,46] 1.02us 99mb |-------------L1.?-------------| "
+ - "L1.?[47,52] 1.02us 69mb |-----L1.?-----| "
+ - "Committing partition 1:"
+ - " Soft Deleting 13 files: L0.3106, L0.3145, L0.3146, L0.3147, L0.3200, L0.3202, L1.3211, L1.3212, L1.3213, L0.3214, L0.3215, L0.3216, L0.3217"
+ - " Creating 3 files"
+ - "**** Simulation run 499, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[64, 75]). 12 Input Files, 223mb total:"
+ - "L0 "
+ - "L0.3148[53,54] 1.02us 211kb|L0.3148| "
+ - "L0.3220[55,61] 1.02us 410kb |------L0.3220-------| "
+ - "L0.3221[62,64] 1.02us 205kb |L0.3221| "
+ - "L0.3190[65,65] 1.02us 0b |L0.3190| "
+ - "L0.3191[66,66] 1.02us 72kb |L0.3191| "
+ - "L0.3184[67,75] 1.02us 609kb |----------L0.3184-----------| "
+ - "L0.3185[76,76] 1.02us 76kb |L0.3185|"
+ - "L0.3192[77,77] 1.02us 0b |L0.3192|"
+ - "L1 "
+ - "L1.3218[53,61] 1.01us 75mb|----------L1.3218-----------| "
+ - "L1.3219[62,64] 1.01us 28mb |L1.3219| "
+ - "L1.3204[65,75] 1.01us 91mb |--------------L1.3204--------------| "
+ - "L1.3205[76,77] 1.01us 27mb |L1.3205|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 223mb total:"
+ - "L1 "
+ - "L1.?[53,64] 1.02us 102mb |-----------------L1.?------------------| "
+ - "L1.?[65,75] 1.02us 93mb |---------------L1.?----------------| "
+ - "L1.?[76,77] 1.02us 28mb |L1.?|"
+ - "Committing partition 1:"
+ - " Soft Deleting 12 files: L0.3148, L0.3184, L0.3185, L0.3190, L0.3191, L0.3192, L1.3204, L1.3205, L1.3218, L1.3219, L0.3220, L0.3221"
+ - " Creating 3 files"
+ - "**** Simulation run 500, type=split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))(split_times=[87, 96]). 9 Input Files, 250mb total:"
+ - "L0 "
+ - "L0.3210[97,100] 1.02us 437kb |-L0.3210--| "
+ - "L0.3209[92,96] 1.02us 437kb |---L0.3209----| "
+ - "L0.3170[88,91] 1.02us 291kb |-L0.3170--| "
+ - "L0.3164[85,87] 1.02us 179kb |L0.3164| "
+ - "L0.3169[79,84] 1.02us 522kb |-----L0.3169------| "
+ - "L0.3193[78,78] 1.02us 87kb|L0.3193| "
+ - "L1 "
+ - "L1.3206[78,87] 1.01us 101mb|-------------L1.3206--------------| "
+ - "L1.3208[97,100] 1.01us 56mb |-L1.3208--| "
+ - "L1.3207[88,96] 1.01us 90mb |-----------L1.3207------------| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 250mb total:"
+ - "L1 "
+ - "L1.?[78,87] 1.02us 102mb |---------------L1.?---------------| "
+ - "L1.?[88,96] 1.02us 91mb |-------------L1.?-------------| "
+ - "L1.?[97,100] 1.02us 57mb |---L1.?---| "
+ - "Committing partition 1:"
+ - " Soft Deleting 9 files: L0.3164, L0.3169, L0.3170, L0.3193, L1.3206, L1.3207, L1.3208, L0.3209, L0.3210"
+ - " Creating 3 files"
+ - "**** Simulation run 501, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[47, 58]). 3 Input Files, 271mb total:"
+ - "L1 "
+ - "L1.3223[36,46] 1.02us 99mb|-----------L1.3223------------| "
+ - "L1.3224[47,52] 1.02us 69mb |---L1.3224----| "
+ - "L1.3225[53,64] 1.02us 102mb |-------------L1.3225-------------| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 271mb total:"
+ - "L2 "
+ - "L2.?[36,47] 1.02us 106mb |--------------L2.?---------------| "
+ - "L2.?[48,58] 1.02us 97mb |-------------L2.?-------------| "
+ - "L2.?[59,64] 1.02us 68mb |-----L2.?-----| "
+ - "Committing partition 1:"
+ - " Soft Deleting 3 files: L1.3223, L1.3224, L1.3225"
+ - " Upgrading 1 files level to CompactionLevel::L2: L1.3222"
+ - " Creating 3 files"
+ - "**** Simulation run 502, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[75, 85]). 3 Input Files, 223mb total:"
+ - "L1 "
+ - "L1.3226[65,75] 1.02us 93mb|---------------L1.3226----------------| "
+ - "L1.3227[76,77] 1.02us 28mb |L1.3227| "
+ - "L1.3228[78,87] 1.02us 102mb |-------------L1.3228--------------| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 223mb total:"
+ - "L2 "
+ - "L2.?[65,75] 1.02us 101mb |-----------------L2.?-----------------| "
+ - "L2.?[76,85] 1.02us 91mb |---------------L2.?---------------| "
+ - "L2.?[86,87] 1.02us 30mb |L2.?|"
+ - "Committing partition 1:"
+ - " Soft Deleting 3 files: L1.3226, L1.3227, L1.3228"
+ - " Creating 3 files"
+ - "**** Simulation run 503, type=split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))(split_times=[97]). 2 Input Files, 148mb total:"
+ - "L1 "
+ - "L1.3230[97,100] 1.02us 57mb |------L1.3230-------| "
+ - "L1.3229[88,96] 1.02us 91mb|-------------------------L1.3229--------------------------| "
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 148mb total:"
+ - "L2 "
+ - "L2.?[88,97] 1.02us 111mb |------------------------------L2.?-------------------------------| "
+ - "L2.?[98,100] 1.02us 37mb |----L2.?-----|"
+ - "Committing partition 1:"
+ - " Soft Deleting 2 files: L1.3229, L1.3230"
+ - " Creating 2 files"
+ - "**** Final Output Files (7.41gb written)"
+ - "L2 "
+ - "L2.3222[24,35] 1.02us 109mb|--L2.3222--| "
+ - "L2.3231[36,47] 1.02us 106mb |--L2.3231--| "
+ - "L2.3232[48,58] 1.02us 97mb |-L2.3232-| "
+ - "L2.3233[59,64] 1.02us 68mb |L2.3233| "
+ - "L2.3234[65,75] 1.02us 101mb |-L2.3234-| "
+ - "L2.3235[76,85] 1.02us 91mb |L2.3235-| "
+ - "L2.3236[86,87] 1.02us 30mb |L2.3236| "
+ - "L2.3237[88,97] 1.02us 111mb |L2.3237-| "
+ - "L2.3238[98,100] 1.02us 37mb |L2.3238|"
+ "###
+ );
+}
diff --git a/compactor/tests/layouts/mod.rs b/compactor/tests/layouts/mod.rs
index 1a43bbbdb2..5fd1817e08 100644
--- a/compactor/tests/layouts/mod.rs
+++ b/compactor/tests/layouts/mod.rs
@@ -58,6 +58,7 @@ mod large_files;
mod large_overlaps;
mod many_files;
mod single_timestamp;
+mod stuck;
use std::{sync::atomic::Ordering, time::Duration};
diff --git a/compactor/tests/layouts/stuck.rs b/compactor/tests/layouts/stuck.rs
new file mode 100644
index 0000000000..8cff3f38d1
--- /dev/null
+++ b/compactor/tests/layouts/stuck.rs
@@ -0,0 +1,8059 @@
+//! layout test for scenario shown to get stuck compacting.
+//! The original of this set of files is querying a catalog of a partition stuck doing
+//! non-productive compactions (which needs veritical splitting to resolve the impasse).
+//!
+//! See [crate::layout] module for detailed documentation
+
+use data_types::CompactionLevel;
+use iox_time::Time;
+use std::time::Duration;
+
+use crate::layouts::{layout_setup_builder, parquet_builder, run_layout_scenario, ONE_MB};
+const MAX_DESIRED_FILE_SIZE: u64 = 100 * ONE_MB;
+
+#[tokio::test]
+async fn stuck() {
+ test_helpers::maybe_start_logging();
+
+ let setup = layout_setup_builder()
+ .await
+ .with_max_num_files_per_plan(20)
+ .with_max_desired_file_size_bytes(MAX_DESIRED_FILE_SIZE)
+ .with_partition_timeout(Duration::from_millis(10000))
+ .build()
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686841379000000000)
+ .with_max_time(1686853019000000000)
+ .with_compaction_level(CompactionLevel::Initial)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686930563065100652))
+ .with_file_size_bytes(149933875),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686841379000000000)
+ .with_max_time(1686845579000000000)
+ .with_compaction_level(CompactionLevel::Final)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686928811433793899))
+ .with_file_size_bytes(103205619),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686841379000000000)
+ .with_max_time(1686853319000000000)
+ .with_compaction_level(CompactionLevel::Initial)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686935546047601759))
+ .with_file_size_bytes(150536767),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686841379000000000)
+ .with_max_time(1686871559000000000)
+ .with_compaction_level(CompactionLevel::Initial)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686936871554969451))
+ .with_file_size_bytes(102393626),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686841379000000000)
+ .with_max_time(1686854759000000000)
+ .with_compaction_level(CompactionLevel::Initial)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686935947459465643))
+ .with_file_size_bytes(87151809),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686841379000000000)
+ .with_max_time(1686845579000000000)
+ .with_compaction_level(CompactionLevel::FileNonOverlapped)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686928854574095806))
+ .with_file_size_bytes(5682010),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686841379000000000)
+ .with_max_time(1686852839000000000)
+ .with_compaction_level(CompactionLevel::Initial)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686935742511199929))
+ .with_file_size_bytes(75607192),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686841379000000000)
+ .with_max_time(1686855419000000000)
+ .with_compaction_level(CompactionLevel::Initial)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686935151542899174))
+ .with_file_size_bytes(87166408),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686841379000000000)
+ .with_max_time(1686855059000000000)
+ .with_compaction_level(CompactionLevel::Initial)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686929965334855957))
+ .with_file_size_bytes(88035623),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686841379000000000)
+ .with_max_time(1686855659000000000)
+ .with_compaction_level(CompactionLevel::Initial)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686931893702512591))
+ .with_file_size_bytes(90543489),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686841379000000000)
+ .with_max_time(1686852899000000000)
+ .with_compaction_level(CompactionLevel::Initial)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686934966479515832))
+ .with_file_size_bytes(75851382),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686841379000000000)
+ .with_max_time(1686853079000000000)
+ .with_compaction_level(CompactionLevel::Initial)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686931336078719452))
+ .with_file_size_bytes(149692663),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686841379000000000)
+ .with_max_time(1686853319000000000)
+ .with_compaction_level(CompactionLevel::Initial)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686929421018268948))
+ .with_file_size_bytes(150619037),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686841379000000000)
+ .with_max_time(1686853379000000000)
+ .with_compaction_level(CompactionLevel::Initial)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686930780953922120))
+ .with_file_size_bytes(58021414),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686841379000000000)
+ .with_max_time(1686852839000000000)
+ .with_compaction_level(CompactionLevel::Initial)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686929712329555892))
+ .with_file_size_bytes(75536272),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686841379000000000)
+ .with_max_time(1686853019000000000)
+ .with_compaction_level(CompactionLevel::Initial)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686933271571861107))
+ .with_file_size_bytes(149014949),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686841379000000000)
+ .with_max_time(1686852899000000000)
+ .with_compaction_level(CompactionLevel::Initial)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686931600579333716))
+ .with_file_size_bytes(72914229),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686841379000000000)
+ .with_max_time(1686852959000000000)
+ .with_compaction_level(CompactionLevel::Initial)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686933528170895870))
+ .with_file_size_bytes(74896171),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686841379000000000)
+ .with_max_time(1686855119000000000)
+ .with_compaction_level(CompactionLevel::Initial)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686933830062404735))
+ .with_file_size_bytes(89245536),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686841379000000000)
+ .with_max_time(1686852119000000000)
+ .with_compaction_level(CompactionLevel::Initial)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686934254955029762))
+ .with_file_size_bytes(105905115),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686841379000000000)
+ .with_max_time(1686849719000000000)
+ .with_compaction_level(CompactionLevel::Initial)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686932458050354802))
+ .with_file_size_bytes(104819243),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686841379000000000)
+ .with_max_time(1686853679000000000)
+ .with_compaction_level(CompactionLevel::Initial)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686934759745855254))
+ .with_file_size_bytes(150386578),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686841379000000000)
+ .with_max_time(1686854219000000000)
+ .with_compaction_level(CompactionLevel::Initial)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686932677391046778))
+ .with_file_size_bytes(67069745),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686845639000000000)
+ .with_max_time(1686849779000000000)
+ .with_compaction_level(CompactionLevel::FileNonOverlapped)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686928854574095806))
+ .with_file_size_bytes(5526463),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686845639000000000)
+ .with_max_time(1686849779000000000)
+ .with_compaction_level(CompactionLevel::Final)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686928811433793899))
+ .with_file_size_bytes(101878097),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686849779000000000)
+ .with_max_time(1686858119000000000)
+ .with_compaction_level(CompactionLevel::Initial)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686932458050354802))
+ .with_file_size_bytes(104808702),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686849839000000000)
+ .with_max_time(1686850559000000000)
+ .with_compaction_level(CompactionLevel::Final)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686928811433793899))
+ .with_file_size_bytes(21186155),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686849839000000000)
+ .with_max_time(1686850559000000000)
+ .with_compaction_level(CompactionLevel::FileNonOverlapped)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686928854574095806))
+ .with_file_size_bytes(998505),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686850619000000000)
+ .with_max_time(1686854819000000000)
+ .with_compaction_level(CompactionLevel::FileNonOverlapped)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686928854574095806))
+ .with_file_size_bytes(5580685),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686850619000000000)
+ .with_max_time(1686854819000000000)
+ .with_compaction_level(CompactionLevel::Final)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686928811433793899))
+ .with_file_size_bytes(103246896),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686852179000000000)
+ .with_max_time(1686862859000000000)
+ .with_compaction_level(CompactionLevel::Initial)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686934254955029762))
+ .with_file_size_bytes(105513447),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686852899000000000)
+ .with_max_time(1686864359000000000)
+ .with_compaction_level(CompactionLevel::Initial)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686935742511199929))
+ .with_file_size_bytes(139541880),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686852899000000000)
+ .with_max_time(1686864359000000000)
+ .with_compaction_level(CompactionLevel::Initial)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686929712329555892))
+ .with_file_size_bytes(139400211),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686852959000000000)
+ .with_max_time(1686864419000000000)
+ .with_compaction_level(CompactionLevel::Initial)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686931600579333716))
+ .with_file_size_bytes(136888003),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686852959000000000)
+ .with_max_time(1686864419000000000)
+ .with_compaction_level(CompactionLevel::Initial)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686934966479515832))
+ .with_file_size_bytes(139953230),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686853019000000000)
+ .with_max_time(1686864599000000000)
+ .with_compaction_level(CompactionLevel::Initial)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686933528170895870))
+ .with_file_size_bytes(138845602),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686853079000000000)
+ .with_max_time(1686864659000000000)
+ .with_compaction_level(CompactionLevel::Initial)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686933271571861107))
+ .with_file_size_bytes(84174642),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686853079000000000)
+ .with_max_time(1686864659000000000)
+ .with_compaction_level(CompactionLevel::Initial)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686930563065100652))
+ .with_file_size_bytes(83486810),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686853139000000000)
+ .with_max_time(1686864839000000000)
+ .with_compaction_level(CompactionLevel::Initial)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686931336078719452))
+ .with_file_size_bytes(83035926),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686853379000000000)
+ .with_max_time(1686865259000000000)
+ .with_compaction_level(CompactionLevel::Initial)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686929421018268948))
+ .with_file_size_bytes(80749475),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686853379000000000)
+ .with_max_time(1686865259000000000)
+ .with_compaction_level(CompactionLevel::Initial)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686935546047601759))
+ .with_file_size_bytes(80622284),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686853439000000000)
+ .with_max_time(1686865439000000000)
+ .with_compaction_level(CompactionLevel::Initial)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686930780953922120))
+ .with_file_size_bytes(130471302),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686853739000000000)
+ .with_max_time(1686866039000000000)
+ .with_compaction_level(CompactionLevel::Initial)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686934759745855254))
+ .with_file_size_bytes(76518641),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686854279000000000)
+ .with_max_time(1686867059000000000)
+ .with_compaction_level(CompactionLevel::Initial)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686932677391046778))
+ .with_file_size_bytes(81222708),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686854819000000000)
+ .with_max_time(1686868199000000000)
+ .with_compaction_level(CompactionLevel::Initial)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686935947459465643))
+ .with_file_size_bytes(93828618),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686854879000000000)
+ .with_max_time(1686859019000000000)
+ .with_compaction_level(CompactionLevel::Final)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686928811433793899))
+ .with_file_size_bytes(101899966),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686854879000000000)
+ .with_max_time(1686859019000000000)
+ .with_compaction_level(CompactionLevel::FileNonOverlapped)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686928854574095806))
+ .with_file_size_bytes(5444939),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686855119000000000)
+ .with_max_time(1686868739000000000)
+ .with_compaction_level(CompactionLevel::Initial)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686929965334855957))
+ .with_file_size_bytes(97364742),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686855179000000000)
+ .with_max_time(1686868859000000000)
+ .with_compaction_level(CompactionLevel::Initial)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686933830062404735))
+ .with_file_size_bytes(96919046),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686855479000000000)
+ .with_max_time(1686869519000000000)
+ .with_compaction_level(CompactionLevel::Initial)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686935151542899174))
+ .with_file_size_bytes(101734904),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686855719000000000)
+ .with_max_time(1686869939000000000)
+ .with_compaction_level(CompactionLevel::Initial)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686931893702512591))
+ .with_file_size_bytes(100008012),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686858179000000000)
+ .with_max_time(1686865979000000000)
+ .with_compaction_level(CompactionLevel::Initial)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686932458050354802))
+ .with_file_size_bytes(98556380),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686859079000000000)
+ .with_max_time(1686859499000000000)
+ .with_compaction_level(CompactionLevel::FileNonOverlapped)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686928854574095806))
+ .with_file_size_bytes(593319),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686859079000000000)
+ .with_max_time(1686859499000000000)
+ .with_compaction_level(CompactionLevel::Final)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686928811433793899))
+ .with_file_size_bytes(14403989),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686859559000000000)
+ .with_max_time(1686863699000000000)
+ .with_compaction_level(CompactionLevel::FileNonOverlapped)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686928854574095806))
+ .with_file_size_bytes(5423734),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686859559000000000)
+ .with_max_time(1686863699000000000)
+ .with_compaction_level(CompactionLevel::Final)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686928811433793899))
+ .with_file_size_bytes(101893482),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686862919000000000)
+ .with_max_time(1686873599000000000)
+ .with_compaction_level(CompactionLevel::Initial)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686934254955029762))
+ .with_file_size_bytes(102580493),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686863759000000000)
+ .with_max_time(1686867659000000000)
+ .with_compaction_level(CompactionLevel::FileNonOverlapped)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686928854574095806))
+ .with_file_size_bytes(5026731),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686863759000000000)
+ .with_max_time(1686867839000000000)
+ .with_compaction_level(CompactionLevel::Final)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686928811433793899))
+ .with_file_size_bytes(100495018),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686864419000000000)
+ .with_max_time(1686873599000000000)
+ .with_compaction_level(CompactionLevel::Initial)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686929712329555892))
+ .with_file_size_bytes(78503529),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686864419000000000)
+ .with_max_time(1686873599000000000)
+ .with_compaction_level(CompactionLevel::Initial)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686935742511199929))
+ .with_file_size_bytes(78149265),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686864479000000000)
+ .with_max_time(1686873599000000000)
+ .with_compaction_level(CompactionLevel::Initial)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686934966479515832))
+ .with_file_size_bytes(77391966),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686864479000000000)
+ .with_max_time(1686873599000000000)
+ .with_compaction_level(CompactionLevel::Initial)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686931600579333716))
+ .with_file_size_bytes(83215868),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686864659000000000)
+ .with_max_time(1686873599000000000)
+ .with_compaction_level(CompactionLevel::Initial)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686933528170895870))
+ .with_file_size_bytes(76904008),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686864719000000000)
+ .with_max_time(1686873599000000000)
+ .with_compaction_level(CompactionLevel::Initial)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686930563065100652))
+ .with_file_size_bytes(56776838),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686864719000000000)
+ .with_max_time(1686873599000000000)
+ .with_compaction_level(CompactionLevel::Initial)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686933271571861107))
+ .with_file_size_bytes(56708180),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686864899000000000)
+ .with_max_time(1686873599000000000)
+ .with_compaction_level(CompactionLevel::Initial)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686931336078719452))
+ .with_file_size_bytes(55114047),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686865319000000000)
+ .with_max_time(1686873599000000000)
+ .with_compaction_level(CompactionLevel::Initial)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686929421018268948))
+ .with_file_size_bytes(51263308),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686865319000000000)
+ .with_max_time(1686873599000000000)
+ .with_compaction_level(CompactionLevel::Initial)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686935546047601759))
+ .with_file_size_bytes(51157926),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686865499000000000)
+ .with_max_time(1686873599000000000)
+ .with_compaction_level(CompactionLevel::Initial)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686930780953922120))
+ .with_file_size_bytes(92510190),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686866099000000000)
+ .with_max_time(1686873599000000000)
+ .with_compaction_level(CompactionLevel::Initial)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686934759745855254))
+ .with_file_size_bytes(46749740),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686867119000000000)
+ .with_max_time(1686873599000000000)
+ .with_compaction_level(CompactionLevel::Initial)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686932677391046778))
+ .with_file_size_bytes(114531826),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686867719000000000)
+ .with_max_time(1686867839000000000)
+ .with_compaction_level(CompactionLevel::FileNonOverlapped)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686928854574095806))
+ .with_file_size_bytes(229903),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686867899000000000)
+ .with_max_time(1686868319000000000)
+ .with_compaction_level(CompactionLevel::Final)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686928811433793899))
+ .with_file_size_bytes(14513946),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686867899000000000)
+ .with_max_time(1686868319000000000)
+ .with_compaction_level(CompactionLevel::FileNonOverlapped)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686928854574095806))
+ .with_file_size_bytes(602054),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686868259000000000)
+ .with_max_time(1686873599000000000)
+ .with_compaction_level(CompactionLevel::Initial)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686935947459465643))
+ .with_file_size_bytes(70522099),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686868379000000000)
+ .with_max_time(1686873599000000000)
+ .with_compaction_level(CompactionLevel::FileNonOverlapped)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686928854574095806))
+ .with_file_size_bytes(93408439),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686868379000000000)
+ .with_max_time(1686873599000000000)
+ .with_compaction_level(CompactionLevel::Final)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686928118432114258))
+ .with_file_size_bytes(41089381),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686868799000000000)
+ .with_max_time(1686873599000000000)
+ .with_compaction_level(CompactionLevel::Initial)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686929965334855957))
+ .with_file_size_bytes(61094135),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686868919000000000)
+ .with_max_time(1686873599000000000)
+ .with_compaction_level(CompactionLevel::Initial)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686933830062404735))
+ .with_file_size_bytes(59466261),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686869579000000000)
+ .with_max_time(1686873599000000000)
+ .with_compaction_level(CompactionLevel::Initial)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686935151542899174))
+ .with_file_size_bytes(51024344),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686869999000000000)
+ .with_max_time(1686873599000000000)
+ .with_compaction_level(CompactionLevel::Initial)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686931893702512591))
+ .with_file_size_bytes(45632935),
+ )
+ .await;
+
+ setup
+ .partition
+ .create_parquet_file(
+ parquet_builder()
+ .with_min_time(1686871619000000000)
+ .with_max_time(1686873599000000000)
+ .with_compaction_level(CompactionLevel::Initial)
+ .with_max_l0_created_at(Time::from_timestamp_nanos(1686936871554969451))
+ .with_file_size_bytes(9380799),
+ )
+ .await;
+
+ insta::assert_yaml_snapshot!(
+ run_layout_scenario(&setup).await,
+ @r###"
+ ---
+ - "**** Input Files "
+ - "L0 "
+ - "L0.1[1686841379000000000,1686853019000000000] 1686930563.07s 143mb|-------------L0.1-------------| "
+ - "L0.3[1686841379000000000,1686853319000000000] 1686935546.05s 144mb|-------------L0.3--------------| "
+ - "L0.4[1686841379000000000,1686871559000000000] 1686936871.55s 98mb|---------------------------------------L0.4---------------------------------------| "
+ - "L0.5[1686841379000000000,1686854759000000000] 1686935947.46s 83mb|---------------L0.5----------------| "
+ - "L0.7[1686841379000000000,1686852839000000000] 1686935742.51s 72mb|-------------L0.7-------------| "
+ - "L0.8[1686841379000000000,1686855419000000000] 1686935151.54s 83mb|----------------L0.8-----------------| "
+ - "L0.9[1686841379000000000,1686855059000000000] 1686929965.33s 84mb|----------------L0.9----------------| "
+ - "L0.10[1686841379000000000,1686855659000000000] 1686931893.7s 86mb|----------------L0.10----------------| "
+ - "L0.11[1686841379000000000,1686852899000000000] 1686934966.48s 72mb|------------L0.11-------------| "
+ - "L0.12[1686841379000000000,1686853079000000000] 1686931336.08s 143mb|------------L0.12-------------| "
+ - "L0.13[1686841379000000000,1686853319000000000] 1686929421.02s 144mb|-------------L0.13-------------| "
+ - "L0.14[1686841379000000000,1686853379000000000] 1686930780.95s 55mb|-------------L0.14-------------| "
+ - "L0.15[1686841379000000000,1686852839000000000] 1686929712.33s 72mb|------------L0.15-------------| "
+ - "L0.16[1686841379000000000,1686853019000000000] 1686933271.57s 142mb|------------L0.16-------------| "
+ - "L0.17[1686841379000000000,1686852899000000000] 1686931600.58s 70mb|------------L0.17-------------| "
+ - "L0.18[1686841379000000000,1686852959000000000] 1686933528.17s 71mb|------------L0.18-------------| "
+ - "L0.19[1686841379000000000,1686855119000000000] 1686933830.06s 85mb|---------------L0.19----------------| "
+ - "L0.20[1686841379000000000,1686852119000000000] 1686934254.96s 101mb|-----------L0.20------------| "
+ - "L0.21[1686841379000000000,1686849719000000000] 1686932458.05s 100mb|--------L0.21--------| "
+ - "L0.22[1686841379000000000,1686853679000000000] 1686934759.75s 143mb|-------------L0.22--------------| "
+ - "L0.23[1686841379000000000,1686854219000000000] 1686932677.39s 64mb|--------------L0.23--------------| "
+ - "L0.26[1686849779000000000,1686858119000000000] 1686932458.05s 100mb |--------L0.26--------| "
+ - "L0.31[1686852179000000000,1686862859000000000] 1686934254.96s 101mb |-----------L0.31-----------| "
+ - "L0.32[1686852899000000000,1686864359000000000] 1686935742.51s 133mb |------------L0.32-------------| "
+ - "L0.33[1686852899000000000,1686864359000000000] 1686929712.33s 133mb |------------L0.33-------------| "
+ - "L0.34[1686852959000000000,1686864419000000000] 1686931600.58s 131mb |------------L0.34-------------| "
+ - "L0.35[1686852959000000000,1686864419000000000] 1686934966.48s 133mb |------------L0.35-------------| "
+ - "L0.36[1686853019000000000,1686864599000000000] 1686933528.17s 132mb |------------L0.36-------------| "
+ - "L0.37[1686853079000000000,1686864659000000000] 1686933271.57s 80mb |------------L0.37-------------| "
+ - "L0.38[1686853079000000000,1686864659000000000] 1686930563.07s 80mb |------------L0.38-------------| "
+ - "L0.39[1686853139000000000,1686864839000000000] 1686931336.08s 79mb |------------L0.39-------------| "
+ - "L0.40[1686853379000000000,1686865259000000000] 1686929421.02s 77mb |-------------L0.40-------------| "
+ - "L0.41[1686853379000000000,1686865259000000000] 1686935546.05s 77mb |-------------L0.41-------------| "
+ - "L0.42[1686853439000000000,1686865439000000000] 1686930780.95s 124mb |-------------L0.42-------------| "
+ - "L0.43[1686853739000000000,1686866039000000000] 1686934759.75s 73mb |-------------L0.43--------------| "
+ - "L0.44[1686854279000000000,1686867059000000000] 1686932677.39s 77mb |--------------L0.44--------------| "
+ - "L0.45[1686854819000000000,1686868199000000000] 1686935947.46s 89mb |---------------L0.45---------------| "
+ - "L0.48[1686855119000000000,1686868739000000000] 1686929965.33s 93mb |---------------L0.48----------------| "
+ - "L0.49[1686855179000000000,1686868859000000000] 1686933830.06s 92mb |---------------L0.49----------------| "
+ - "L0.50[1686855479000000000,1686869519000000000] 1686935151.54s 97mb |----------------L0.50----------------| "
+ - "L0.51[1686855719000000000,1686869939000000000] 1686931893.7s 95mb |----------------L0.51----------------| "
+ - "L0.52[1686858179000000000,1686865979000000000] 1686932458.05s 94mb |-------L0.52-------| "
+ - "L0.57[1686862919000000000,1686873599000000000] 1686934254.96s 98mb |-----------L0.57-----------| "
+ - "L0.60[1686864419000000000,1686873599000000000] 1686929712.33s 75mb |---------L0.60---------| "
+ - "L0.61[1686864419000000000,1686873599000000000] 1686935742.51s 75mb |---------L0.61---------| "
+ - "L0.62[1686864479000000000,1686873599000000000] 1686934966.48s 74mb |---------L0.62---------| "
+ - "L0.63[1686864479000000000,1686873599000000000] 1686931600.58s 79mb |---------L0.63---------| "
+ - "L0.64[1686864659000000000,1686873599000000000] 1686933528.17s 73mb |--------L0.64---------| "
+ - "L0.65[1686864719000000000,1686873599000000000] 1686930563.07s 54mb |--------L0.65---------| "
+ - "L0.66[1686864719000000000,1686873599000000000] 1686933271.57s 54mb |--------L0.66---------| "
+ - "L0.67[1686864899000000000,1686873599000000000] 1686931336.08s 53mb |--------L0.67---------| "
+ - "L0.68[1686865319000000000,1686873599000000000] 1686929421.02s 49mb |--------L0.68--------| "
+ - "L0.69[1686865319000000000,1686873599000000000] 1686935546.05s 49mb |--------L0.69--------| "
+ - "L0.70[1686865499000000000,1686873599000000000] 1686930780.95s 88mb |-------L0.70--------| "
+ - "L0.71[1686866099000000000,1686873599000000000] 1686934759.75s 45mb |------L0.71-------| "
+ - "L0.72[1686867119000000000,1686873599000000000] 1686932677.39s 109mb |-----L0.72------| "
+ - "L0.76[1686868259000000000,1686873599000000000] 1686935947.46s 67mb |---L0.76----| "
+ - "L0.79[1686868799000000000,1686873599000000000] 1686929965.33s 58mb |---L0.79---| "
+ - "L0.80[1686868919000000000,1686873599000000000] 1686933830.06s 57mb |---L0.80---| "
+ - "L0.81[1686869579000000000,1686873599000000000] 1686935151.54s 49mb |--L0.81--| "
+ - "L0.82[1686869999000000000,1686873599000000000] 1686931893.7s 44mb |-L0.82--| "
+ - "L0.83[1686871619000000000,1686873599000000000] 1686936871.55s 9mb |L0.83|"
+ - "L1 "
+ - "L1.6[1686841379000000000,1686845579000000000] 1686928854.57s 5mb|--L1.6---| "
+ - "L1.24[1686845639000000000,1686849779000000000] 1686928854.57s 5mb |--L1.24--| "
+ - "L1.28[1686849839000000000,1686850559000000000] 1686928854.57s 975kb |L1.28| "
+ - "L1.29[1686850619000000000,1686854819000000000] 1686928854.57s 5mb |--L1.29--| "
+ - "L1.47[1686854879000000000,1686859019000000000] 1686928854.57s 5mb |--L1.47--| "
+ - "L1.53[1686859079000000000,1686859499000000000] 1686928854.57s 579kb |L1.53| "
+ - "L1.55[1686859559000000000,1686863699000000000] 1686928854.57s 5mb |--L1.55--| "
+ - "L1.58[1686863759000000000,1686867659000000000] 1686928854.57s 5mb |-L1.58--| "
+ - "L1.73[1686867719000000000,1686867839000000000] 1686928854.57s 225kb |L1.73| "
+ - "L1.75[1686867899000000000,1686868319000000000] 1686928854.57s 588kb |L1.75| "
+ - "L1.77[1686868379000000000,1686873599000000000] 1686928854.57s 89mb |---L1.77----| "
+ - "L2 "
+ - "L2.2[1686841379000000000,1686845579000000000] 1686928811.43s 98mb|--L2.2---| "
+ - "L2.25[1686845639000000000,1686849779000000000] 1686928811.43s 97mb |--L2.25--| "
+ - "L2.27[1686849839000000000,1686850559000000000] 1686928811.43s 20mb |L2.27| "
+ - "L2.30[1686850619000000000,1686854819000000000] 1686928811.43s 98mb |--L2.30--| "
+ - "L2.46[1686854879000000000,1686859019000000000] 1686928811.43s 97mb |--L2.46--| "
+ - "L2.54[1686859079000000000,1686859499000000000] 1686928811.43s 14mb |L2.54| "
+ - "L2.56[1686859559000000000,1686863699000000000] 1686928811.43s 97mb |--L2.56--| "
+ - "L2.59[1686863759000000000,1686867839000000000] 1686928811.43s 96mb |--L2.59--| "
+ - "L2.74[1686867899000000000,1686868319000000000] 1686928811.43s 14mb |L2.74| "
+ - "L2.78[1686868379000000000,1686873599000000000] 1686928118.43s 39mb |---L2.78----| "
+ - "**** Simulation run 0, type=split(HighL0OverlapTotalBacklog)(split_times=[1686842249810810810, 1686843120621621620, 1686843991432432430, 1686844862243243240]). 1 Input Files, 5mb total:"
+ - "L1, all files 5mb "
+ - "L1.6[1686841379000000000,1686845579000000000] 1686928854.57s|------------------------------------------L1.6------------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 5mb total:"
+ - "L1 "
+ - "L1.?[1686841379000000000,1686842249810810810] 1686928854.57s 1mb|------L1.?------| "
+ - "L1.?[1686842249810810811,1686843120621621620] 1686928854.57s 1mb |------L1.?------| "
+ - "L1.?[1686843120621621621,1686843991432432430] 1686928854.57s 1mb |------L1.?------| "
+ - "L1.?[1686843991432432431,1686844862243243240] 1686928854.57s 1mb |------L1.?------| "
+ - "L1.?[1686844862243243241,1686845579000000000] 1686928854.57s 947kb |----L1.?-----| "
+ - "**** Simulation run 1, type=split(HighL0OverlapTotalBacklog)(split_times=[1686842249810810810, 1686843120621621620, 1686843991432432430, 1686844862243243240, 1686845733054054050, 1686846603864864860, 1686847474675675670, 1686848345486486480, 1686849216297297290, 1686850087108108100, 1686850957918918910, 1686851828729729720, 1686852699540540530]). 1 Input Files, 144mb total:"
+ - "L0, all files 144mb "
+ - "L0.13[1686841379000000000,1686853319000000000] 1686929421.02s|-----------------------------------------L0.13------------------------------------------|"
+ - "**** 14 Output Files (parquet_file_id not yet assigned), 144mb total:"
+ - "L0 "
+ - "L0.?[1686841379000000000,1686842249810810810] 1686929421.02s 10mb|L0.?| "
+ - "L0.?[1686842249810810811,1686843120621621620] 1686929421.02s 10mb |L0.?| "
+ - "L0.?[1686843120621621621,1686843991432432430] 1686929421.02s 10mb |L0.?| "
+ - "L0.?[1686843991432432431,1686844862243243240] 1686929421.02s 10mb |L0.?| "
+ - "L0.?[1686844862243243241,1686845733054054050] 1686929421.02s 10mb |L0.?| "
+ - "L0.?[1686845733054054051,1686846603864864860] 1686929421.02s 10mb |L0.?| "
+ - "L0.?[1686846603864864861,1686847474675675670] 1686929421.02s 10mb |L0.?| "
+ - "L0.?[1686847474675675671,1686848345486486480] 1686929421.02s 10mb |L0.?| "
+ - "L0.?[1686848345486486481,1686849216297297290] 1686929421.02s 10mb |L0.?| "
+ - "L0.?[1686849216297297291,1686850087108108100] 1686929421.02s 10mb |L0.?| "
+ - "L0.?[1686850087108108101,1686850957918918910] 1686929421.02s 10mb |L0.?| "
+ - "L0.?[1686850957918918911,1686851828729729720] 1686929421.02s 10mb |L0.?| "
+ - "L0.?[1686851828729729721,1686852699540540530] 1686929421.02s 10mb |L0.?| "
+ - "L0.?[1686852699540540531,1686853319000000000] 1686929421.02s 7mb |L0.?|"
+ - "**** Simulation run 2, type=split(HighL0OverlapTotalBacklog)(split_times=[1686842249810810810, 1686843120621621620, 1686843991432432430, 1686844862243243240, 1686845733054054050, 1686846603864864860, 1686847474675675670, 1686848345486486480, 1686849216297297290, 1686850087108108100, 1686850957918918910, 1686851828729729720, 1686852699540540530]). 1 Input Files, 72mb total:"
+ - "L0, all files 72mb "
+ - "L0.15[1686841379000000000,1686852839000000000] 1686929712.33s|-----------------------------------------L0.15------------------------------------------|"
+ - "**** 14 Output Files (parquet_file_id not yet assigned), 72mb total:"
+ - "L0 "
+ - "L0.?[1686841379000000000,1686842249810810810] 1686929712.33s 5mb|L0.?| "
+ - "L0.?[1686842249810810811,1686843120621621620] 1686929712.33s 5mb |L0.?| "
+ - "L0.?[1686843120621621621,1686843991432432430] 1686929712.33s 5mb |L0.?| "
+ - "L0.?[1686843991432432431,1686844862243243240] 1686929712.33s 5mb |L0.?| "
+ - "L0.?[1686844862243243241,1686845733054054050] 1686929712.33s 5mb |L0.?| "
+ - "L0.?[1686845733054054051,1686846603864864860] 1686929712.33s 5mb |L0.?| "
+ - "L0.?[1686846603864864861,1686847474675675670] 1686929712.33s 5mb |L0.?| "
+ - "L0.?[1686847474675675671,1686848345486486480] 1686929712.33s 5mb |L0.?| "
+ - "L0.?[1686848345486486481,1686849216297297290] 1686929712.33s 5mb |L0.?| "
+ - "L0.?[1686849216297297291,1686850087108108100] 1686929712.33s 5mb |L0.?| "
+ - "L0.?[1686850087108108101,1686850957918918910] 1686929712.33s 5mb |L0.?| "
+ - "L0.?[1686850957918918911,1686851828729729720] 1686929712.33s 5mb |L0.?| "
+ - "L0.?[1686851828729729721,1686852699540540530] 1686929712.33s 5mb |L0.?| "
+ - "L0.?[1686852699540540531,1686852839000000000] 1686929712.33s 898kb |L0.?|"
+ - "**** Simulation run 3, type=split(HighL0OverlapTotalBacklog)(split_times=[1686842249810810810, 1686843120621621620, 1686843991432432430, 1686844862243243240, 1686845733054054050, 1686846603864864860, 1686847474675675670, 1686848345486486480, 1686849216297297290, 1686850087108108100, 1686850957918918910, 1686851828729729720, 1686852699540540530, 1686853570351351340, 1686854441162162150]). 1 Input Files, 84mb total:"
+ - "L0, all files 84mb "
+ - "L0.9[1686841379000000000,1686855059000000000] 1686929965.33s|------------------------------------------L0.9------------------------------------------|"
+ - "**** 16 Output Files (parquet_file_id not yet assigned), 84mb total:"
+ - "L0 "
+ - "L0.?[1686841379000000000,1686842249810810810] 1686929965.33s 5mb|L0.?| "
+ - "L0.?[1686842249810810811,1686843120621621620] 1686929965.33s 5mb |L0.?| "
+ - "L0.?[1686843120621621621,1686843991432432430] 1686929965.33s 5mb |L0.?| "
+ - "L0.?[1686843991432432431,1686844862243243240] 1686929965.33s 5mb |L0.?| "
+ - "L0.?[1686844862243243241,1686845733054054050] 1686929965.33s 5mb |L0.?| "
+ - "L0.?[1686845733054054051,1686846603864864860] 1686929965.33s 5mb |L0.?| "
+ - "L0.?[1686846603864864861,1686847474675675670] 1686929965.33s 5mb |L0.?| "
+ - "L0.?[1686847474675675671,1686848345486486480] 1686929965.33s 5mb |L0.?| "
+ - "L0.?[1686848345486486481,1686849216297297290] 1686929965.33s 5mb |L0.?| "
+ - "L0.?[1686849216297297291,1686850087108108100] 1686929965.33s 5mb |L0.?| "
+ - "L0.?[1686850087108108101,1686850957918918910] 1686929965.33s 5mb |L0.?| "
+ - "L0.?[1686850957918918911,1686851828729729720] 1686929965.33s 5mb |L0.?| "
+ - "L0.?[1686851828729729721,1686852699540540530] 1686929965.33s 5mb |L0.?| "
+ - "L0.?[1686852699540540531,1686853570351351340] 1686929965.33s 5mb |L0.?| "
+ - "L0.?[1686853570351351341,1686854441162162150] 1686929965.33s 5mb |L0.?| "
+ - "L0.?[1686854441162162151,1686855059000000000] 1686929965.33s 4mb |L0.?|"
+ - "**** Simulation run 4, type=split(HighL0OverlapTotalBacklog)(split_times=[1686842249810810810, 1686843120621621620, 1686843991432432430, 1686844862243243240, 1686845733054054050, 1686846603864864860, 1686847474675675670, 1686848345486486480, 1686849216297297290, 1686850087108108100, 1686850957918918910, 1686851828729729720, 1686852699540540530]). 1 Input Files, 143mb total:"
+ - "L0, all files 143mb "
+ - "L0.1[1686841379000000000,1686853019000000000] 1686930563.07s|------------------------------------------L0.1------------------------------------------|"
+ - "**** 14 Output Files (parquet_file_id not yet assigned), 143mb total:"
+ - "L0 "
+ - "L0.?[1686841379000000000,1686842249810810810] 1686930563.07s 11mb|L0.?| "
+ - "L0.?[1686842249810810811,1686843120621621620] 1686930563.07s 11mb |L0.?| "
+ - "L0.?[1686843120621621621,1686843991432432430] 1686930563.07s 11mb |L0.?| "
+ - "L0.?[1686843991432432431,1686844862243243240] 1686930563.07s 11mb |L0.?| "
+ - "L0.?[1686844862243243241,1686845733054054050] 1686930563.07s 11mb |L0.?| "
+ - "L0.?[1686845733054054051,1686846603864864860] 1686930563.07s 11mb |L0.?| "
+ - "L0.?[1686846603864864861,1686847474675675670] 1686930563.07s 11mb |L0.?| "
+ - "L0.?[1686847474675675671,1686848345486486480] 1686930563.07s 11mb |L0.?| "
+ - "L0.?[1686848345486486481,1686849216297297290] 1686930563.07s 11mb |L0.?| "
+ - "L0.?[1686849216297297291,1686850087108108100] 1686930563.07s 11mb |L0.?| "
+ - "L0.?[1686850087108108101,1686850957918918910] 1686930563.07s 11mb |L0.?| "
+ - "L0.?[1686850957918918911,1686851828729729720] 1686930563.07s 11mb |L0.?| "
+ - "L0.?[1686851828729729721,1686852699540540530] 1686930563.07s 11mb |L0.?| "
+ - "L0.?[1686852699540540531,1686853019000000000] 1686930563.07s 4mb |L0.?|"
+ - "**** Simulation run 5, type=split(HighL0OverlapTotalBacklog)(split_times=[1686842249810810810, 1686843120621621620, 1686843991432432430, 1686844862243243240, 1686845733054054050, 1686846603864864860, 1686847474675675670, 1686848345486486480, 1686849216297297290, 1686850087108108100, 1686850957918918910, 1686851828729729720, 1686852699540540530]). 1 Input Files, 55mb total:"
+ - "L0, all files 55mb "
+ - "L0.14[1686841379000000000,1686853379000000000] 1686930780.95s|-----------------------------------------L0.14------------------------------------------|"
+ - "**** 14 Output Files (parquet_file_id not yet assigned), 55mb total:"
+ - "L0 "
+ - "L0.?[1686841379000000000,1686842249810810810] 1686930780.95s 4mb|L0.?| "
+ - "L0.?[1686842249810810811,1686843120621621620] 1686930780.95s 4mb |L0.?| "
+ - "L0.?[1686843120621621621,1686843991432432430] 1686930780.95s 4mb |L0.?| "
+ - "L0.?[1686843991432432431,1686844862243243240] 1686930780.95s 4mb |L0.?| "
+ - "L0.?[1686844862243243241,1686845733054054050] 1686930780.95s 4mb |L0.?| "
+ - "L0.?[1686845733054054051,1686846603864864860] 1686930780.95s 4mb |L0.?| "
+ - "L0.?[1686846603864864861,1686847474675675670] 1686930780.95s 4mb |L0.?| "
+ - "L0.?[1686847474675675671,1686848345486486480] 1686930780.95s 4mb |L0.?| "
+ - "L0.?[1686848345486486481,1686849216297297290] 1686930780.95s 4mb |L0.?| "
+ - "L0.?[1686849216297297291,1686850087108108100] 1686930780.95s 4mb |L0.?| "
+ - "L0.?[1686850087108108101,1686850957918918910] 1686930780.95s 4mb |L0.?| "
+ - "L0.?[1686850957918918911,1686851828729729720] 1686930780.95s 4mb |L0.?| "
+ - "L0.?[1686851828729729721,1686852699540540530] 1686930780.95s 4mb |L0.?| "
+ - "L0.?[1686852699540540531,1686853379000000000] 1686930780.95s 3mb |L0.?|"
+ - "**** Simulation run 6, type=split(HighL0OverlapTotalBacklog)(split_times=[1686842249810810810, 1686843120621621620, 1686843991432432430, 1686844862243243240, 1686845733054054050, 1686846603864864860, 1686847474675675670, 1686848345486486480, 1686849216297297290, 1686850087108108100, 1686850957918918910, 1686851828729729720, 1686852699540540530]). 1 Input Files, 143mb total:"
+ - "L0, all files 143mb "
+ - "L0.12[1686841379000000000,1686853079000000000] 1686931336.08s|-----------------------------------------L0.12------------------------------------------|"
+ - "**** 14 Output Files (parquet_file_id not yet assigned), 143mb total:"
+ - "L0 "
+ - "L0.?[1686841379000000000,1686842249810810810] 1686931336.08s 11mb|L0.?| "
+ - "L0.?[1686842249810810811,1686843120621621620] 1686931336.08s 11mb |L0.?| "
+ - "L0.?[1686843120621621621,1686843991432432430] 1686931336.08s 11mb |L0.?| "
+ - "L0.?[1686843991432432431,1686844862243243240] 1686931336.08s 11mb |L0.?| "
+ - "L0.?[1686844862243243241,1686845733054054050] 1686931336.08s 11mb |L0.?| "
+ - "L0.?[1686845733054054051,1686846603864864860] 1686931336.08s 11mb |L0.?| "
+ - "L0.?[1686846603864864861,1686847474675675670] 1686931336.08s 11mb |L0.?| "
+ - "L0.?[1686847474675675671,1686848345486486480] 1686931336.08s 11mb |L0.?| "
+ - "L0.?[1686848345486486481,1686849216297297290] 1686931336.08s 11mb |L0.?| "
+ - "L0.?[1686849216297297291,1686850087108108100] 1686931336.08s 11mb |L0.?| "
+ - "L0.?[1686850087108108101,1686850957918918910] 1686931336.08s 11mb |L0.?| "
+ - "L0.?[1686850957918918911,1686851828729729720] 1686931336.08s 11mb |L0.?| "
+ - "L0.?[1686851828729729721,1686852699540540530] 1686931336.08s 11mb |L0.?| "
+ - "L0.?[1686852699540540531,1686853079000000000] 1686931336.08s 5mb |L0.?|"
+ - "**** Simulation run 7, type=split(HighL0OverlapTotalBacklog)(split_times=[1686842249810810810, 1686843120621621620, 1686843991432432430, 1686844862243243240, 1686845733054054050, 1686846603864864860, 1686847474675675670, 1686848345486486480, 1686849216297297290, 1686850087108108100, 1686850957918918910, 1686851828729729720, 1686852699540540530]). 1 Input Files, 70mb total:"
+ - "L0, all files 70mb "
+ - "L0.17[1686841379000000000,1686852899000000000] 1686931600.58s|-----------------------------------------L0.17------------------------------------------|"
+ - "**** 14 Output Files (parquet_file_id not yet assigned), 70mb total:"
+ - "L0 "
+ - "L0.?[1686841379000000000,1686842249810810810] 1686931600.58s 5mb|L0.?| "
+ - "L0.?[1686842249810810811,1686843120621621620] 1686931600.58s 5mb |L0.?| "
+ - "L0.?[1686843120621621621,1686843991432432430] 1686931600.58s 5mb |L0.?| "
+ - "L0.?[1686843991432432431,1686844862243243240] 1686931600.58s 5mb |L0.?| "
+ - "L0.?[1686844862243243241,1686845733054054050] 1686931600.58s 5mb |L0.?| "
+ - "L0.?[1686845733054054051,1686846603864864860] 1686931600.58s 5mb |L0.?| "
+ - "L0.?[1686846603864864861,1686847474675675670] 1686931600.58s 5mb |L0.?| "
+ - "L0.?[1686847474675675671,1686848345486486480] 1686931600.58s 5mb |L0.?| "
+ - "L0.?[1686848345486486481,1686849216297297290] 1686931600.58s 5mb |L0.?| "
+ - "L0.?[1686849216297297291,1686850087108108100] 1686931600.58s 5mb |L0.?| "
+ - "L0.?[1686850087108108101,1686850957918918910] 1686931600.58s 5mb |L0.?| "
+ - "L0.?[1686850957918918911,1686851828729729720] 1686931600.58s 5mb |L0.?| "
+ - "L0.?[1686851828729729721,1686852699540540530] 1686931600.58s 5mb |L0.?| "
+ - "L0.?[1686852699540540531,1686852899000000000] 1686931600.58s 1mb |L0.?|"
+ - "**** Simulation run 8, type=split(HighL0OverlapTotalBacklog)(split_times=[1686842249810810810, 1686843120621621620, 1686843991432432430, 1686844862243243240, 1686845733054054050, 1686846603864864860, 1686847474675675670, 1686848345486486480, 1686849216297297290, 1686850087108108100, 1686850957918918910, 1686851828729729720, 1686852699540540530, 1686853570351351340, 1686854441162162150, 1686855311972972960]). 1 Input Files, 86mb total:"
+ - "L0, all files 86mb "
+ - "L0.10[1686841379000000000,1686855659000000000] 1686931893.7s|-----------------------------------------L0.10------------------------------------------|"
+ - "**** 17 Output Files (parquet_file_id not yet assigned), 86mb total:"
+ - "L0 "
+ - "L0.?[1686841379000000000,1686842249810810810] 1686931893.7s 5mb|L0.?| "
+ - "L0.?[1686842249810810811,1686843120621621620] 1686931893.7s 5mb |L0.?| "
+ - "L0.?[1686843120621621621,1686843991432432430] 1686931893.7s 5mb |L0.?| "
+ - "L0.?[1686843991432432431,1686844862243243240] 1686931893.7s 5mb |L0.?| "
+ - "L0.?[1686844862243243241,1686845733054054050] 1686931893.7s 5mb |L0.?| "
+ - "L0.?[1686845733054054051,1686846603864864860] 1686931893.7s 5mb |L0.?| "
+ - "L0.?[1686846603864864861,1686847474675675670] 1686931893.7s 5mb |L0.?| "
+ - "L0.?[1686847474675675671,1686848345486486480] 1686931893.7s 5mb |L0.?| "
+ - "L0.?[1686848345486486481,1686849216297297290] 1686931893.7s 5mb |L0.?| "
+ - "L0.?[1686849216297297291,1686850087108108100] 1686931893.7s 5mb |L0.?| "
+ - "L0.?[1686850087108108101,1686850957918918910] 1686931893.7s 5mb |L0.?| "
+ - "L0.?[1686850957918918911,1686851828729729720] 1686931893.7s 5mb |L0.?| "
+ - "L0.?[1686851828729729721,1686852699540540530] 1686931893.7s 5mb |L0.?| "
+ - "L0.?[1686852699540540531,1686853570351351340] 1686931893.7s 5mb |L0.?| "
+ - "L0.?[1686853570351351341,1686854441162162150] 1686931893.7s 5mb |L0.?| "
+ - "L0.?[1686854441162162151,1686855311972972960] 1686931893.7s 5mb |L0.?| "
+ - "L0.?[1686855311972972961,1686855659000000000] 1686931893.7s 2mb |L0.?|"
+ - "**** Simulation run 9, type=split(HighL0OverlapTotalBacklog)(split_times=[1686842249810810810, 1686843120621621620, 1686843991432432430, 1686844862243243240, 1686845733054054050, 1686846603864864860, 1686847474675675670, 1686848345486486480, 1686849216297297290]). 1 Input Files, 100mb total:"
+ - "L0, all files 100mb "
+ - "L0.21[1686841379000000000,1686849719000000000] 1686932458.05s|-----------------------------------------L0.21------------------------------------------|"
+ - "**** 10 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L0 "
+ - "L0.?[1686841379000000000,1686842249810810810] 1686932458.05s 10mb|-L0.?--| "
+ - "L0.?[1686842249810810811,1686843120621621620] 1686932458.05s 10mb |-L0.?--| "
+ - "L0.?[1686843120621621621,1686843991432432430] 1686932458.05s 10mb |-L0.?--| "
+ - "L0.?[1686843991432432431,1686844862243243240] 1686932458.05s 10mb |-L0.?--| "
+ - "L0.?[1686844862243243241,1686845733054054050] 1686932458.05s 10mb |-L0.?--| "
+ - "L0.?[1686845733054054051,1686846603864864860] 1686932458.05s 10mb |-L0.?--| "
+ - "L0.?[1686846603864864861,1686847474675675670] 1686932458.05s 10mb |-L0.?--| "
+ - "L0.?[1686847474675675671,1686848345486486480] 1686932458.05s 10mb |-L0.?--| "
+ - "L0.?[1686848345486486481,1686849216297297290] 1686932458.05s 10mb |-L0.?--| "
+ - "L0.?[1686849216297297291,1686849719000000000] 1686932458.05s 6mb |L0.?|"
+ - "**** Simulation run 10, type=split(HighL0OverlapTotalBacklog)(split_times=[1686842249810810810, 1686843120621621620, 1686843991432432430, 1686844862243243240, 1686845733054054050, 1686846603864864860, 1686847474675675670, 1686848345486486480, 1686849216297297290, 1686850087108108100, 1686850957918918910, 1686851828729729720, 1686852699540540530, 1686853570351351340]). 1 Input Files, 64mb total:"
+ - "L0, all files 64mb "
+ - "L0.23[1686841379000000000,1686854219000000000] 1686932677.39s|-----------------------------------------L0.23------------------------------------------|"
+ - "**** 15 Output Files (parquet_file_id not yet assigned), 64mb total:"
+ - "L0 "
+ - "L0.?[1686841379000000000,1686842249810810810] 1686932677.39s 4mb|L0.?| "
+ - "L0.?[1686842249810810811,1686843120621621620] 1686932677.39s 4mb |L0.?| "
+ - "L0.?[1686843120621621621,1686843991432432430] 1686932677.39s 4mb |L0.?| "
+ - "L0.?[1686843991432432431,1686844862243243240] 1686932677.39s 4mb |L0.?| "
+ - "L0.?[1686844862243243241,1686845733054054050] 1686932677.39s 4mb |L0.?| "
+ - "L0.?[1686845733054054051,1686846603864864860] 1686932677.39s 4mb |L0.?| "
+ - "L0.?[1686846603864864861,1686847474675675670] 1686932677.39s 4mb |L0.?| "
+ - "L0.?[1686847474675675671,1686848345486486480] 1686932677.39s 4mb |L0.?| "
+ - "L0.?[1686848345486486481,1686849216297297290] 1686932677.39s 4mb |L0.?| "
+ - "L0.?[1686849216297297291,1686850087108108100] 1686932677.39s 4mb |L0.?| "
+ - "L0.?[1686850087108108101,1686850957918918910] 1686932677.39s 4mb |L0.?| "
+ - "L0.?[1686850957918918911,1686851828729729720] 1686932677.39s 4mb |L0.?| "
+ - "L0.?[1686851828729729721,1686852699540540530] 1686932677.39s 4mb |L0.?| "
+ - "L0.?[1686852699540540531,1686853570351351340] 1686932677.39s 4mb |L0.?| "
+ - "L0.?[1686853570351351341,1686854219000000000] 1686932677.39s 3mb |L0.?|"
+ - "**** Simulation run 11, type=split(HighL0OverlapTotalBacklog)(split_times=[1686842249810810810, 1686843120621621620, 1686843991432432430, 1686844862243243240, 1686845733054054050, 1686846603864864860, 1686847474675675670, 1686848345486486480, 1686849216297297290, 1686850087108108100, 1686850957918918910, 1686851828729729720, 1686852699540540530]). 1 Input Files, 142mb total:"
+ - "L0, all files 142mb "
+ - "L0.16[1686841379000000000,1686853019000000000] 1686933271.57s|-----------------------------------------L0.16------------------------------------------|"
+ - "**** 14 Output Files (parquet_file_id not yet assigned), 142mb total:"
+ - "L0 "
+ - "L0.?[1686841379000000000,1686842249810810810] 1686933271.57s 11mb|L0.?| "
+ - "L0.?[1686842249810810811,1686843120621621620] 1686933271.57s 11mb |L0.?| "
+ - "L0.?[1686843120621621621,1686843991432432430] 1686933271.57s 11mb |L0.?| "
+ - "L0.?[1686843991432432431,1686844862243243240] 1686933271.57s 11mb |L0.?| "
+ - "L0.?[1686844862243243241,1686845733054054050] 1686933271.57s 11mb |L0.?| "
+ - "L0.?[1686845733054054051,1686846603864864860] 1686933271.57s 11mb |L0.?| "
+ - "L0.?[1686846603864864861,1686847474675675670] 1686933271.57s 11mb |L0.?| "
+ - "L0.?[1686847474675675671,1686848345486486480] 1686933271.57s 11mb |L0.?| "
+ - "L0.?[1686848345486486481,1686849216297297290] 1686933271.57s 11mb |L0.?| "
+ - "L0.?[1686849216297297291,1686850087108108100] 1686933271.57s 11mb |L0.?| "
+ - "L0.?[1686850087108108101,1686850957918918910] 1686933271.57s 11mb |L0.?| "
+ - "L0.?[1686850957918918911,1686851828729729720] 1686933271.57s 11mb |L0.?| "
+ - "L0.?[1686851828729729721,1686852699540540530] 1686933271.57s 11mb |L0.?| "
+ - "L0.?[1686852699540540531,1686853019000000000] 1686933271.57s 4mb |L0.?|"
+ - "**** Simulation run 12, type=split(HighL0OverlapTotalBacklog)(split_times=[1686842249810810810, 1686843120621621620, 1686843991432432430, 1686844862243243240, 1686845733054054050, 1686846603864864860, 1686847474675675670, 1686848345486486480, 1686849216297297290, 1686850087108108100, 1686850957918918910, 1686851828729729720, 1686852699540540530]). 1 Input Files, 71mb total:"
+ - "L0, all files 71mb "
+ - "L0.18[1686841379000000000,1686852959000000000] 1686933528.17s|-----------------------------------------L0.18------------------------------------------|"
+ - "**** 14 Output Files (parquet_file_id not yet assigned), 71mb total:"
+ - "L0 "
+ - "L0.?[1686841379000000000,1686842249810810810] 1686933528.17s 5mb|L0.?| "
+ - "L0.?[1686842249810810811,1686843120621621620] 1686933528.17s 5mb |L0.?| "
+ - "L0.?[1686843120621621621,1686843991432432430] 1686933528.17s 5mb |L0.?| "
+ - "L0.?[1686843991432432431,1686844862243243240] 1686933528.17s 5mb |L0.?| "
+ - "L0.?[1686844862243243241,1686845733054054050] 1686933528.17s 5mb |L0.?| "
+ - "L0.?[1686845733054054051,1686846603864864860] 1686933528.17s 5mb |L0.?| "
+ - "L0.?[1686846603864864861,1686847474675675670] 1686933528.17s 5mb |L0.?| "
+ - "L0.?[1686847474675675671,1686848345486486480] 1686933528.17s 5mb |L0.?| "
+ - "L0.?[1686848345486486481,1686849216297297290] 1686933528.17s 5mb |L0.?| "
+ - "L0.?[1686849216297297291,1686850087108108100] 1686933528.17s 5mb |L0.?| "
+ - "L0.?[1686850087108108101,1686850957918918910] 1686933528.17s 5mb |L0.?| "
+ - "L0.?[1686850957918918911,1686851828729729720] 1686933528.17s 5mb |L0.?| "
+ - "L0.?[1686851828729729721,1686852699540540530] 1686933528.17s 5mb |L0.?| "
+ - "L0.?[1686852699540540531,1686852959000000000] 1686933528.17s 2mb |L0.?|"
+ - "**** Simulation run 13, type=split(HighL0OverlapTotalBacklog)(split_times=[1686842249810810810, 1686843120621621620, 1686843991432432430, 1686844862243243240, 1686845733054054050, 1686846603864864860, 1686847474675675670, 1686848345486486480, 1686849216297297290, 1686850087108108100, 1686850957918918910, 1686851828729729720, 1686852699540540530, 1686853570351351340, 1686854441162162150]). 1 Input Files, 85mb total:"
+ - "L0, all files 85mb "
+ - "L0.19[1686841379000000000,1686855119000000000] 1686933830.06s|-----------------------------------------L0.19------------------------------------------|"
+ - "**** 16 Output Files (parquet_file_id not yet assigned), 85mb total:"
+ - "L0 "
+ - "L0.?[1686841379000000000,1686842249810810810] 1686933830.06s 5mb|L0.?| "
+ - "L0.?[1686842249810810811,1686843120621621620] 1686933830.06s 5mb |L0.?| "
+ - "L0.?[1686843120621621621,1686843991432432430] 1686933830.06s 5mb |L0.?| "
+ - "L0.?[1686843991432432431,1686844862243243240] 1686933830.06s 5mb |L0.?| "
+ - "L0.?[1686844862243243241,1686845733054054050] 1686933830.06s 5mb |L0.?| "
+ - "L0.?[1686845733054054051,1686846603864864860] 1686933830.06s 5mb |L0.?| "
+ - "L0.?[1686846603864864861,1686847474675675670] 1686933830.06s 5mb |L0.?| "
+ - "L0.?[1686847474675675671,1686848345486486480] 1686933830.06s 5mb |L0.?| "
+ - "L0.?[1686848345486486481,1686849216297297290] 1686933830.06s 5mb |L0.?| "
+ - "L0.?[1686849216297297291,1686850087108108100] 1686933830.06s 5mb |L0.?| "
+ - "L0.?[1686850087108108101,1686850957918918910] 1686933830.06s 5mb |L0.?| "
+ - "L0.?[1686850957918918911,1686851828729729720] 1686933830.06s 5mb |L0.?| "
+ - "L0.?[1686851828729729721,1686852699540540530] 1686933830.06s 5mb |L0.?| "
+ - "L0.?[1686852699540540531,1686853570351351340] 1686933830.06s 5mb |L0.?| "
+ - "L0.?[1686853570351351341,1686854441162162150] 1686933830.06s 5mb |L0.?| "
+ - "L0.?[1686854441162162151,1686855119000000000] 1686933830.06s 4mb |L0.?|"
+ - "**** Simulation run 14, type=split(HighL0OverlapTotalBacklog)(split_times=[1686842249810810810, 1686843120621621620, 1686843991432432430, 1686844862243243240, 1686845733054054050, 1686846603864864860, 1686847474675675670, 1686848345486486480, 1686849216297297290, 1686850087108108100, 1686850957918918910, 1686851828729729720]). 1 Input Files, 101mb total:"
+ - "L0, all files 101mb "
+ - "L0.20[1686841379000000000,1686852119000000000] 1686934254.96s|-----------------------------------------L0.20------------------------------------------|"
+ - "**** 13 Output Files (parquet_file_id not yet assigned), 101mb total:"
+ - "L0 "
+ - "L0.?[1686841379000000000,1686842249810810810] 1686934254.96s 8mb|L0.?-| "
+ - "L0.?[1686842249810810811,1686843120621621620] 1686934254.96s 8mb |L0.?-| "
+ - "L0.?[1686843120621621621,1686843991432432430] 1686934254.96s 8mb |L0.?-| "
+ - "L0.?[1686843991432432431,1686844862243243240] 1686934254.96s 8mb |L0.?-| "
+ - "L0.?[1686844862243243241,1686845733054054050] 1686934254.96s 8mb |L0.?-| "
+ - "L0.?[1686845733054054051,1686846603864864860] 1686934254.96s 8mb |L0.?-| "
+ - "L0.?[1686846603864864861,1686847474675675670] 1686934254.96s 8mb |L0.?-| "
+ - "L0.?[1686847474675675671,1686848345486486480] 1686934254.96s 8mb |L0.?-| "
+ - "L0.?[1686848345486486481,1686849216297297290] 1686934254.96s 8mb |L0.?-| "
+ - "L0.?[1686849216297297291,1686850087108108100] 1686934254.96s 8mb |L0.?-| "
+ - "L0.?[1686850087108108101,1686850957918918910] 1686934254.96s 8mb |L0.?-| "
+ - "L0.?[1686850957918918911,1686851828729729720] 1686934254.96s 8mb |L0.?-| "
+ - "L0.?[1686851828729729721,1686852119000000000] 1686934254.96s 3mb |L0.?|"
+ - "**** Simulation run 15, type=split(HighL0OverlapTotalBacklog)(split_times=[1686842249810810810, 1686843120621621620, 1686843991432432430, 1686844862243243240, 1686845733054054050, 1686846603864864860, 1686847474675675670, 1686848345486486480, 1686849216297297290, 1686850087108108100, 1686850957918918910, 1686851828729729720, 1686852699540540530, 1686853570351351340]). 1 Input Files, 143mb total:"
+ - "L0, all files 143mb "
+ - "L0.22[1686841379000000000,1686853679000000000] 1686934759.75s|-----------------------------------------L0.22------------------------------------------|"
+ - "**** 15 Output Files (parquet_file_id not yet assigned), 143mb total:"
+ - "L0 "
+ - "L0.?[1686841379000000000,1686842249810810810] 1686934759.75s 10mb|L0.?| "
+ - "L0.?[1686842249810810811,1686843120621621620] 1686934759.75s 10mb |L0.?| "
+ - "L0.?[1686843120621621621,1686843991432432430] 1686934759.75s 10mb |L0.?| "
+ - "L0.?[1686843991432432431,1686844862243243240] 1686934759.75s 10mb |L0.?| "
+ - "L0.?[1686844862243243241,1686845733054054050] 1686934759.75s 10mb |L0.?| "
+ - "L0.?[1686845733054054051,1686846603864864860] 1686934759.75s 10mb |L0.?| "
+ - "L0.?[1686846603864864861,1686847474675675670] 1686934759.75s 10mb |L0.?| "
+ - "L0.?[1686847474675675671,1686848345486486480] 1686934759.75s 10mb |L0.?| "
+ - "L0.?[1686848345486486481,1686849216297297290] 1686934759.75s 10mb |L0.?| "
+ - "L0.?[1686849216297297291,1686850087108108100] 1686934759.75s 10mb |L0.?| "
+ - "L0.?[1686850087108108101,1686850957918918910] 1686934759.75s 10mb |L0.?| "
+ - "L0.?[1686850957918918911,1686851828729729720] 1686934759.75s 10mb |L0.?| "
+ - "L0.?[1686851828729729721,1686852699540540530] 1686934759.75s 10mb |L0.?| "
+ - "L0.?[1686852699540540531,1686853570351351340] 1686934759.75s 10mb |L0.?| "
+ - "L0.?[1686853570351351341,1686853679000000000] 1686934759.75s 1mb |L0.?|"
+ - "**** Simulation run 16, type=split(HighL0OverlapTotalBacklog)(split_times=[1686842249810810810, 1686843120621621620, 1686843991432432430, 1686844862243243240, 1686845733054054050, 1686846603864864860, 1686847474675675670, 1686848345486486480, 1686849216297297290, 1686850087108108100, 1686850957918918910, 1686851828729729720, 1686852699540540530]). 1 Input Files, 72mb total:"
+ - "L0, all files 72mb "
+ - "L0.11[1686841379000000000,1686852899000000000] 1686934966.48s|-----------------------------------------L0.11------------------------------------------|"
+ - "**** 14 Output Files (parquet_file_id not yet assigned), 72mb total:"
+ - "L0 "
+ - "L0.?[1686841379000000000,1686842249810810810] 1686934966.48s 5mb|L0.?| "
+ - "L0.?[1686842249810810811,1686843120621621620] 1686934966.48s 5mb |L0.?| "
+ - "L0.?[1686843120621621621,1686843991432432430] 1686934966.48s 5mb |L0.?| "
+ - "L0.?[1686843991432432431,1686844862243243240] 1686934966.48s 5mb |L0.?| "
+ - "L0.?[1686844862243243241,1686845733054054050] 1686934966.48s 5mb |L0.?| "
+ - "L0.?[1686845733054054051,1686846603864864860] 1686934966.48s 5mb |L0.?| "
+ - "L0.?[1686846603864864861,1686847474675675670] 1686934966.48s 5mb |L0.?| "
+ - "L0.?[1686847474675675671,1686848345486486480] 1686934966.48s 5mb |L0.?| "
+ - "L0.?[1686848345486486481,1686849216297297290] 1686934966.48s 5mb |L0.?| "
+ - "L0.?[1686849216297297291,1686850087108108100] 1686934966.48s 5mb |L0.?| "
+ - "L0.?[1686850087108108101,1686850957918918910] 1686934966.48s 5mb |L0.?| "
+ - "L0.?[1686850957918918911,1686851828729729720] 1686934966.48s 5mb |L0.?| "
+ - "L0.?[1686851828729729721,1686852699540540530] 1686934966.48s 5mb |L0.?| "
+ - "L0.?[1686852699540540531,1686852899000000000] 1686934966.48s 1mb |L0.?|"
+ - "**** Simulation run 17, type=split(HighL0OverlapTotalBacklog)(split_times=[1686842249810810810, 1686843120621621620, 1686843991432432430, 1686844862243243240, 1686845733054054050, 1686846603864864860, 1686847474675675670, 1686848345486486480, 1686849216297297290, 1686850087108108100, 1686850957918918910, 1686851828729729720, 1686852699540540530, 1686853570351351340, 1686854441162162150, 1686855311972972960]). 1 Input Files, 83mb total:"
+ - "L0, all files 83mb "
+ - "L0.8[1686841379000000000,1686855419000000000] 1686935151.54s|------------------------------------------L0.8------------------------------------------|"
+ - "**** 17 Output Files (parquet_file_id not yet assigned), 83mb total:"
+ - "L0 "
+ - "L0.?[1686841379000000000,1686842249810810810] 1686935151.54s 5mb|L0.?| "
+ - "L0.?[1686842249810810811,1686843120621621620] 1686935151.54s 5mb |L0.?| "
+ - "L0.?[1686843120621621621,1686843991432432430] 1686935151.54s 5mb |L0.?| "
+ - "L0.?[1686843991432432431,1686844862243243240] 1686935151.54s 5mb |L0.?| "
+ - "L0.?[1686844862243243241,1686845733054054050] 1686935151.54s 5mb |L0.?| "
+ - "L0.?[1686845733054054051,1686846603864864860] 1686935151.54s 5mb |L0.?| "
+ - "L0.?[1686846603864864861,1686847474675675670] 1686935151.54s 5mb |L0.?| "
+ - "L0.?[1686847474675675671,1686848345486486480] 1686935151.54s 5mb |L0.?| "
+ - "L0.?[1686848345486486481,1686849216297297290] 1686935151.54s 5mb |L0.?| "
+ - "L0.?[1686849216297297291,1686850087108108100] 1686935151.54s 5mb |L0.?| "
+ - "L0.?[1686850087108108101,1686850957918918910] 1686935151.54s 5mb |L0.?| "
+ - "L0.?[1686850957918918911,1686851828729729720] 1686935151.54s 5mb |L0.?| "
+ - "L0.?[1686851828729729721,1686852699540540530] 1686935151.54s 5mb |L0.?| "
+ - "L0.?[1686852699540540531,1686853570351351340] 1686935151.54s 5mb |L0.?| "
+ - "L0.?[1686853570351351341,1686854441162162150] 1686935151.54s 5mb |L0.?| "
+ - "L0.?[1686854441162162151,1686855311972972960] 1686935151.54s 5mb |L0.?| "
+ - "L0.?[1686855311972972961,1686855419000000000] 1686935151.54s 649kb |L0.?|"
+ - "**** Simulation run 18, type=split(HighL0OverlapTotalBacklog)(split_times=[1686842249810810810, 1686843120621621620, 1686843991432432430, 1686844862243243240, 1686845733054054050, 1686846603864864860, 1686847474675675670, 1686848345486486480, 1686849216297297290, 1686850087108108100, 1686850957918918910, 1686851828729729720, 1686852699540540530]). 1 Input Files, 144mb total:"
+ - "L0, all files 144mb "
+ - "L0.3[1686841379000000000,1686853319000000000] 1686935546.05s|------------------------------------------L0.3------------------------------------------|"
+ - "**** 14 Output Files (parquet_file_id not yet assigned), 144mb total:"
+ - "L0 "
+ - "L0.?[1686841379000000000,1686842249810810810] 1686935546.05s 10mb|L0.?| "
+ - "L0.?[1686842249810810811,1686843120621621620] 1686935546.05s 10mb |L0.?| "
+ - "L0.?[1686843120621621621,1686843991432432430] 1686935546.05s 10mb |L0.?| "
+ - "L0.?[1686843991432432431,1686844862243243240] 1686935546.05s 10mb |L0.?| "
+ - "L0.?[1686844862243243241,1686845733054054050] 1686935546.05s 10mb |L0.?| "
+ - "L0.?[1686845733054054051,1686846603864864860] 1686935546.05s 10mb |L0.?| "
+ - "L0.?[1686846603864864861,1686847474675675670] 1686935546.05s 10mb |L0.?| "
+ - "L0.?[1686847474675675671,1686848345486486480] 1686935546.05s 10mb |L0.?| "
+ - "L0.?[1686848345486486481,1686849216297297290] 1686935546.05s 10mb |L0.?| "
+ - "L0.?[1686849216297297291,1686850087108108100] 1686935546.05s 10mb |L0.?| "
+ - "L0.?[1686850087108108101,1686850957918918910] 1686935546.05s 10mb |L0.?| "
+ - "L0.?[1686850957918918911,1686851828729729720] 1686935546.05s 10mb |L0.?| "
+ - "L0.?[1686851828729729721,1686852699540540530] 1686935546.05s 10mb |L0.?| "
+ - "L0.?[1686852699540540531,1686853319000000000] 1686935546.05s 7mb |L0.?|"
+ - "**** Simulation run 19, type=split(HighL0OverlapTotalBacklog)(split_times=[1686842249810810810, 1686843120621621620, 1686843991432432430, 1686844862243243240, 1686845733054054050, 1686846603864864860, 1686847474675675670, 1686848345486486480, 1686849216297297290, 1686850087108108100, 1686850957918918910, 1686851828729729720, 1686852699540540530]). 1 Input Files, 72mb total:"
+ - "L0, all files 72mb "
+ - "L0.7[1686841379000000000,1686852839000000000] 1686935742.51s|------------------------------------------L0.7------------------------------------------|"
+ - "**** 14 Output Files (parquet_file_id not yet assigned), 72mb total:"
+ - "L0 "
+ - "L0.?[1686841379000000000,1686842249810810810] 1686935742.51s 5mb|L0.?| "
+ - "L0.?[1686842249810810811,1686843120621621620] 1686935742.51s 5mb |L0.?| "
+ - "L0.?[1686843120621621621,1686843991432432430] 1686935742.51s 5mb |L0.?| "
+ - "L0.?[1686843991432432431,1686844862243243240] 1686935742.51s 5mb |L0.?| "
+ - "L0.?[1686844862243243241,1686845733054054050] 1686935742.51s 5mb |L0.?| "
+ - "L0.?[1686845733054054051,1686846603864864860] 1686935742.51s 5mb |L0.?| "
+ - "L0.?[1686846603864864861,1686847474675675670] 1686935742.51s 5mb |L0.?| "
+ - "L0.?[1686847474675675671,1686848345486486480] 1686935742.51s 5mb |L0.?| "
+ - "L0.?[1686848345486486481,1686849216297297290] 1686935742.51s 5mb |L0.?| "
+ - "L0.?[1686849216297297291,1686850087108108100] 1686935742.51s 5mb |L0.?| "
+ - "L0.?[1686850087108108101,1686850957918918910] 1686935742.51s 5mb |L0.?| "
+ - "L0.?[1686850957918918911,1686851828729729720] 1686935742.51s 5mb |L0.?| "
+ - "L0.?[1686851828729729721,1686852699540540530] 1686935742.51s 5mb |L0.?| "
+ - "L0.?[1686852699540540531,1686852839000000000] 1686935742.51s 899kb |L0.?|"
+ - "**** Simulation run 20, type=split(HighL0OverlapTotalBacklog)(split_times=[1686842249810810810, 1686843120621621620, 1686843991432432430, 1686844862243243240, 1686845733054054050, 1686846603864864860, 1686847474675675670, 1686848345486486480, 1686849216297297290, 1686850087108108100, 1686850957918918910, 1686851828729729720, 1686852699540540530, 1686853570351351340, 1686854441162162150]). 1 Input Files, 83mb total:"
+ - "L0, all files 83mb "
+ - "L0.5[1686841379000000000,1686854759000000000] 1686935947.46s|------------------------------------------L0.5------------------------------------------|"
+ - "**** 16 Output Files (parquet_file_id not yet assigned), 83mb total:"
+ - "L0 "
+ - "L0.?[1686841379000000000,1686842249810810810] 1686935947.46s 5mb|L0.?| "
+ - "L0.?[1686842249810810811,1686843120621621620] 1686935947.46s 5mb |L0.?| "
+ - "L0.?[1686843120621621621,1686843991432432430] 1686935947.46s 5mb |L0.?| "
+ - "L0.?[1686843991432432431,1686844862243243240] 1686935947.46s 5mb |L0.?| "
+ - "L0.?[1686844862243243241,1686845733054054050] 1686935947.46s 5mb |L0.?| "
+ - "L0.?[1686845733054054051,1686846603864864860] 1686935947.46s 5mb |L0.?| "
+ - "L0.?[1686846603864864861,1686847474675675670] 1686935947.46s 5mb |L0.?| "
+ - "L0.?[1686847474675675671,1686848345486486480] 1686935947.46s 5mb |L0.?| "
+ - "L0.?[1686848345486486481,1686849216297297290] 1686935947.46s 5mb |L0.?| "
+ - "L0.?[1686849216297297291,1686850087108108100] 1686935947.46s 5mb |L0.?| "
+ - "L0.?[1686850087108108101,1686850957918918910] 1686935947.46s 5mb |L0.?| "
+ - "L0.?[1686850957918918911,1686851828729729720] 1686935947.46s 5mb |L0.?| "
+ - "L0.?[1686851828729729721,1686852699540540530] 1686935947.46s 5mb |L0.?| "
+ - "L0.?[1686852699540540531,1686853570351351340] 1686935947.46s 5mb |L0.?| "
+ - "L0.?[1686853570351351341,1686854441162162150] 1686935947.46s 5mb |L0.?| "
+ - "L0.?[1686854441162162151,1686854759000000000] 1686935947.46s 2mb |L0.?|"
+ - "**** Simulation run 21, type=split(HighL0OverlapTotalBacklog)(split_times=[1686842249810810810, 1686843120621621620, 1686843991432432430, 1686844862243243240, 1686845733054054050, 1686846603864864860, 1686847474675675670, 1686848345486486480, 1686849216297297290, 1686850087108108100, 1686850957918918910, 1686851828729729720, 1686852699540540530, 1686853570351351340, 1686854441162162150, 1686855311972972960, 1686856182783783770, 1686857053594594580, 1686857924405405390, 1686858795216216200, 1686859666027027010, 1686860536837837820, 1686861407648648630, 1686862278459459440, 1686863149270270250, 1686864020081081060, 1686864890891891870, 1686865761702702680, 1686866632513513490, 1686867503324324300, 1686868374135135110, 1686869244945945920, 1686870115756756730, 1686870986567567540]). 1 Input Files, 98mb total:"
+ - "L0, all files 98mb "
+ - "L0.4[1686841379000000000,1686871559000000000] 1686936871.55s|------------------------------------------L0.4------------------------------------------|"
+ - "**** 35 Output Files (parquet_file_id not yet assigned), 98mb total:"
+ - "L0 "
+ - "L0.?[1686841379000000000,1686842249810810810] 1686936871.55s 3mb|L0.?| "
+ - "L0.?[1686842249810810811,1686843120621621620] 1686936871.55s 3mb |L0.?| "
+ - "L0.?[1686843120621621621,1686843991432432430] 1686936871.55s 3mb |L0.?| "
+ - "L0.?[1686843991432432431,1686844862243243240] 1686936871.55s 3mb |L0.?| "
+ - "L0.?[1686844862243243241,1686845733054054050] 1686936871.55s 3mb |L0.?| "
+ - "L0.?[1686845733054054051,1686846603864864860] 1686936871.55s 3mb |L0.?| "
+ - "L0.?[1686846603864864861,1686847474675675670] 1686936871.55s 3mb |L0.?| "
+ - "L0.?[1686847474675675671,1686848345486486480] 1686936871.55s 3mb |L0.?| "
+ - "L0.?[1686848345486486481,1686849216297297290] 1686936871.55s 3mb |L0.?| "
+ - "L0.?[1686849216297297291,1686850087108108100] 1686936871.55s 3mb |L0.?| "
+ - "L0.?[1686850087108108101,1686850957918918910] 1686936871.55s 3mb |L0.?| "
+ - "L0.?[1686850957918918911,1686851828729729720] 1686936871.55s 3mb |L0.?| "
+ - "L0.?[1686851828729729721,1686852699540540530] 1686936871.55s 3mb |L0.?| "
+ - "L0.?[1686852699540540531,1686853570351351340] 1686936871.55s 3mb |L0.?| "
+ - "L0.?[1686853570351351341,1686854441162162150] 1686936871.55s 3mb |L0.?| "
+ - "L0.?[1686854441162162151,1686855311972972960] 1686936871.55s 3mb |L0.?| "
+ - "L0.?[1686855311972972961,1686856182783783770] 1686936871.55s 3mb |L0.?| "
+ - "L0.?[1686856182783783771,1686857053594594580] 1686936871.55s 3mb |L0.?| "
+ - "L0.?[1686857053594594581,1686857924405405390] 1686936871.55s 3mb |L0.?| "
+ - "L0.?[1686857924405405391,1686858795216216200] 1686936871.55s 3mb |L0.?| "
+ - "L0.?[1686858795216216201,1686859666027027010] 1686936871.55s 3mb |L0.?| "
+ - "L0.?[1686859666027027011,1686860536837837820] 1686936871.55s 3mb |L0.?| "
+ - "L0.?[1686860536837837821,1686861407648648630] 1686936871.55s 3mb |L0.?| "
+ - "L0.?[1686861407648648631,1686862278459459440] 1686936871.55s 3mb |L0.?| "
+ - "L0.?[1686862278459459441,1686863149270270250] 1686936871.55s 3mb |L0.?| "
+ - "L0.?[1686863149270270251,1686864020081081060] 1686936871.55s 3mb |L0.?| "
+ - "L0.?[1686864020081081061,1686864890891891870] 1686936871.55s 3mb |L0.?| "
+ - "L0.?[1686864890891891871,1686865761702702680] 1686936871.55s 3mb |L0.?| "
+ - "L0.?[1686865761702702681,1686866632513513490] 1686936871.55s 3mb |L0.?| "
+ - "L0.?[1686866632513513491,1686867503324324300] 1686936871.55s 3mb |L0.?| "
+ - "L0.?[1686867503324324301,1686868374135135110] 1686936871.55s 3mb |L0.?| "
+ - "L0.?[1686868374135135111,1686869244945945920] 1686936871.55s 3mb |L0.?| "
+ - "L0.?[1686869244945945921,1686870115756756730] 1686936871.55s 3mb |L0.?| "
+ - "L0.?[1686870115756756731,1686870986567567540] 1686936871.55s 3mb |L0.?|"
+ - "L0.?[1686870986567567541,1686871559000000000] 1686936871.55s 2mb |L0.?|"
+ - "**** Simulation run 22, type=split(HighL0OverlapTotalBacklog)(split_times=[1686845733054054050, 1686846603864864860, 1686847474675675670, 1686848345486486480, 1686849216297297290]). 1 Input Files, 5mb total:"
+ - "L1, all files 5mb "
+ - "L1.24[1686845639000000000,1686849779000000000] 1686928854.57s|-----------------------------------------L1.24------------------------------------------|"
+ - "**** 6 Output Files (parquet_file_id not yet assigned), 5mb total:"
+ - "L1 "
+ - "L1.?[1686845639000000000,1686845733054054050] 1686928854.57s 123kb|L1.?| "
+ - "L1.?[1686845733054054051,1686846603864864860] 1686928854.57s 1mb |------L1.?------| "
+ - "L1.?[1686846603864864861,1686847474675675670] 1686928854.57s 1mb |------L1.?------| "
+ - "L1.?[1686847474675675671,1686848345486486480] 1686928854.57s 1mb |------L1.?------| "
+ - "L1.?[1686848345486486481,1686849216297297290] 1686928854.57s 1mb |------L1.?------| "
+ - "L1.?[1686849216297297291,1686849779000000000] 1686928854.57s 734kb |---L1.?---| "
+ - "**** Simulation run 23, type=split(HighL0OverlapTotalBacklog)(split_times=[1686850087108108100, 1686850957918918910, 1686851828729729720, 1686852699540540530, 1686853570351351340, 1686854441162162150, 1686855311972972960, 1686856182783783770, 1686857053594594580, 1686857924405405390]). 1 Input Files, 100mb total:"
+ - "L0, all files 100mb "
+ - "L0.26[1686849779000000000,1686858119000000000] 1686932458.05s|-----------------------------------------L0.26------------------------------------------|"
+ - "**** 11 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L0 "
+ - "L0.?[1686849779000000000,1686850087108108100] 1686932458.05s 4mb|L0.?| "
+ - "L0.?[1686850087108108101,1686850957918918910] 1686932458.05s 10mb |-L0.?--| "
+ - "L0.?[1686850957918918911,1686851828729729720] 1686932458.05s 10mb |-L0.?--| "
+ - "L0.?[1686851828729729721,1686852699540540530] 1686932458.05s 10mb |-L0.?--| "
+ - "L0.?[1686852699540540531,1686853570351351340] 1686932458.05s 10mb |-L0.?--| "
+ - "L0.?[1686853570351351341,1686854441162162150] 1686932458.05s 10mb |-L0.?--| "
+ - "L0.?[1686854441162162151,1686855311972972960] 1686932458.05s 10mb |-L0.?--| "
+ - "L0.?[1686855311972972961,1686856182783783770] 1686932458.05s 10mb |-L0.?--| "
+ - "L0.?[1686856182783783771,1686857053594594580] 1686932458.05s 10mb |-L0.?--| "
+ - "L0.?[1686857053594594581,1686857924405405390] 1686932458.05s 10mb |-L0.?--| "
+ - "L0.?[1686857924405405391,1686858119000000000] 1686932458.05s 2mb |L0.?|"
+ - "**** Simulation run 24, type=split(HighL0OverlapTotalBacklog)(split_times=[1686850087108108100]). 1 Input Files, 975kb total:"
+ - "L1, all files 975kb "
+ - "L1.28[1686849839000000000,1686850559000000000] 1686928854.57s|-----------------------------------------L1.28------------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 975kb total:"
+ - "L1 "
+ - "L1.?[1686849839000000000,1686850087108108100] 1686928854.57s 336kb|------------L1.?-------------| "
+ - "L1.?[1686850087108108101,1686850559000000000] 1686928854.57s 639kb |--------------------------L1.?--------------------------| "
+ - "**** Simulation run 25, type=split(HighL0OverlapTotalBacklog)(split_times=[1686850957918918910, 1686851828729729720, 1686852699540540530, 1686853570351351340, 1686854441162162150]). 1 Input Files, 5mb total:"
+ - "L1, all files 5mb "
+ - "L1.29[1686850619000000000,1686854819000000000] 1686928854.57s|-----------------------------------------L1.29------------------------------------------|"
+ - "**** 6 Output Files (parquet_file_id not yet assigned), 5mb total:"
+ - "L1 "
+ - "L1.?[1686850619000000000,1686850957918918910] 1686928854.57s 440kb|L1.?-| "
+ - "L1.?[1686850957918918911,1686851828729729720] 1686928854.57s 1mb |------L1.?------| "
+ - "L1.?[1686851828729729721,1686852699540540530] 1686928854.57s 1mb |------L1.?------| "
+ - "L1.?[1686852699540540531,1686853570351351340] 1686928854.57s 1mb |------L1.?------| "
+ - "L1.?[1686853570351351341,1686854441162162150] 1686928854.57s 1mb |------L1.?------| "
+ - "L1.?[1686854441162162151,1686854819000000000] 1686928854.57s 490kb |-L1.?-| "
+ - "**** Simulation run 26, type=split(HighL0OverlapTotalBacklog)(split_times=[1686852699540540530, 1686853570351351340, 1686854441162162150, 1686855311972972960, 1686856182783783770, 1686857053594594580, 1686857924405405390, 1686858795216216200, 1686859666027027010, 1686860536837837820, 1686861407648648630, 1686862278459459440]). 1 Input Files, 101mb total:"
+ - "L0, all files 101mb "
+ - "L0.31[1686852179000000000,1686862859000000000] 1686934254.96s|-----------------------------------------L0.31------------------------------------------|"
+ - "**** 13 Output Files (parquet_file_id not yet assigned), 101mb total:"
+ - "L0 "
+ - "L0.?[1686852179000000000,1686852699540540530] 1686934254.96s 5mb|L0.?| "
+ - "L0.?[1686852699540540531,1686853570351351340] 1686934254.96s 8mb |L0.?-| "
+ - "L0.?[1686853570351351341,1686854441162162150] 1686934254.96s 8mb |L0.?-| "
+ - "L0.?[1686854441162162151,1686855311972972960] 1686934254.96s 8mb |L0.?-| "
+ - "L0.?[1686855311972972961,1686856182783783770] 1686934254.96s 8mb |L0.?-| "
+ - "L0.?[1686856182783783771,1686857053594594580] 1686934254.96s 8mb |L0.?-| "
+ - "L0.?[1686857053594594581,1686857924405405390] 1686934254.96s 8mb |L0.?-| "
+ - "L0.?[1686857924405405391,1686858795216216200] 1686934254.96s 8mb |L0.?-| "
+ - "L0.?[1686858795216216201,1686859666027027010] 1686934254.96s 8mb |L0.?-| "
+ - "L0.?[1686859666027027011,1686860536837837820] 1686934254.96s 8mb |L0.?-| "
+ - "L0.?[1686860536837837821,1686861407648648630] 1686934254.96s 8mb |L0.?-| "
+ - "L0.?[1686861407648648631,1686862278459459440] 1686934254.96s 8mb |L0.?-| "
+ - "L0.?[1686862278459459441,1686862859000000000] 1686934254.96s 5mb |L0.?|"
+ - "**** Simulation run 27, type=split(HighL0OverlapTotalBacklog)(split_times=[1686853570351351340, 1686854441162162150, 1686855311972972960, 1686856182783783770, 1686857053594594580, 1686857924405405390, 1686858795216216200, 1686859666027027010, 1686860536837837820, 1686861407648648630, 1686862278459459440, 1686863149270270250, 1686864020081081060]). 1 Input Files, 133mb total:"
+ - "L0, all files 133mb "
+ - "L0.33[1686852899000000000,1686864359000000000] 1686929712.33s|-----------------------------------------L0.33------------------------------------------|"
+ - "**** 14 Output Files (parquet_file_id not yet assigned), 133mb total:"
+ - "L0 "
+ - "L0.?[1686852899000000000,1686853570351351340] 1686929712.33s 8mb|L0.?| "
+ - "L0.?[1686853570351351341,1686854441162162150] 1686929712.33s 10mb |L0.?| "
+ - "L0.?[1686854441162162151,1686855311972972960] 1686929712.33s 10mb |L0.?| "
+ - "L0.?[1686855311972972961,1686856182783783770] 1686929712.33s 10mb |L0.?| "
+ - "L0.?[1686856182783783771,1686857053594594580] 1686929712.33s 10mb |L0.?| "
+ - "L0.?[1686857053594594581,1686857924405405390] 1686929712.33s 10mb |L0.?| "
+ - "L0.?[1686857924405405391,1686858795216216200] 1686929712.33s 10mb |L0.?| "
+ - "L0.?[1686858795216216201,1686859666027027010] 1686929712.33s 10mb |L0.?| "
+ - "L0.?[1686859666027027011,1686860536837837820] 1686929712.33s 10mb |L0.?| "
+ - "L0.?[1686860536837837821,1686861407648648630] 1686929712.33s 10mb |L0.?| "
+ - "L0.?[1686861407648648631,1686862278459459440] 1686929712.33s 10mb |L0.?| "
+ - "L0.?[1686862278459459441,1686863149270270250] 1686929712.33s 10mb |L0.?| "
+ - "L0.?[1686863149270270251,1686864020081081060] 1686929712.33s 10mb |L0.?| "
+ - "L0.?[1686864020081081061,1686864359000000000] 1686929712.33s 4mb |L0.?|"
+ - "**** Simulation run 28, type=split(HighL0OverlapTotalBacklog)(split_times=[1686853570351351340, 1686854441162162150, 1686855311972972960, 1686856182783783770, 1686857053594594580, 1686857924405405390, 1686858795216216200, 1686859666027027010, 1686860536837837820, 1686861407648648630, 1686862278459459440, 1686863149270270250, 1686864020081081060]). 1 Input Files, 133mb total:"
+ - "L0, all files 133mb "
+ - "L0.32[1686852899000000000,1686864359000000000] 1686935742.51s|-----------------------------------------L0.32------------------------------------------|"
+ - "**** 14 Output Files (parquet_file_id not yet assigned), 133mb total:"
+ - "L0 "
+ - "L0.?[1686852899000000000,1686853570351351340] 1686935742.51s 8mb|L0.?| "
+ - "L0.?[1686853570351351341,1686854441162162150] 1686935742.51s 10mb |L0.?| "
+ - "L0.?[1686854441162162151,1686855311972972960] 1686935742.51s 10mb |L0.?| "
+ - "L0.?[1686855311972972961,1686856182783783770] 1686935742.51s 10mb |L0.?| "
+ - "L0.?[1686856182783783771,1686857053594594580] 1686935742.51s 10mb |L0.?| "
+ - "L0.?[1686857053594594581,1686857924405405390] 1686935742.51s 10mb |L0.?| "
+ - "L0.?[1686857924405405391,1686858795216216200] 1686935742.51s 10mb |L0.?| "
+ - "L0.?[1686858795216216201,1686859666027027010] 1686935742.51s 10mb |L0.?| "
+ - "L0.?[1686859666027027011,1686860536837837820] 1686935742.51s 10mb |L0.?| "
+ - "L0.?[1686860536837837821,1686861407648648630] 1686935742.51s 10mb |L0.?| "
+ - "L0.?[1686861407648648631,1686862278459459440] 1686935742.51s 10mb |L0.?| "
+ - "L0.?[1686862278459459441,1686863149270270250] 1686935742.51s 10mb |L0.?| "
+ - "L0.?[1686863149270270251,1686864020081081060] 1686935742.51s 10mb |L0.?| "
+ - "L0.?[1686864020081081061,1686864359000000000] 1686935742.51s 4mb |L0.?|"
+ - "**** Simulation run 29, type=split(HighL0OverlapTotalBacklog)(split_times=[1686853570351351340, 1686854441162162150, 1686855311972972960, 1686856182783783770, 1686857053594594580, 1686857924405405390, 1686858795216216200, 1686859666027027010, 1686860536837837820, 1686861407648648630, 1686862278459459440, 1686863149270270250, 1686864020081081060]). 1 Input Files, 131mb total:"
+ - "L0, all files 131mb "
+ - "L0.34[1686852959000000000,1686864419000000000] 1686931600.58s|-----------------------------------------L0.34------------------------------------------|"
+ - "**** 14 Output Files (parquet_file_id not yet assigned), 131mb total:"
+ - "L0 "
+ - "L0.?[1686852959000000000,1686853570351351340] 1686931600.58s 7mb|L0.?| "
+ - "L0.?[1686853570351351341,1686854441162162150] 1686931600.58s 10mb |L0.?| "
+ - "L0.?[1686854441162162151,1686855311972972960] 1686931600.58s 10mb |L0.?| "
+ - "L0.?[1686855311972972961,1686856182783783770] 1686931600.58s 10mb |L0.?| "
+ - "L0.?[1686856182783783771,1686857053594594580] 1686931600.58s 10mb |L0.?| "
+ - "L0.?[1686857053594594581,1686857924405405390] 1686931600.58s 10mb |L0.?| "
+ - "L0.?[1686857924405405391,1686858795216216200] 1686931600.58s 10mb |L0.?| "
+ - "L0.?[1686858795216216201,1686859666027027010] 1686931600.58s 10mb |L0.?| "
+ - "L0.?[1686859666027027011,1686860536837837820] 1686931600.58s 10mb |L0.?| "
+ - "L0.?[1686860536837837821,1686861407648648630] 1686931600.58s 10mb |L0.?| "
+ - "L0.?[1686861407648648631,1686862278459459440] 1686931600.58s 10mb |L0.?| "
+ - "L0.?[1686862278459459441,1686863149270270250] 1686931600.58s 10mb |L0.?| "
+ - "L0.?[1686863149270270251,1686864020081081060] 1686931600.58s 10mb |L0.?| "
+ - "L0.?[1686864020081081061,1686864419000000000] 1686931600.58s 5mb |L0.?|"
+ - "**** Simulation run 30, type=split(HighL0OverlapTotalBacklog)(split_times=[1686853570351351340, 1686854441162162150, 1686855311972972960, 1686856182783783770, 1686857053594594580, 1686857924405405390, 1686858795216216200, 1686859666027027010, 1686860536837837820, 1686861407648648630, 1686862278459459440, 1686863149270270250, 1686864020081081060]). 1 Input Files, 133mb total:"
+ - "L0, all files 133mb "
+ - "L0.35[1686852959000000000,1686864419000000000] 1686934966.48s|-----------------------------------------L0.35------------------------------------------|"
+ - "**** 14 Output Files (parquet_file_id not yet assigned), 133mb total:"
+ - "L0 "
+ - "L0.?[1686852959000000000,1686853570351351340] 1686934966.48s 7mb|L0.?| "
+ - "L0.?[1686853570351351341,1686854441162162150] 1686934966.48s 10mb |L0.?| "
+ - "L0.?[1686854441162162151,1686855311972972960] 1686934966.48s 10mb |L0.?| "
+ - "L0.?[1686855311972972961,1686856182783783770] 1686934966.48s 10mb |L0.?| "
+ - "L0.?[1686856182783783771,1686857053594594580] 1686934966.48s 10mb |L0.?| "
+ - "L0.?[1686857053594594581,1686857924405405390] 1686934966.48s 10mb |L0.?| "
+ - "L0.?[1686857924405405391,1686858795216216200] 1686934966.48s 10mb |L0.?| "
+ - "L0.?[1686858795216216201,1686859666027027010] 1686934966.48s 10mb |L0.?| "
+ - "L0.?[1686859666027027011,1686860536837837820] 1686934966.48s 10mb |L0.?| "
+ - "L0.?[1686860536837837821,1686861407648648630] 1686934966.48s 10mb |L0.?| "
+ - "L0.?[1686861407648648631,1686862278459459440] 1686934966.48s 10mb |L0.?| "
+ - "L0.?[1686862278459459441,1686863149270270250] 1686934966.48s 10mb |L0.?| "
+ - "L0.?[1686863149270270251,1686864020081081060] 1686934966.48s 10mb |L0.?| "
+ - "L0.?[1686864020081081061,1686864419000000000] 1686934966.48s 5mb |L0.?|"
+ - "**** Simulation run 31, type=split(HighL0OverlapTotalBacklog)(split_times=[1686853570351351340, 1686854441162162150, 1686855311972972960, 1686856182783783770, 1686857053594594580, 1686857924405405390, 1686858795216216200, 1686859666027027010, 1686860536837837820, 1686861407648648630, 1686862278459459440, 1686863149270270250, 1686864020081081060]). 1 Input Files, 132mb total:"
+ - "L0, all files 132mb "
+ - "L0.36[1686853019000000000,1686864599000000000] 1686933528.17s|-----------------------------------------L0.36------------------------------------------|"
+ - "**** 14 Output Files (parquet_file_id not yet assigned), 132mb total:"
+ - "L0 "
+ - "L0.?[1686853019000000000,1686853570351351340] 1686933528.17s 6mb|L0.?| "
+ - "L0.?[1686853570351351341,1686854441162162150] 1686933528.17s 10mb |L0.?| "
+ - "L0.?[1686854441162162151,1686855311972972960] 1686933528.17s 10mb |L0.?| "
+ - "L0.?[1686855311972972961,1686856182783783770] 1686933528.17s 10mb |L0.?| "
+ - "L0.?[1686856182783783771,1686857053594594580] 1686933528.17s 10mb |L0.?| "
+ - "L0.?[1686857053594594581,1686857924405405390] 1686933528.17s 10mb |L0.?| "
+ - "L0.?[1686857924405405391,1686858795216216200] 1686933528.17s 10mb |L0.?| "
+ - "L0.?[1686858795216216201,1686859666027027010] 1686933528.17s 10mb |L0.?| "
+ - "L0.?[1686859666027027011,1686860536837837820] 1686933528.17s 10mb |L0.?| "
+ - "L0.?[1686860536837837821,1686861407648648630] 1686933528.17s 10mb |L0.?| "
+ - "L0.?[1686861407648648631,1686862278459459440] 1686933528.17s 10mb |L0.?| "
+ - "L0.?[1686862278459459441,1686863149270270250] 1686933528.17s 10mb |L0.?| "
+ - "L0.?[1686863149270270251,1686864020081081060] 1686933528.17s 10mb |L0.?| "
+ - "L0.?[1686864020081081061,1686864599000000000] 1686933528.17s 7mb |L0.?|"
+ - "**** Simulation run 32, type=split(HighL0OverlapTotalBacklog)(split_times=[1686853570351351340, 1686854441162162150, 1686855311972972960, 1686856182783783770, 1686857053594594580, 1686857924405405390, 1686858795216216200, 1686859666027027010, 1686860536837837820, 1686861407648648630, 1686862278459459440, 1686863149270270250, 1686864020081081060]). 1 Input Files, 80mb total:"
+ - "L0, all files 80mb "
+ - "L0.38[1686853079000000000,1686864659000000000] 1686930563.07s|-----------------------------------------L0.38------------------------------------------|"
+ - "**** 14 Output Files (parquet_file_id not yet assigned), 80mb total:"
+ - "L0 "
+ - "L0.?[1686853079000000000,1686853570351351340] 1686930563.07s 3mb|L0.?| "
+ - "L0.?[1686853570351351341,1686854441162162150] 1686930563.07s 6mb |L0.?| "
+ - "L0.?[1686854441162162151,1686855311972972960] 1686930563.07s 6mb |L0.?| "
+ - "L0.?[1686855311972972961,1686856182783783770] 1686930563.07s 6mb |L0.?| "
+ - "L0.?[1686856182783783771,1686857053594594580] 1686930563.07s 6mb |L0.?| "
+ - "L0.?[1686857053594594581,1686857924405405390] 1686930563.07s 6mb |L0.?| "
+ - "L0.?[1686857924405405391,1686858795216216200] 1686930563.07s 6mb |L0.?| "
+ - "L0.?[1686858795216216201,1686859666027027010] 1686930563.07s 6mb |L0.?| "
+ - "L0.?[1686859666027027011,1686860536837837820] 1686930563.07s 6mb |L0.?| "
+ - "L0.?[1686860536837837821,1686861407648648630] 1686930563.07s 6mb |L0.?| "
+ - "L0.?[1686861407648648631,1686862278459459440] 1686930563.07s 6mb |L0.?| "
+ - "L0.?[1686862278459459441,1686863149270270250] 1686930563.07s 6mb |L0.?| "
+ - "L0.?[1686863149270270251,1686864020081081060] 1686930563.07s 6mb |L0.?| "
+ - "L0.?[1686864020081081061,1686864659000000000] 1686930563.07s 4mb |L0.?|"
+ - "**** Simulation run 33, type=split(HighL0OverlapTotalBacklog)(split_times=[1686853570351351340, 1686854441162162150, 1686855311972972960, 1686856182783783770, 1686857053594594580, 1686857924405405390, 1686858795216216200, 1686859666027027010, 1686860536837837820, 1686861407648648630, 1686862278459459440, 1686863149270270250, 1686864020081081060]). 1 Input Files, 80mb total:"
+ - "L0, all files 80mb "
+ - "L0.37[1686853079000000000,1686864659000000000] 1686933271.57s|-----------------------------------------L0.37------------------------------------------|"
+ - "**** 14 Output Files (parquet_file_id not yet assigned), 80mb total:"
+ - "L0 "
+ - "L0.?[1686853079000000000,1686853570351351340] 1686933271.57s 3mb|L0.?| "
+ - "L0.?[1686853570351351341,1686854441162162150] 1686933271.57s 6mb |L0.?| "
+ - "L0.?[1686854441162162151,1686855311972972960] 1686933271.57s 6mb |L0.?| "
+ - "L0.?[1686855311972972961,1686856182783783770] 1686933271.57s 6mb |L0.?| "
+ - "L0.?[1686856182783783771,1686857053594594580] 1686933271.57s 6mb |L0.?| "
+ - "L0.?[1686857053594594581,1686857924405405390] 1686933271.57s 6mb |L0.?| "
+ - "L0.?[1686857924405405391,1686858795216216200] 1686933271.57s 6mb |L0.?| "
+ - "L0.?[1686858795216216201,1686859666027027010] 1686933271.57s 6mb |L0.?| "
+ - "L0.?[1686859666027027011,1686860536837837820] 1686933271.57s 6mb |L0.?| "
+ - "L0.?[1686860536837837821,1686861407648648630] 1686933271.57s 6mb |L0.?| "
+ - "L0.?[1686861407648648631,1686862278459459440] 1686933271.57s 6mb |L0.?| "
+ - "L0.?[1686862278459459441,1686863149270270250] 1686933271.57s 6mb |L0.?| "
+ - "L0.?[1686863149270270251,1686864020081081060] 1686933271.57s 6mb |L0.?| "
+ - "L0.?[1686864020081081061,1686864659000000000] 1686933271.57s 4mb |L0.?|"
+ - "**** Simulation run 34, type=split(HighL0OverlapTotalBacklog)(split_times=[1686853570351351340, 1686854441162162150, 1686855311972972960, 1686856182783783770, 1686857053594594580, 1686857924405405390, 1686858795216216200, 1686859666027027010, 1686860536837837820, 1686861407648648630, 1686862278459459440, 1686863149270270250, 1686864020081081060]). 1 Input Files, 79mb total:"
+ - "L0, all files 79mb "
+ - "L0.39[1686853139000000000,1686864839000000000] 1686931336.08s|-----------------------------------------L0.39------------------------------------------|"
+ - "**** 14 Output Files (parquet_file_id not yet assigned), 79mb total:"
+ - "L0 "
+ - "L0.?[1686853139000000000,1686853570351351340] 1686931336.08s 3mb|L0.?| "
+ - "L0.?[1686853570351351341,1686854441162162150] 1686931336.08s 6mb |L0.?| "
+ - "L0.?[1686854441162162151,1686855311972972960] 1686931336.08s 6mb |L0.?| "
+ - "L0.?[1686855311972972961,1686856182783783770] 1686931336.08s 6mb |L0.?| "
+ - "L0.?[1686856182783783771,1686857053594594580] 1686931336.08s 6mb |L0.?| "
+ - "L0.?[1686857053594594581,1686857924405405390] 1686931336.08s 6mb |L0.?| "
+ - "L0.?[1686857924405405391,1686858795216216200] 1686931336.08s 6mb |L0.?| "
+ - "L0.?[1686858795216216201,1686859666027027010] 1686931336.08s 6mb |L0.?| "
+ - "L0.?[1686859666027027011,1686860536837837820] 1686931336.08s 6mb |L0.?| "
+ - "L0.?[1686860536837837821,1686861407648648630] 1686931336.08s 6mb |L0.?| "
+ - "L0.?[1686861407648648631,1686862278459459440] 1686931336.08s 6mb |L0.?| "
+ - "L0.?[1686862278459459441,1686863149270270250] 1686931336.08s 6mb |L0.?| "
+ - "L0.?[1686863149270270251,1686864020081081060] 1686931336.08s 6mb |L0.?| "
+ - "L0.?[1686864020081081061,1686864839000000000] 1686931336.08s 6mb |L0.?| "
+ - "**** Simulation run 35, type=split(HighL0OverlapTotalBacklog)(split_times=[1686853570351351340, 1686854441162162150, 1686855311972972960, 1686856182783783770, 1686857053594594580, 1686857924405405390, 1686858795216216200, 1686859666027027010, 1686860536837837820, 1686861407648648630, 1686862278459459440, 1686863149270270250, 1686864020081081060, 1686864890891891870]). 1 Input Files, 77mb total:"
+ - "L0, all files 77mb "
+ - "L0.40[1686853379000000000,1686865259000000000] 1686929421.02s|-----------------------------------------L0.40------------------------------------------|"
+ - "**** 15 Output Files (parquet_file_id not yet assigned), 77mb total:"
+ - "L0 "
+ - "L0.?[1686853379000000000,1686853570351351340] 1686929421.02s 1mb|L0.?| "
+ - "L0.?[1686853570351351341,1686854441162162150] 1686929421.02s 6mb |L0.?| "
+ - "L0.?[1686854441162162151,1686855311972972960] 1686929421.02s 6mb |L0.?| "
+ - "L0.?[1686855311972972961,1686856182783783770] 1686929421.02s 6mb |L0.?| "
+ - "L0.?[1686856182783783771,1686857053594594580] 1686929421.02s 6mb |L0.?| "
+ - "L0.?[1686857053594594581,1686857924405405390] 1686929421.02s 6mb |L0.?| "
+ - "L0.?[1686857924405405391,1686858795216216200] 1686929421.02s 6mb |L0.?| "
+ - "L0.?[1686858795216216201,1686859666027027010] 1686929421.02s 6mb |L0.?| "
+ - "L0.?[1686859666027027011,1686860536837837820] 1686929421.02s 6mb |L0.?| "
+ - "L0.?[1686860536837837821,1686861407648648630] 1686929421.02s 6mb |L0.?| "
+ - "L0.?[1686861407648648631,1686862278459459440] 1686929421.02s 6mb |L0.?| "
+ - "L0.?[1686862278459459441,1686863149270270250] 1686929421.02s 6mb |L0.?| "
+ - "L0.?[1686863149270270251,1686864020081081060] 1686929421.02s 6mb |L0.?| "
+ - "L0.?[1686864020081081061,1686864890891891870] 1686929421.02s 6mb |L0.?| "
+ - "L0.?[1686864890891891871,1686865259000000000] 1686929421.02s 2mb |L0.?|"
+ - "**** Simulation run 36, type=split(HighL0OverlapTotalBacklog)(split_times=[1686853570351351340, 1686854441162162150, 1686855311972972960, 1686856182783783770, 1686857053594594580, 1686857924405405390, 1686858795216216200, 1686859666027027010, 1686860536837837820, 1686861407648648630, 1686862278459459440, 1686863149270270250, 1686864020081081060, 1686864890891891870]). 1 Input Files, 77mb total:"
+ - "L0, all files 77mb "
+ - "L0.41[1686853379000000000,1686865259000000000] 1686935546.05s|-----------------------------------------L0.41------------------------------------------|"
+ - "**** 15 Output Files (parquet_file_id not yet assigned), 77mb total:"
+ - "L0 "
+ - "L0.?[1686853379000000000,1686853570351351340] 1686935546.05s 1mb|L0.?| "
+ - "L0.?[1686853570351351341,1686854441162162150] 1686935546.05s 6mb |L0.?| "
+ - "L0.?[1686854441162162151,1686855311972972960] 1686935546.05s 6mb |L0.?| "
+ - "L0.?[1686855311972972961,1686856182783783770] 1686935546.05s 6mb |L0.?| "
+ - "L0.?[1686856182783783771,1686857053594594580] 1686935546.05s 6mb |L0.?| "
+ - "L0.?[1686857053594594581,1686857924405405390] 1686935546.05s 6mb |L0.?| "
+ - "L0.?[1686857924405405391,1686858795216216200] 1686935546.05s 6mb |L0.?| "
+ - "L0.?[1686858795216216201,1686859666027027010] 1686935546.05s 6mb |L0.?| "
+ - "L0.?[1686859666027027011,1686860536837837820] 1686935546.05s 6mb |L0.?| "
+ - "L0.?[1686860536837837821,1686861407648648630] 1686935546.05s 6mb |L0.?| "
+ - "L0.?[1686861407648648631,1686862278459459440] 1686935546.05s 6mb |L0.?| "
+ - "L0.?[1686862278459459441,1686863149270270250] 1686935546.05s 6mb |L0.?| "
+ - "L0.?[1686863149270270251,1686864020081081060] 1686935546.05s 6mb |L0.?| "
+ - "L0.?[1686864020081081061,1686864890891891870] 1686935546.05s 6mb |L0.?| "
+ - "L0.?[1686864890891891871,1686865259000000000] 1686935546.05s 2mb |L0.?|"
+ - "**** Simulation run 37, type=split(HighL0OverlapTotalBacklog)(split_times=[1686853570351351340, 1686854441162162150, 1686855311972972960, 1686856182783783770, 1686857053594594580, 1686857924405405390, 1686858795216216200, 1686859666027027010, 1686860536837837820, 1686861407648648630, 1686862278459459440, 1686863149270270250, 1686864020081081060, 1686864890891891870]). 1 Input Files, 124mb total:"
+ - "L0, all files 124mb "
+ - "L0.42[1686853439000000000,1686865439000000000] 1686930780.95s|-----------------------------------------L0.42------------------------------------------|"
+ - "**** 15 Output Files (parquet_file_id not yet assigned), 124mb total:"
+ - "L0 "
+ - "L0.?[1686853439000000000,1686853570351351340] 1686930780.95s 1mb|L0.?| "
+ - "L0.?[1686853570351351341,1686854441162162150] 1686930780.95s 9mb|L0.?| "
+ - "L0.?[1686854441162162151,1686855311972972960] 1686930780.95s 9mb |L0.?| "
+ - "L0.?[1686855311972972961,1686856182783783770] 1686930780.95s 9mb |L0.?| "
+ - "L0.?[1686856182783783771,1686857053594594580] 1686930780.95s 9mb |L0.?| "
+ - "L0.?[1686857053594594581,1686857924405405390] 1686930780.95s 9mb |L0.?| "
+ - "L0.?[1686857924405405391,1686858795216216200] 1686930780.95s 9mb |L0.?| "
+ - "L0.?[1686858795216216201,1686859666027027010] 1686930780.95s 9mb |L0.?| "
+ - "L0.?[1686859666027027011,1686860536837837820] 1686930780.95s 9mb |L0.?| "
+ - "L0.?[1686860536837837821,1686861407648648630] 1686930780.95s 9mb |L0.?| "
+ - "L0.?[1686861407648648631,1686862278459459440] 1686930780.95s 9mb |L0.?| "
+ - "L0.?[1686862278459459441,1686863149270270250] 1686930780.95s 9mb |L0.?| "
+ - "L0.?[1686863149270270251,1686864020081081060] 1686930780.95s 9mb |L0.?| "
+ - "L0.?[1686864020081081061,1686864890891891870] 1686930780.95s 9mb |L0.?| "
+ - "L0.?[1686864890891891871,1686865439000000000] 1686930780.95s 6mb |L0.?|"
+ - "**** Simulation run 38, type=split(HighL0OverlapTotalBacklog)(split_times=[1686854441162162150, 1686855311972972960, 1686856182783783770, 1686857053594594580, 1686857924405405390, 1686858795216216200, 1686859666027027010, 1686860536837837820, 1686861407648648630, 1686862278459459440, 1686863149270270250, 1686864020081081060, 1686864890891891870, 1686865761702702680]). 1 Input Files, 73mb total:"
+ - "L0, all files 73mb "
+ - "L0.43[1686853739000000000,1686866039000000000] 1686934759.75s|-----------------------------------------L0.43------------------------------------------|"
+ - "**** 15 Output Files (parquet_file_id not yet assigned), 73mb total:"
+ - "L0 "
+ - "L0.?[1686853739000000000,1686854441162162150] 1686934759.75s 4mb|L0.?| "
+ - "L0.?[1686854441162162151,1686855311972972960] 1686934759.75s 5mb |L0.?| "
+ - "L0.?[1686855311972972961,1686856182783783770] 1686934759.75s 5mb |L0.?| "
+ - "L0.?[1686856182783783771,1686857053594594580] 1686934759.75s 5mb |L0.?| "
+ - "L0.?[1686857053594594581,1686857924405405390] 1686934759.75s 5mb |L0.?| "
+ - "L0.?[1686857924405405391,1686858795216216200] 1686934759.75s 5mb |L0.?| "
+ - "L0.?[1686858795216216201,1686859666027027010] 1686934759.75s 5mb |L0.?| "
+ - "L0.?[1686859666027027011,1686860536837837820] 1686934759.75s 5mb |L0.?| "
+ - "L0.?[1686860536837837821,1686861407648648630] 1686934759.75s 5mb |L0.?| "
+ - "L0.?[1686861407648648631,1686862278459459440] 1686934759.75s 5mb |L0.?| "
+ - "L0.?[1686862278459459441,1686863149270270250] 1686934759.75s 5mb |L0.?| "
+ - "L0.?[1686863149270270251,1686864020081081060] 1686934759.75s 5mb |L0.?| "
+ - "L0.?[1686864020081081061,1686864890891891870] 1686934759.75s 5mb |L0.?| "
+ - "L0.?[1686864890891891871,1686865761702702680] 1686934759.75s 5mb |L0.?| "
+ - "L0.?[1686865761702702681,1686866039000000000] 1686934759.75s 2mb |L0.?|"
+ - "**** Simulation run 39, type=split(HighL0OverlapTotalBacklog)(split_times=[1686854441162162150, 1686855311972972960, 1686856182783783770, 1686857053594594580, 1686857924405405390, 1686858795216216200, 1686859666027027010, 1686860536837837820, 1686861407648648630, 1686862278459459440, 1686863149270270250, 1686864020081081060, 1686864890891891870, 1686865761702702680, 1686866632513513490]). 1 Input Files, 77mb total:"
+ - "L0, all files 77mb "
+ - "L0.44[1686854279000000000,1686867059000000000] 1686932677.39s|-----------------------------------------L0.44------------------------------------------|"
+ - "**** 16 Output Files (parquet_file_id not yet assigned), 77mb total:"
+ - "L0 "
+ - "L0.?[1686854279000000000,1686854441162162150] 1686932677.39s 1006kb|L0.?| "
+ - "L0.?[1686854441162162151,1686855311972972960] 1686932677.39s 5mb |L0.?| "
+ - "L0.?[1686855311972972961,1686856182783783770] 1686932677.39s 5mb |L0.?| "
+ - "L0.?[1686856182783783771,1686857053594594580] 1686932677.39s 5mb |L0.?| "
+ - "L0.?[1686857053594594581,1686857924405405390] 1686932677.39s 5mb |L0.?| "
+ - "L0.?[1686857924405405391,1686858795216216200] 1686932677.39s 5mb |L0.?| "
+ - "L0.?[1686858795216216201,1686859666027027010] 1686932677.39s 5mb |L0.?| "
+ - "L0.?[1686859666027027011,1686860536837837820] 1686932677.39s 5mb |L0.?| "
+ - "L0.?[1686860536837837821,1686861407648648630] 1686932677.39s 5mb |L0.?| "
+ - "L0.?[1686861407648648631,1686862278459459440] 1686932677.39s 5mb |L0.?| "
+ - "L0.?[1686862278459459441,1686863149270270250] 1686932677.39s 5mb |L0.?| "
+ - "L0.?[1686863149270270251,1686864020081081060] 1686932677.39s 5mb |L0.?| "
+ - "L0.?[1686864020081081061,1686864890891891870] 1686932677.39s 5mb |L0.?| "
+ - "L0.?[1686864890891891871,1686865761702702680] 1686932677.39s 5mb |L0.?| "
+ - "L0.?[1686865761702702681,1686866632513513490] 1686932677.39s 5mb |L0.?| "
+ - "L0.?[1686866632513513491,1686867059000000000] 1686932677.39s 3mb |L0.?|"
+ - "**** Simulation run 40, type=split(HighL0OverlapTotalBacklog)(split_times=[1686855311972972960, 1686856182783783770, 1686857053594594580, 1686857924405405390, 1686858795216216200, 1686859666027027010, 1686860536837837820, 1686861407648648630, 1686862278459459440, 1686863149270270250, 1686864020081081060, 1686864890891891870, 1686865761702702680, 1686866632513513490, 1686867503324324300]). 1 Input Files, 89mb total:"
+ - "L0, all files 89mb "
+ - "L0.45[1686854819000000000,1686868199000000000] 1686935947.46s|-----------------------------------------L0.45------------------------------------------|"
+ - "**** 16 Output Files (parquet_file_id not yet assigned), 89mb total:"
+ - "L0 "
+ - "L0.?[1686854819000000000,1686855311972972960] 1686935947.46s 3mb|L0.?| "
+ - "L0.?[1686855311972972961,1686856182783783770] 1686935947.46s 6mb |L0.?| "
+ - "L0.?[1686856182783783771,1686857053594594580] 1686935947.46s 6mb |L0.?| "
+ - "L0.?[1686857053594594581,1686857924405405390] 1686935947.46s 6mb |L0.?| "
+ - "L0.?[1686857924405405391,1686858795216216200] 1686935947.46s 6mb |L0.?| "
+ - "L0.?[1686858795216216201,1686859666027027010] 1686935947.46s 6mb |L0.?| "
+ - "L0.?[1686859666027027011,1686860536837837820] 1686935947.46s 6mb |L0.?| "
+ - "L0.?[1686860536837837821,1686861407648648630] 1686935947.46s 6mb |L0.?| "
+ - "L0.?[1686861407648648631,1686862278459459440] 1686935947.46s 6mb |L0.?| "
+ - "L0.?[1686862278459459441,1686863149270270250] 1686935947.46s 6mb |L0.?| "
+ - "L0.?[1686863149270270251,1686864020081081060] 1686935947.46s 6mb |L0.?| "
+ - "L0.?[1686864020081081061,1686864890891891870] 1686935947.46s 6mb |L0.?| "
+ - "L0.?[1686864890891891871,1686865761702702680] 1686935947.46s 6mb |L0.?| "
+ - "L0.?[1686865761702702681,1686866632513513490] 1686935947.46s 6mb |L0.?| "
+ - "L0.?[1686866632513513491,1686867503324324300] 1686935947.46s 6mb |L0.?| "
+ - "L0.?[1686867503324324301,1686868199000000000] 1686935947.46s 5mb |L0.?|"
+ - "**** Simulation run 41, type=split(HighL0OverlapTotalBacklog)(split_times=[1686855311972972960, 1686856182783783770, 1686857053594594580, 1686857924405405390, 1686858795216216200]). 1 Input Files, 5mb total:"
+ - "L1, all files 5mb "
+ - "L1.47[1686854879000000000,1686859019000000000] 1686928854.57s|-----------------------------------------L1.47------------------------------------------|"
+ - "**** 6 Output Files (parquet_file_id not yet assigned), 5mb total:"
+ - "L1 "
+ - "L1.?[1686854879000000000,1686855311972972960] 1686928854.57s 556kb|-L1.?--| "
+ - "L1.?[1686855311972972961,1686856182783783770] 1686928854.57s 1mb |------L1.?------| "
+ - "L1.?[1686856182783783771,1686857053594594580] 1686928854.57s 1mb |------L1.?------| "
+ - "L1.?[1686857053594594581,1686857924405405390] 1686928854.57s 1mb |------L1.?------| "
+ - "L1.?[1686857924405405391,1686858795216216200] 1686928854.57s 1mb |------L1.?------| "
+ - "L1.?[1686858795216216201,1686859019000000000] 1686928854.57s 287kb |L1.?|"
+ - "**** Simulation run 42, type=split(HighL0OverlapTotalBacklog)(split_times=[1686855311972972960, 1686856182783783770, 1686857053594594580, 1686857924405405390, 1686858795216216200, 1686859666027027010, 1686860536837837820, 1686861407648648630, 1686862278459459440, 1686863149270270250, 1686864020081081060, 1686864890891891870, 1686865761702702680, 1686866632513513490, 1686867503324324300, 1686868374135135110]). 1 Input Files, 93mb total:"
+ - "L0, all files 93mb "
+ - "L0.48[1686855119000000000,1686868739000000000] 1686929965.33s|-----------------------------------------L0.48------------------------------------------|"
+ - "**** 17 Output Files (parquet_file_id not yet assigned), 93mb total:"
+ - "L0 "
+ - "L0.?[1686855119000000000,1686855311972972960] 1686929965.33s 1mb|L0.?| "
+ - "L0.?[1686855311972972961,1686856182783783770] 1686929965.33s 6mb |L0.?| "
+ - "L0.?[1686856182783783771,1686857053594594580] 1686929965.33s 6mb |L0.?| "
+ - "L0.?[1686857053594594581,1686857924405405390] 1686929965.33s 6mb |L0.?| "
+ - "L0.?[1686857924405405391,1686858795216216200] 1686929965.33s 6mb |L0.?| "
+ - "L0.?[1686858795216216201,1686859666027027010] 1686929965.33s 6mb |L0.?| "
+ - "L0.?[1686859666027027011,1686860536837837820] 1686929965.33s 6mb |L0.?| "
+ - "L0.?[1686860536837837821,1686861407648648630] 1686929965.33s 6mb |L0.?| "
+ - "L0.?[1686861407648648631,1686862278459459440] 1686929965.33s 6mb |L0.?| "
+ - "L0.?[1686862278459459441,1686863149270270250] 1686929965.33s 6mb |L0.?| "
+ - "L0.?[1686863149270270251,1686864020081081060] 1686929965.33s 6mb |L0.?| "
+ - "L0.?[1686864020081081061,1686864890891891870] 1686929965.33s 6mb |L0.?| "
+ - "L0.?[1686864890891891871,1686865761702702680] 1686929965.33s 6mb |L0.?| "
+ - "L0.?[1686865761702702681,1686866632513513490] 1686929965.33s 6mb |L0.?| "
+ - "L0.?[1686866632513513491,1686867503324324300] 1686929965.33s 6mb |L0.?| "
+ - "L0.?[1686867503324324301,1686868374135135110] 1686929965.33s 6mb |L0.?| "
+ - "L0.?[1686868374135135111,1686868739000000000] 1686929965.33s 2mb |L0.?|"
+ - "**** Simulation run 43, type=split(HighL0OverlapTotalBacklog)(split_times=[1686855311972972960, 1686856182783783770, 1686857053594594580, 1686857924405405390, 1686858795216216200, 1686859666027027010, 1686860536837837820, 1686861407648648630, 1686862278459459440, 1686863149270270250, 1686864020081081060, 1686864890891891870, 1686865761702702680, 1686866632513513490, 1686867503324324300, 1686868374135135110]). 1 Input Files, 92mb total:"
+ - "L0, all files 92mb "
+ - "L0.49[1686855179000000000,1686868859000000000] 1686933830.06s|-----------------------------------------L0.49------------------------------------------|"
+ - "**** 17 Output Files (parquet_file_id not yet assigned), 92mb total:"
+ - "L0 "
+ - "L0.?[1686855179000000000,1686855311972972960] 1686933830.06s 920kb|L0.?| "
+ - "L0.?[1686855311972972961,1686856182783783770] 1686933830.06s 6mb|L0.?| "
+ - "L0.?[1686856182783783771,1686857053594594580] 1686933830.06s 6mb |L0.?| "
+ - "L0.?[1686857053594594581,1686857924405405390] 1686933830.06s 6mb |L0.?| "
+ - "L0.?[1686857924405405391,1686858795216216200] 1686933830.06s 6mb |L0.?| "
+ - "L0.?[1686858795216216201,1686859666027027010] 1686933830.06s 6mb |L0.?| "
+ - "L0.?[1686859666027027011,1686860536837837820] 1686933830.06s 6mb |L0.?| "
+ - "L0.?[1686860536837837821,1686861407648648630] 1686933830.06s 6mb |L0.?| "
+ - "L0.?[1686861407648648631,1686862278459459440] 1686933830.06s 6mb |L0.?| "
+ - "L0.?[1686862278459459441,1686863149270270250] 1686933830.06s 6mb |L0.?| "
+ - "L0.?[1686863149270270251,1686864020081081060] 1686933830.06s 6mb |L0.?| "
+ - "L0.?[1686864020081081061,1686864890891891870] 1686933830.06s 6mb |L0.?| "
+ - "L0.?[1686864890891891871,1686865761702702680] 1686933830.06s 6mb |L0.?| "
+ - "L0.?[1686865761702702681,1686866632513513490] 1686933830.06s 6mb |L0.?| "
+ - "L0.?[1686866632513513491,1686867503324324300] 1686933830.06s 6mb |L0.?| "
+ - "L0.?[1686867503324324301,1686868374135135110] 1686933830.06s 6mb |L0.?| "
+ - "L0.?[1686868374135135111,1686868859000000000] 1686933830.06s 3mb |L0.?|"
+ - "**** Simulation run 44, type=split(HighL0OverlapTotalBacklog)(split_times=[1686856182783783770, 1686857053594594580, 1686857924405405390, 1686858795216216200, 1686859666027027010, 1686860536837837820, 1686861407648648630, 1686862278459459440, 1686863149270270250, 1686864020081081060, 1686864890891891870, 1686865761702702680, 1686866632513513490, 1686867503324324300, 1686868374135135110, 1686869244945945920]). 1 Input Files, 97mb total:"
+ - "L0, all files 97mb "
+ - "L0.50[1686855479000000000,1686869519000000000] 1686935151.54s|-----------------------------------------L0.50------------------------------------------|"
+ - "**** 17 Output Files (parquet_file_id not yet assigned), 97mb total:"
+ - "L0 "
+ - "L0.?[1686855479000000000,1686856182783783770] 1686935151.54s 5mb|L0.?| "
+ - "L0.?[1686856182783783771,1686857053594594580] 1686935151.54s 6mb |L0.?| "
+ - "L0.?[1686857053594594581,1686857924405405390] 1686935151.54s 6mb |L0.?| "
+ - "L0.?[1686857924405405391,1686858795216216200] 1686935151.54s 6mb |L0.?| "
+ - "L0.?[1686858795216216201,1686859666027027010] 1686935151.54s 6mb |L0.?| "
+ - "L0.?[1686859666027027011,1686860536837837820] 1686935151.54s 6mb |L0.?| "
+ - "L0.?[1686860536837837821,1686861407648648630] 1686935151.54s 6mb |L0.?| "
+ - "L0.?[1686861407648648631,1686862278459459440] 1686935151.54s 6mb |L0.?| "
+ - "L0.?[1686862278459459441,1686863149270270250] 1686935151.54s 6mb |L0.?| "
+ - "L0.?[1686863149270270251,1686864020081081060] 1686935151.54s 6mb |L0.?| "
+ - "L0.?[1686864020081081061,1686864890891891870] 1686935151.54s 6mb |L0.?| "
+ - "L0.?[1686864890891891871,1686865761702702680] 1686935151.54s 6mb |L0.?| "
+ - "L0.?[1686865761702702681,1686866632513513490] 1686935151.54s 6mb |L0.?| "
+ - "L0.?[1686866632513513491,1686867503324324300] 1686935151.54s 6mb |L0.?| "
+ - "L0.?[1686867503324324301,1686868374135135110] 1686935151.54s 6mb |L0.?| "
+ - "L0.?[1686868374135135111,1686869244945945920] 1686935151.54s 6mb |L0.?| "
+ - "L0.?[1686869244945945921,1686869519000000000] 1686935151.54s 2mb |L0.?|"
+ - "**** Simulation run 45, type=split(HighL0OverlapTotalBacklog)(split_times=[1686856182783783770, 1686857053594594580, 1686857924405405390, 1686858795216216200, 1686859666027027010, 1686860536837837820, 1686861407648648630, 1686862278459459440, 1686863149270270250, 1686864020081081060, 1686864890891891870, 1686865761702702680, 1686866632513513490, 1686867503324324300, 1686868374135135110, 1686869244945945920]). 1 Input Files, 95mb total:"
+ - "L0, all files 95mb "
+ - "L0.51[1686855719000000000,1686869939000000000] 1686931893.7s|-----------------------------------------L0.51------------------------------------------|"
+ - "**** 17 Output Files (parquet_file_id not yet assigned), 95mb total:"
+ - "L0 "
+ - "L0.?[1686855719000000000,1686856182783783770] 1686931893.7s 3mb|L0.?| "
+ - "L0.?[1686856182783783771,1686857053594594580] 1686931893.7s 6mb |L0.?| "
+ - "L0.?[1686857053594594581,1686857924405405390] 1686931893.7s 6mb |L0.?| "
+ - "L0.?[1686857924405405391,1686858795216216200] 1686931893.7s 6mb |L0.?| "
+ - "L0.?[1686858795216216201,1686859666027027010] 1686931893.7s 6mb |L0.?| "
+ - "L0.?[1686859666027027011,1686860536837837820] 1686931893.7s 6mb |L0.?| "
+ - "L0.?[1686860536837837821,1686861407648648630] 1686931893.7s 6mb |L0.?| "
+ - "L0.?[1686861407648648631,1686862278459459440] 1686931893.7s 6mb |L0.?| "
+ - "L0.?[1686862278459459441,1686863149270270250] 1686931893.7s 6mb |L0.?| "
+ - "L0.?[1686863149270270251,1686864020081081060] 1686931893.7s 6mb |L0.?| "
+ - "L0.?[1686864020081081061,1686864890891891870] 1686931893.7s 6mb |L0.?| "
+ - "L0.?[1686864890891891871,1686865761702702680] 1686931893.7s 6mb |L0.?| "
+ - "L0.?[1686865761702702681,1686866632513513490] 1686931893.7s 6mb |L0.?| "
+ - "L0.?[1686866632513513491,1686867503324324300] 1686931893.7s 6mb |L0.?| "
+ - "L0.?[1686867503324324301,1686868374135135110] 1686931893.7s 6mb |L0.?| "
+ - "L0.?[1686868374135135111,1686869244945945920] 1686931893.7s 6mb |L0.?| "
+ - "L0.?[1686869244945945921,1686869939000000000] 1686931893.7s 5mb |L0.?|"
+ - "**** Simulation run 46, type=split(HighL0OverlapTotalBacklog)(split_times=[1686858795216216200, 1686859666027027010, 1686860536837837820, 1686861407648648630, 1686862278459459440, 1686863149270270250, 1686864020081081060, 1686864890891891870, 1686865761702702680]). 1 Input Files, 94mb total:"
+ - "L0, all files 94mb "
+ - "L0.52[1686858179000000000,1686865979000000000] 1686932458.05s|-----------------------------------------L0.52------------------------------------------|"
+ - "**** 10 Output Files (parquet_file_id not yet assigned), 94mb total:"
+ - "L0 "
+ - "L0.?[1686858179000000000,1686858795216216200] 1686932458.05s 7mb|L0.?-| "
+ - "L0.?[1686858795216216201,1686859666027027010] 1686932458.05s 10mb |--L0.?--| "
+ - "L0.?[1686859666027027011,1686860536837837820] 1686932458.05s 10mb |--L0.?--| "
+ - "L0.?[1686860536837837821,1686861407648648630] 1686932458.05s 10mb |--L0.?--| "
+ - "L0.?[1686861407648648631,1686862278459459440] 1686932458.05s 10mb |--L0.?--| "
+ - "L0.?[1686862278459459441,1686863149270270250] 1686932458.05s 10mb |--L0.?--| "
+ - "L0.?[1686863149270270251,1686864020081081060] 1686932458.05s 10mb |--L0.?--| "
+ - "L0.?[1686864020081081061,1686864890891891870] 1686932458.05s 10mb |--L0.?--| "
+ - "L0.?[1686864890891891871,1686865761702702680] 1686932458.05s 10mb |--L0.?--| "
+ - "L0.?[1686865761702702681,1686865979000000000] 1686932458.05s 3mb |L0.?|"
+ - "**** Simulation run 47, type=split(HighL0OverlapTotalBacklog)(split_times=[1686859666027027010, 1686860536837837820, 1686861407648648630, 1686862278459459440, 1686863149270270250]). 1 Input Files, 5mb total:"
+ - "L1, all files 5mb "
+ - "L1.55[1686859559000000000,1686863699000000000] 1686928854.57s|-----------------------------------------L1.55------------------------------------------|"
+ - "**** 6 Output Files (parquet_file_id not yet assigned), 5mb total:"
+ - "L1 "
+ - "L1.?[1686859559000000000,1686859666027027010] 1686928854.57s 137kb|L1.?| "
+ - "L1.?[1686859666027027011,1686860536837837820] 1686928854.57s 1mb |------L1.?------| "
+ - "L1.?[1686860536837837821,1686861407648648630] 1686928854.57s 1mb |------L1.?------| "
+ - "L1.?[1686861407648648631,1686862278459459440] 1686928854.57s 1mb |------L1.?------| "
+ - "L1.?[1686862278459459441,1686863149270270250] 1686928854.57s 1mb |------L1.?------| "
+ - "L1.?[1686863149270270251,1686863699000000000] 1686928854.57s 703kb |--L1.?---| "
+ - "**** Simulation run 48, type=split(HighL0OverlapTotalBacklog)(split_times=[1686863149270270250, 1686864020081081060, 1686864890891891870, 1686865761702702680, 1686866632513513490, 1686867503324324300, 1686868374135135110, 1686869244945945920, 1686870115756756730, 1686870986567567540, 1686871857378378350, 1686872728189189160]). 1 Input Files, 98mb total:"
+ - "L0, all files 98mb "
+ - "L0.57[1686862919000000000,1686873599000000000] 1686934254.96s|-----------------------------------------L0.57------------------------------------------|"
+ - "**** 13 Output Files (parquet_file_id not yet assigned), 98mb total:"
+ - "L0 "
+ - "L0.?[1686862919000000000,1686863149270270250] 1686934254.96s 2mb|L0.?| "
+ - "L0.?[1686863149270270251,1686864020081081060] 1686934254.96s 8mb |L0.?-| "
+ - "L0.?[1686864020081081061,1686864890891891870] 1686934254.96s 8mb |L0.?-| "
+ - "L0.?[1686864890891891871,1686865761702702680] 1686934254.96s 8mb |L0.?-| "
+ - "L0.?[1686865761702702681,1686866632513513490] 1686934254.96s 8mb |L0.?-| "
+ - "L0.?[1686866632513513491,1686867503324324300] 1686934254.96s 8mb |L0.?-| "
+ - "L0.?[1686867503324324301,1686868374135135110] 1686934254.96s 8mb |L0.?-| "
+ - "L0.?[1686868374135135111,1686869244945945920] 1686934254.96s 8mb |L0.?-| "
+ - "L0.?[1686869244945945921,1686870115756756730] 1686934254.96s 8mb |L0.?-| "
+ - "L0.?[1686870115756756731,1686870986567567540] 1686934254.96s 8mb |L0.?-| "
+ - "L0.?[1686870986567567541,1686871857378378350] 1686934254.96s 8mb |L0.?-| "
+ - "L0.?[1686871857378378351,1686872728189189160] 1686934254.96s 8mb |L0.?-| "
+ - "L0.?[1686872728189189161,1686873599000000000] 1686934254.96s 8mb |L0.?-| "
+ - "**** Simulation run 49, type=split(HighL0OverlapTotalBacklog)(split_times=[1686864020081081060, 1686864890891891870, 1686865761702702680, 1686866632513513490, 1686867503324324300]). 1 Input Files, 5mb total:"
+ - "L1, all files 5mb "
+ - "L1.58[1686863759000000000,1686867659000000000] 1686928854.57s|-----------------------------------------L1.58------------------------------------------|"
+ - "**** 6 Output Files (parquet_file_id not yet assigned), 5mb total:"
+ - "L1 "
+ - "L1.?[1686863759000000000,1686864020081081060] 1686928854.57s 329kb|L1.?| "
+ - "L1.?[1686864020081081061,1686864890891891870] 1686928854.57s 1mb |-------L1.?-------| "
+ - "L1.?[1686864890891891871,1686865761702702680] 1686928854.57s 1mb |-------L1.?-------| "
+ - "L1.?[1686865761702702681,1686866632513513490] 1686928854.57s 1mb |-------L1.?-------| "
+ - "L1.?[1686866632513513491,1686867503324324300] 1686928854.57s 1mb |-------L1.?-------| "
+ - "L1.?[1686867503324324301,1686867659000000000] 1686928854.57s 196kb |L1.?|"
+ - "**** Simulation run 50, type=split(HighL0OverlapTotalBacklog)(split_times=[1686864890891891870, 1686865761702702680, 1686866632513513490, 1686867503324324300, 1686868374135135110, 1686869244945945920, 1686870115756756730, 1686870986567567540, 1686871857378378350, 1686872728189189160]). 1 Input Files, 75mb total:"
+ - "L0, all files 75mb "
+ - "L0.60[1686864419000000000,1686873599000000000] 1686929712.33s|-----------------------------------------L0.60------------------------------------------|"
+ - "**** 11 Output Files (parquet_file_id not yet assigned), 75mb total:"
+ - "L0 "
+ - "L0.?[1686864419000000000,1686864890891891870] 1686929712.33s 4mb|L0.?| "
+ - "L0.?[1686864890891891871,1686865761702702680] 1686929712.33s 7mb |-L0.?-| "
+ - "L0.?[1686865761702702681,1686866632513513490] 1686929712.33s 7mb |-L0.?-| "
+ - "L0.?[1686866632513513491,1686867503324324300] 1686929712.33s 7mb |-L0.?-| "
+ - "L0.?[1686867503324324301,1686868374135135110] 1686929712.33s 7mb |-L0.?-| "
+ - "L0.?[1686868374135135111,1686869244945945920] 1686929712.33s 7mb |-L0.?-| "
+ - "L0.?[1686869244945945921,1686870115756756730] 1686929712.33s 7mb |-L0.?-| "
+ - "L0.?[1686870115756756731,1686870986567567540] 1686929712.33s 7mb |-L0.?-| "
+ - "L0.?[1686870986567567541,1686871857378378350] 1686929712.33s 7mb |-L0.?-| "
+ - "L0.?[1686871857378378351,1686872728189189160] 1686929712.33s 7mb |-L0.?-| "
+ - "L0.?[1686872728189189161,1686873599000000000] 1686929712.33s 7mb |-L0.?-| "
+ - "**** Simulation run 51, type=split(HighL0OverlapTotalBacklog)(split_times=[1686864890891891870, 1686865761702702680, 1686866632513513490, 1686867503324324300, 1686868374135135110, 1686869244945945920, 1686870115756756730, 1686870986567567540, 1686871857378378350, 1686872728189189160]). 1 Input Files, 75mb total:"
+ - "L0, all files 75mb "
+ - "L0.61[1686864419000000000,1686873599000000000] 1686935742.51s|-----------------------------------------L0.61------------------------------------------|"
+ - "**** 11 Output Files (parquet_file_id not yet assigned), 75mb total:"
+ - "L0 "
+ - "L0.?[1686864419000000000,1686864890891891870] 1686935742.51s 4mb|L0.?| "
+ - "L0.?[1686864890891891871,1686865761702702680] 1686935742.51s 7mb |-L0.?-| "
+ - "L0.?[1686865761702702681,1686866632513513490] 1686935742.51s 7mb |-L0.?-| "
+ - "L0.?[1686866632513513491,1686867503324324300] 1686935742.51s 7mb |-L0.?-| "
+ - "L0.?[1686867503324324301,1686868374135135110] 1686935742.51s 7mb |-L0.?-| "
+ - "L0.?[1686868374135135111,1686869244945945920] 1686935742.51s 7mb |-L0.?-| "
+ - "L0.?[1686869244945945921,1686870115756756730] 1686935742.51s 7mb |-L0.?-| "
+ - "L0.?[1686870115756756731,1686870986567567540] 1686935742.51s 7mb |-L0.?-| "
+ - "L0.?[1686870986567567541,1686871857378378350] 1686935742.51s 7mb |-L0.?-| "
+ - "L0.?[1686871857378378351,1686872728189189160] 1686935742.51s 7mb |-L0.?-| "
+ - "L0.?[1686872728189189161,1686873599000000000] 1686935742.51s 7mb |-L0.?-| "
+ - "**** Simulation run 52, type=split(HighL0OverlapTotalBacklog)(split_times=[1686864890891891870, 1686865761702702680, 1686866632513513490, 1686867503324324300, 1686868374135135110, 1686869244945945920, 1686870115756756730, 1686870986567567540, 1686871857378378350, 1686872728189189160]). 1 Input Files, 79mb total:"
+ - "L0, all files 79mb "
+ - "L0.63[1686864479000000000,1686873599000000000] 1686931600.58s|-----------------------------------------L0.63------------------------------------------|"
+ - "**** 11 Output Files (parquet_file_id not yet assigned), 79mb total:"
+ - "L0 "
+ - "L0.?[1686864479000000000,1686864890891891870] 1686931600.58s 4mb|L0.?| "
+ - "L0.?[1686864890891891871,1686865761702702680] 1686931600.58s 8mb |-L0.?-| "
+ - "L0.?[1686865761702702681,1686866632513513490] 1686931600.58s 8mb |-L0.?-| "
+ - "L0.?[1686866632513513491,1686867503324324300] 1686931600.58s 8mb |-L0.?-| "
+ - "L0.?[1686867503324324301,1686868374135135110] 1686931600.58s 8mb |-L0.?-| "
+ - "L0.?[1686868374135135111,1686869244945945920] 1686931600.58s 8mb |-L0.?-| "
+ - "L0.?[1686869244945945921,1686870115756756730] 1686931600.58s 8mb |-L0.?-| "
+ - "L0.?[1686870115756756731,1686870986567567540] 1686931600.58s 8mb |-L0.?-| "
+ - "L0.?[1686870986567567541,1686871857378378350] 1686931600.58s 8mb |-L0.?-| "
+ - "L0.?[1686871857378378351,1686872728189189160] 1686931600.58s 8mb |-L0.?-| "
+ - "L0.?[1686872728189189161,1686873599000000000] 1686931600.58s 8mb |-L0.?-| "
+ - "**** Simulation run 53, type=split(HighL0OverlapTotalBacklog)(split_times=[1686864890891891870, 1686865761702702680, 1686866632513513490, 1686867503324324300, 1686868374135135110, 1686869244945945920, 1686870115756756730, 1686870986567567540, 1686871857378378350, 1686872728189189160]). 1 Input Files, 74mb total:"
+ - "L0, all files 74mb "
+ - "L0.62[1686864479000000000,1686873599000000000] 1686934966.48s|-----------------------------------------L0.62------------------------------------------|"
+ - "**** 11 Output Files (parquet_file_id not yet assigned), 74mb total:"
+ - "L0 "
+ - "L0.?[1686864479000000000,1686864890891891870] 1686934966.48s 3mb|L0.?| "
+ - "L0.?[1686864890891891871,1686865761702702680] 1686934966.48s 7mb |-L0.?-| "
+ - "L0.?[1686865761702702681,1686866632513513490] 1686934966.48s 7mb |-L0.?-| "
+ - "L0.?[1686866632513513491,1686867503324324300] 1686934966.48s 7mb |-L0.?-| "
+ - "L0.?[1686867503324324301,1686868374135135110] 1686934966.48s 7mb |-L0.?-| "
+ - "L0.?[1686868374135135111,1686869244945945920] 1686934966.48s 7mb |-L0.?-| "
+ - "L0.?[1686869244945945921,1686870115756756730] 1686934966.48s 7mb |-L0.?-| "
+ - "L0.?[1686870115756756731,1686870986567567540] 1686934966.48s 7mb |-L0.?-| "
+ - "L0.?[1686870986567567541,1686871857378378350] 1686934966.48s 7mb |-L0.?-| "
+ - "L0.?[1686871857378378351,1686872728189189160] 1686934966.48s 7mb |-L0.?-| "
+ - "L0.?[1686872728189189161,1686873599000000000] 1686934966.48s 7mb |-L0.?-| "
+ - "**** Simulation run 54, type=split(HighL0OverlapTotalBacklog)(split_times=[1686864890891891870, 1686865761702702680, 1686866632513513490, 1686867503324324300, 1686868374135135110, 1686869244945945920, 1686870115756756730, 1686870986567567540, 1686871857378378350, 1686872728189189160]). 1 Input Files, 73mb total:"
+ - "L0, all files 73mb "
+ - "L0.64[1686864659000000000,1686873599000000000] 1686933528.17s|-----------------------------------------L0.64------------------------------------------|"
+ - "**** 11 Output Files (parquet_file_id not yet assigned), 73mb total:"
+ - "L0 "
+ - "L0.?[1686864659000000000,1686864890891891870] 1686933528.17s 2mb|L0.?| "
+ - "L0.?[1686864890891891871,1686865761702702680] 1686933528.17s 7mb |-L0.?-| "
+ - "L0.?[1686865761702702681,1686866632513513490] 1686933528.17s 7mb |-L0.?-| "
+ - "L0.?[1686866632513513491,1686867503324324300] 1686933528.17s 7mb |-L0.?-| "
+ - "L0.?[1686867503324324301,1686868374135135110] 1686933528.17s 7mb |-L0.?-| "
+ - "L0.?[1686868374135135111,1686869244945945920] 1686933528.17s 7mb |-L0.?-| "
+ - "L0.?[1686869244945945921,1686870115756756730] 1686933528.17s 7mb |-L0.?-| "
+ - "L0.?[1686870115756756731,1686870986567567540] 1686933528.17s 7mb |-L0.?-| "
+ - "L0.?[1686870986567567541,1686871857378378350] 1686933528.17s 7mb |-L0.?-| "
+ - "L0.?[1686871857378378351,1686872728189189160] 1686933528.17s 7mb |-L0.?-| "
+ - "L0.?[1686872728189189161,1686873599000000000] 1686933528.17s 7mb |-L0.?-| "
+ - "**** Simulation run 55, type=split(HighL0OverlapTotalBacklog)(split_times=[1686864890891891870, 1686865761702702680, 1686866632513513490, 1686867503324324300, 1686868374135135110, 1686869244945945920, 1686870115756756730, 1686870986567567540, 1686871857378378350, 1686872728189189160]). 1 Input Files, 54mb total:"
+ - "L0, all files 54mb "
+ - "L0.65[1686864719000000000,1686873599000000000] 1686930563.07s|-----------------------------------------L0.65------------------------------------------|"
+ - "**** 11 Output Files (parquet_file_id not yet assigned), 54mb total:"
+ - "L0 "
+ - "L0.?[1686864719000000000,1686864890891891870] 1686930563.07s 1mb|L0.?| "
+ - "L0.?[1686864890891891871,1686865761702702680] 1686930563.07s 5mb |-L0.?-| "
+ - "L0.?[1686865761702702681,1686866632513513490] 1686930563.07s 5mb |-L0.?-| "
+ - "L0.?[1686866632513513491,1686867503324324300] 1686930563.07s 5mb |-L0.?-| "
+ - "L0.?[1686867503324324301,1686868374135135110] 1686930563.07s 5mb |-L0.?-| "
+ - "L0.?[1686868374135135111,1686869244945945920] 1686930563.07s 5mb |-L0.?-| "
+ - "L0.?[1686869244945945921,1686870115756756730] 1686930563.07s 5mb |-L0.?-| "
+ - "L0.?[1686870115756756731,1686870986567567540] 1686930563.07s 5mb |-L0.?-| "
+ - "L0.?[1686870986567567541,1686871857378378350] 1686930563.07s 5mb |-L0.?-| "
+ - "L0.?[1686871857378378351,1686872728189189160] 1686930563.07s 5mb |-L0.?-| "
+ - "L0.?[1686872728189189161,1686873599000000000] 1686930563.07s 5mb |-L0.?-| "
+ - "**** Simulation run 56, type=split(HighL0OverlapTotalBacklog)(split_times=[1686864890891891870, 1686865761702702680, 1686866632513513490, 1686867503324324300, 1686868374135135110, 1686869244945945920, 1686870115756756730, 1686870986567567540, 1686871857378378350, 1686872728189189160]). 1 Input Files, 54mb total:"
+ - "L0, all files 54mb "
+ - "L0.66[1686864719000000000,1686873599000000000] 1686933271.57s|-----------------------------------------L0.66------------------------------------------|"
+ - "**** 11 Output Files (parquet_file_id not yet assigned), 54mb total:"
+ - "L0 "
+ - "L0.?[1686864719000000000,1686864890891891870] 1686933271.57s 1mb|L0.?| "
+ - "L0.?[1686864890891891871,1686865761702702680] 1686933271.57s 5mb |-L0.?-| "
+ - "L0.?[1686865761702702681,1686866632513513490] 1686933271.57s 5mb |-L0.?-| "
+ - "L0.?[1686866632513513491,1686867503324324300] 1686933271.57s 5mb |-L0.?-| "
+ - "L0.?[1686867503324324301,1686868374135135110] 1686933271.57s 5mb |-L0.?-| "
+ - "L0.?[1686868374135135111,1686869244945945920] 1686933271.57s 5mb |-L0.?-| "
+ - "L0.?[1686869244945945921,1686870115756756730] 1686933271.57s 5mb |-L0.?-| "
+ - "L0.?[1686870115756756731,1686870986567567540] 1686933271.57s 5mb |-L0.?-| "
+ - "L0.?[1686870986567567541,1686871857378378350] 1686933271.57s 5mb |-L0.?-| "
+ - "L0.?[1686871857378378351,1686872728189189160] 1686933271.57s 5mb |-L0.?-| "
+ - "L0.?[1686872728189189161,1686873599000000000] 1686933271.57s 5mb |-L0.?-| "
+ - "**** Simulation run 57, type=split(HighL0OverlapTotalBacklog)(split_times=[1686865761702702680, 1686866632513513490, 1686867503324324300, 1686868374135135110, 1686869244945945920, 1686870115756756730, 1686870986567567540, 1686871857378378350, 1686872728189189160]). 1 Input Files, 53mb total:"
+ - "L0, all files 53mb "
+ - "L0.67[1686864899000000000,1686873599000000000] 1686931336.08s|-----------------------------------------L0.67------------------------------------------|"
+ - "**** 10 Output Files (parquet_file_id not yet assigned), 53mb total:"
+ - "L0 "
+ - "L0.?[1686864899000000000,1686865761702702680] 1686931336.08s 5mb|-L0.?-| "
+ - "L0.?[1686865761702702681,1686866632513513490] 1686931336.08s 5mb |-L0.?--| "
+ - "L0.?[1686866632513513491,1686867503324324300] 1686931336.08s 5mb |-L0.?--| "
+ - "L0.?[1686867503324324301,1686868374135135110] 1686931336.08s 5mb |-L0.?--| "
+ - "L0.?[1686868374135135111,1686869244945945920] 1686931336.08s 5mb |-L0.?--| "
+ - "L0.?[1686869244945945921,1686870115756756730] 1686931336.08s 5mb |-L0.?--| "
+ - "L0.?[1686870115756756731,1686870986567567540] 1686931336.08s 5mb |-L0.?--| "
+ - "L0.?[1686870986567567541,1686871857378378350] 1686931336.08s 5mb |-L0.?--| "
+ - "L0.?[1686871857378378351,1686872728189189160] 1686931336.08s 5mb |-L0.?--| "
+ - "L0.?[1686872728189189161,1686873599000000000] 1686931336.08s 5mb |-L0.?--| "
+ - "**** Simulation run 58, type=split(HighL0OverlapTotalBacklog)(split_times=[1686865761702702680, 1686866632513513490, 1686867503324324300, 1686868374135135110, 1686869244945945920, 1686870115756756730, 1686870986567567540, 1686871857378378350, 1686872728189189160]). 1 Input Files, 49mb total:"
+ - "L0, all files 49mb "
+ - "L0.68[1686865319000000000,1686873599000000000] 1686929421.02s|-----------------------------------------L0.68------------------------------------------|"
+ - "**** 10 Output Files (parquet_file_id not yet assigned), 49mb total:"
+ - "L0 "
+ - "L0.?[1686865319000000000,1686865761702702680] 1686929421.02s 3mb|L0.?| "
+ - "L0.?[1686865761702702681,1686866632513513490] 1686929421.02s 5mb |-L0.?--| "
+ - "L0.?[1686866632513513491,1686867503324324300] 1686929421.02s 5mb |-L0.?--| "
+ - "L0.?[1686867503324324301,1686868374135135110] 1686929421.02s 5mb |-L0.?--| "
+ - "L0.?[1686868374135135111,1686869244945945920] 1686929421.02s 5mb |-L0.?--| "
+ - "L0.?[1686869244945945921,1686870115756756730] 1686929421.02s 5mb |-L0.?--| "
+ - "L0.?[1686870115756756731,1686870986567567540] 1686929421.02s 5mb |-L0.?--| "
+ - "L0.?[1686870986567567541,1686871857378378350] 1686929421.02s 5mb |-L0.?--| "
+ - "L0.?[1686871857378378351,1686872728189189160] 1686929421.02s 5mb |-L0.?--| "
+ - "L0.?[1686872728189189161,1686873599000000000] 1686929421.02s 5mb |-L0.?--| "
+ - "**** Simulation run 59, type=split(HighL0OverlapTotalBacklog)(split_times=[1686865761702702680, 1686866632513513490, 1686867503324324300, 1686868374135135110, 1686869244945945920, 1686870115756756730, 1686870986567567540, 1686871857378378350, 1686872728189189160]). 1 Input Files, 49mb total:"
+ - "L0, all files 49mb "
+ - "L0.69[1686865319000000000,1686873599000000000] 1686935546.05s|-----------------------------------------L0.69------------------------------------------|"
+ - "**** 10 Output Files (parquet_file_id not yet assigned), 49mb total:"
+ - "L0 "
+ - "L0.?[1686865319000000000,1686865761702702680] 1686935546.05s 3mb|L0.?| "
+ - "L0.?[1686865761702702681,1686866632513513490] 1686935546.05s 5mb |-L0.?--| "
+ - "L0.?[1686866632513513491,1686867503324324300] 1686935546.05s 5mb |-L0.?--| "
+ - "L0.?[1686867503324324301,1686868374135135110] 1686935546.05s 5mb |-L0.?--| "
+ - "L0.?[1686868374135135111,1686869244945945920] 1686935546.05s 5mb |-L0.?--| "
+ - "L0.?[1686869244945945921,1686870115756756730] 1686935546.05s 5mb |-L0.?--| "
+ - "L0.?[1686870115756756731,1686870986567567540] 1686935546.05s 5mb |-L0.?--| "
+ - "L0.?[1686870986567567541,1686871857378378350] 1686935546.05s 5mb |-L0.?--| "
+ - "L0.?[1686871857378378351,1686872728189189160] 1686935546.05s 5mb |-L0.?--| "
+ - "L0.?[1686872728189189161,1686873599000000000] 1686935546.05s 5mb |-L0.?--| "
+ - "**** Simulation run 60, type=split(HighL0OverlapTotalBacklog)(split_times=[1686865761702702680, 1686866632513513490, 1686867503324324300, 1686868374135135110, 1686869244945945920, 1686870115756756730, 1686870986567567540, 1686871857378378350, 1686872728189189160]). 1 Input Files, 88mb total:"
+ - "L0, all files 88mb "
+ - "L0.70[1686865499000000000,1686873599000000000] 1686930780.95s|-----------------------------------------L0.70------------------------------------------|"
+ - "**** 10 Output Files (parquet_file_id not yet assigned), 88mb total:"
+ - "L0 "
+ - "L0.?[1686865499000000000,1686865761702702680] 1686930780.95s 3mb|L0.?| "
+ - "L0.?[1686865761702702681,1686866632513513490] 1686930780.95s 9mb |-L0.?--| "
+ - "L0.?[1686866632513513491,1686867503324324300] 1686930780.95s 9mb |-L0.?--| "
+ - "L0.?[1686867503324324301,1686868374135135110] 1686930780.95s 9mb |-L0.?--| "
+ - "L0.?[1686868374135135111,1686869244945945920] 1686930780.95s 9mb |-L0.?--| "
+ - "L0.?[1686869244945945921,1686870115756756730] 1686930780.95s 9mb |-L0.?--| "
+ - "L0.?[1686870115756756731,1686870986567567540] 1686930780.95s 9mb |-L0.?--| "
+ - "L0.?[1686870986567567541,1686871857378378350] 1686930780.95s 9mb |-L0.?--| "
+ - "L0.?[1686871857378378351,1686872728189189160] 1686930780.95s 9mb |-L0.?--| "
+ - "L0.?[1686872728189189161,1686873599000000000] 1686930780.95s 9mb |-L0.?--| "
+ - "**** Simulation run 61, type=split(HighL0OverlapTotalBacklog)(split_times=[1686866632513513490, 1686867503324324300, 1686868374135135110, 1686869244945945920, 1686870115756756730, 1686870986567567540, 1686871857378378350, 1686872728189189160]). 1 Input Files, 45mb total:"
+ - "L0, all files 45mb "
+ - "L0.71[1686866099000000000,1686873599000000000] 1686934759.75s|-----------------------------------------L0.71------------------------------------------|"
+ - "**** 9 Output Files (parquet_file_id not yet assigned), 45mb total:"
+ - "L0 "
+ - "L0.?[1686866099000000000,1686866632513513490] 1686934759.75s 3mb|L0.?| "
+ - "L0.?[1686866632513513491,1686867503324324300] 1686934759.75s 5mb |--L0.?--| "
+ - "L0.?[1686867503324324301,1686868374135135110] 1686934759.75s 5mb |--L0.?--| "
+ - "L0.?[1686868374135135111,1686869244945945920] 1686934759.75s 5mb |--L0.?--| "
+ - "L0.?[1686869244945945921,1686870115756756730] 1686934759.75s 5mb |--L0.?--| "
+ - "L0.?[1686870115756756731,1686870986567567540] 1686934759.75s 5mb |--L0.?--| "
+ - "L0.?[1686870986567567541,1686871857378378350] 1686934759.75s 5mb |--L0.?--| "
+ - "L0.?[1686871857378378351,1686872728189189160] 1686934759.75s 5mb |--L0.?--| "
+ - "L0.?[1686872728189189161,1686873599000000000] 1686934759.75s 5mb |--L0.?--| "
+ - "**** Simulation run 62, type=split(HighL0OverlapTotalBacklog)(split_times=[1686867503324324300, 1686868374135135110, 1686869244945945920, 1686870115756756730, 1686870986567567540, 1686871857378378350, 1686872728189189160]). 1 Input Files, 109mb total:"
+ - "L0, all files 109mb "
+ - "L0.72[1686867119000000000,1686873599000000000] 1686932677.39s|-----------------------------------------L0.72------------------------------------------|"
+ - "**** 8 Output Files (parquet_file_id not yet assigned), 109mb total:"
+ - "L0 "
+ - "L0.?[1686867119000000000,1686867503324324300] 1686932677.39s 6mb|L0.?| "
+ - "L0.?[1686867503324324301,1686868374135135110] 1686932677.39s 15mb |---L0.?---| "
+ - "L0.?[1686868374135135111,1686869244945945920] 1686932677.39s 15mb |---L0.?---| "
+ - "L0.?[1686869244945945921,1686870115756756730] 1686932677.39s 15mb |---L0.?---| "
+ - "L0.?[1686870115756756731,1686870986567567540] 1686932677.39s 15mb |---L0.?---| "
+ - "L0.?[1686870986567567541,1686871857378378350] 1686932677.39s 15mb |---L0.?---| "
+ - "L0.?[1686871857378378351,1686872728189189160] 1686932677.39s 15mb |---L0.?---| "
+ - "L0.?[1686872728189189161,1686873599000000000] 1686932677.39s 15mb |---L0.?---| "
+ - "**** Simulation run 63, type=split(HighL0OverlapTotalBacklog)(split_times=[1686868374135135110, 1686869244945945920, 1686870115756756730, 1686870986567567540, 1686871857378378350, 1686872728189189160]). 1 Input Files, 67mb total:"
+ - "L0, all files 67mb "
+ - "L0.76[1686868259000000000,1686873599000000000] 1686935947.46s|-----------------------------------------L0.76------------------------------------------|"
+ - "**** 7 Output Files (parquet_file_id not yet assigned), 67mb total:"
+ - "L0 "
+ - "L0.?[1686868259000000000,1686868374135135110] 1686935947.46s 1mb|L0.?| "
+ - "L0.?[1686868374135135111,1686869244945945920] 1686935947.46s 11mb |----L0.?----| "
+ - "L0.?[1686869244945945921,1686870115756756730] 1686935947.46s 11mb |----L0.?----| "
+ - "L0.?[1686870115756756731,1686870986567567540] 1686935947.46s 11mb |----L0.?----| "
+ - "L0.?[1686870986567567541,1686871857378378350] 1686935947.46s 11mb |----L0.?----| "
+ - "L0.?[1686871857378378351,1686872728189189160] 1686935947.46s 11mb |----L0.?----| "
+ - "L0.?[1686872728189189161,1686873599000000000] 1686935947.46s 11mb |----L0.?----| "
+ - "**** Simulation run 64, type=split(HighL0OverlapTotalBacklog)(split_times=[1686869244945945920, 1686870115756756730, 1686870986567567540, 1686871857378378350, 1686872728189189160]). 1 Input Files, 89mb total:"
+ - "L1, all files 89mb "
+ - "L1.77[1686868379000000000,1686873599000000000] 1686928854.57s|-----------------------------------------L1.77------------------------------------------|"
+ - "**** 6 Output Files (parquet_file_id not yet assigned), 89mb total:"
+ - "L1 "
+ - "L1.?[1686868379000000000,1686869244945945920] 1686928854.57s 15mb|----L1.?----| "
+ - "L1.?[1686869244945945921,1686870115756756730] 1686928854.57s 15mb |----L1.?-----| "
+ - "L1.?[1686870115756756731,1686870986567567540] 1686928854.57s 15mb |----L1.?-----| "
+ - "L1.?[1686870986567567541,1686871857378378350] 1686928854.57s 15mb |----L1.?-----| "
+ - "L1.?[1686871857378378351,1686872728189189160] 1686928854.57s 15mb |----L1.?-----| "
+ - "L1.?[1686872728189189161,1686873599000000000] 1686928854.57s 15mb |----L1.?-----| "
+ - "**** Simulation run 65, type=split(HighL0OverlapTotalBacklog)(split_times=[1686869244945945920, 1686870115756756730, 1686870986567567540, 1686871857378378350, 1686872728189189160]). 1 Input Files, 58mb total:"
+ - "L0, all files 58mb "
+ - "L0.79[1686868799000000000,1686873599000000000] 1686929965.33s|-----------------------------------------L0.79------------------------------------------|"
+ - "**** 6 Output Files (parquet_file_id not yet assigned), 58mb total:"
+ - "L0 "
+ - "L0.?[1686868799000000000,1686869244945945920] 1686929965.33s 5mb|-L0.?-| "
+ - "L0.?[1686869244945945921,1686870115756756730] 1686929965.33s 11mb |-----L0.?-----| "
+ - "L0.?[1686870115756756731,1686870986567567540] 1686929965.33s 11mb |-----L0.?-----| "
+ - "L0.?[1686870986567567541,1686871857378378350] 1686929965.33s 11mb |-----L0.?-----| "
+ - "L0.?[1686871857378378351,1686872728189189160] 1686929965.33s 11mb |-----L0.?-----| "
+ - "L0.?[1686872728189189161,1686873599000000000] 1686929965.33s 11mb |-----L0.?-----| "
+ - "**** Simulation run 66, type=split(HighL0OverlapTotalBacklog)(split_times=[1686869244945945920, 1686870115756756730, 1686870986567567540, 1686871857378378350, 1686872728189189160]). 1 Input Files, 57mb total:"
+ - "L0, all files 57mb "
+ - "L0.80[1686868919000000000,1686873599000000000] 1686933830.06s|-----------------------------------------L0.80------------------------------------------|"
+ - "**** 6 Output Files (parquet_file_id not yet assigned), 57mb total:"
+ - "L0 "
+ - "L0.?[1686868919000000000,1686869244945945920] 1686933830.06s 4mb|L0.?| "
+ - "L0.?[1686869244945945921,1686870115756756730] 1686933830.06s 11mb |-----L0.?-----| "
+ - "L0.?[1686870115756756731,1686870986567567540] 1686933830.06s 11mb |-----L0.?-----| "
+ - "L0.?[1686870986567567541,1686871857378378350] 1686933830.06s 11mb |-----L0.?-----| "
+ - "L0.?[1686871857378378351,1686872728189189160] 1686933830.06s 11mb |-----L0.?-----| "
+ - "L0.?[1686872728189189161,1686873599000000000] 1686933830.06s 11mb |-----L0.?-----| "
+ - "**** Simulation run 67, type=split(HighL0OverlapTotalBacklog)(split_times=[1686870115756756730, 1686870986567567540, 1686871857378378350, 1686872728189189160]). 1 Input Files, 49mb total:"
+ - "L0, all files 49mb "
+ - "L0.81[1686869579000000000,1686873599000000000] 1686935151.54s|-----------------------------------------L0.81------------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 49mb total:"
+ - "L0 "
+ - "L0.?[1686869579000000000,1686870115756756730] 1686935151.54s 6mb|---L0.?---| "
+ - "L0.?[1686870115756756731,1686870986567567540] 1686935151.54s 11mb |------L0.?-------| "
+ - "L0.?[1686870986567567541,1686871857378378350] 1686935151.54s 11mb |------L0.?-------| "
+ - "L0.?[1686871857378378351,1686872728189189160] 1686935151.54s 11mb |------L0.?-------| "
+ - "L0.?[1686872728189189161,1686873599000000000] 1686935151.54s 11mb |------L0.?-------| "
+ - "**** Simulation run 68, type=split(HighL0OverlapTotalBacklog)(split_times=[1686870115756756730, 1686870986567567540, 1686871857378378350, 1686872728189189160]). 1 Input Files, 44mb total:"
+ - "L0, all files 44mb "
+ - "L0.82[1686869999000000000,1686873599000000000] 1686931893.7s|-----------------------------------------L0.82------------------------------------------|"
+ - "**** 5 Output Files (parquet_file_id not yet assigned), 44mb total:"
+ - "L0 "
+ - "L0.?[1686869999000000000,1686870115756756730] 1686931893.7s 1mb|L0.?| "
+ - "L0.?[1686870115756756731,1686870986567567540] 1686931893.7s 11mb |-------L0.?--------| "
+ - "L0.?[1686870986567567541,1686871857378378350] 1686931893.7s 11mb |-------L0.?--------| "
+ - "L0.?[1686871857378378351,1686872728189189160] 1686931893.7s 11mb |-------L0.?--------| "
+ - "L0.?[1686872728189189161,1686873599000000000] 1686931893.7s 11mb |-------L0.?--------| "
+ - "**** Simulation run 69, type=split(HighL0OverlapTotalBacklog)(split_times=[1686871857378378350, 1686872728189189160]). 1 Input Files, 9mb total:"
+ - "L0, all files 9mb "
+ - "L0.83[1686871619000000000,1686873599000000000] 1686936871.55s|-----------------------------------------L0.83------------------------------------------|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 9mb total:"
+ - "L0 "
+ - "L0.?[1686871619000000000,1686871857378378350] 1686936871.55s 1mb|--L0.?--| "
+ - "L0.?[1686871857378378351,1686872728189189160] 1686936871.55s 4mb |----------------L0.?-----------------| "
+ - "L0.?[1686872728189189161,1686873599000000000] 1686936871.55s 4mb |----------------L0.?-----------------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 70 files: L0.1, L0.3, L0.4, L0.5, L1.6, L0.7, L0.8, L0.9, L0.10, L0.11, L0.12, L0.13, L0.14, L0.15, L0.16, L0.17, L0.18, L0.19, L0.20, L0.21, L0.22, L0.23, L1.24, L0.26, L1.28, L1.29, L0.31, L0.32, L0.33, L0.34, L0.35, L0.36, L0.37, L0.38, L0.39, L0.40, L0.41, L0.42, L0.43, L0.44, L0.45, L1.47, L0.48, L0.49, L0.50, L0.51, L0.52, L1.55, L0.57, L1.58, L0.60, L0.61, L0.62, L0.63, L0.64, L0.65, L0.66, L0.67, L0.68, L0.69, L0.70, L0.71, L0.72, L0.76, L1.77, L0.79, L0.80, L0.81, L0.82, L0.83"
+ - " Creating 852 files"
+ - "**** Simulation run 70, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[1686842589641148927]). 20 Input Files, 144mb total:"
+ - "L0 "
+ - "L0.89[1686841379000000000,1686842249810810810] 1686929421.02s 10mb|-------------------L0.89-------------------| "
+ - "L0.90[1686842249810810811,1686843120621621620] 1686929421.02s 10mb |------------------L0.90-------------------| "
+ - "L0.103[1686841379000000000,1686842249810810810] 1686929712.33s 5mb|------------------L0.103-------------------| "
+ - "L0.104[1686842249810810811,1686843120621621620] 1686929712.33s 5mb |------------------L0.104------------------| "
+ - "L0.117[1686841379000000000,1686842249810810810] 1686929965.33s 5mb|------------------L0.117-------------------| "
+ - "L0.118[1686842249810810811,1686843120621621620] 1686929965.33s 5mb |------------------L0.118------------------| "
+ - "L0.133[1686841379000000000,1686842249810810810] 1686930563.07s 11mb|------------------L0.133-------------------| "
+ - "L0.134[1686842249810810811,1686843120621621620] 1686930563.07s 11mb |------------------L0.134------------------| "
+ - "L0.147[1686841379000000000,1686842249810810810] 1686930780.95s 4mb|------------------L0.147-------------------| "
+ - "L0.148[1686842249810810811,1686843120621621620] 1686930780.95s 4mb |------------------L0.148------------------| "
+ - "L0.161[1686841379000000000,1686842249810810810] 1686931336.08s 11mb|------------------L0.161-------------------| "
+ - "L0.162[1686842249810810811,1686843120621621620] 1686931336.08s 11mb |------------------L0.162------------------| "
+ - "L0.175[1686841379000000000,1686842249810810810] 1686931600.58s 5mb|------------------L0.175-------------------| "
+ - "L0.176[1686842249810810811,1686843120621621620] 1686931600.58s 5mb |------------------L0.176------------------| "
+ - "L0.189[1686841379000000000,1686842249810810810] 1686931893.7s 5mb|------------------L0.189-------------------| "
+ - "L0.190[1686842249810810811,1686843120621621620] 1686931893.7s 5mb |------------------L0.190------------------| "
+ - "L0.206[1686841379000000000,1686842249810810810] 1686932458.05s 10mb|------------------L0.206-------------------| "
+ - "L0.207[1686842249810810811,1686843120621621620] 1686932458.05s 10mb |------------------L0.207------------------| "
+ - "L0.216[1686841379000000000,1686842249810810810] 1686932677.39s 4mb|------------------L0.216-------------------| "
+ - "L0.217[1686842249810810811,1686843120621621620] 1686932677.39s 4mb |------------------L0.217------------------| "
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 144mb total:"
+ - "L0 "
+ - "L0.?[1686841379000000000,1686842589641148927] 1686932677.39s 100mb|----------------------------L0.?----------------------------| "
+ - "L0.?[1686842589641148928,1686843120621621620] 1686932677.39s 44mb |----------L0.?-----------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.89, L0.90, L0.103, L0.104, L0.117, L0.118, L0.133, L0.134, L0.147, L0.148, L0.161, L0.162, L0.175, L0.176, L0.189, L0.190, L0.206, L0.207, L0.216, L0.217"
+ - " Creating 2 files"
+ - "**** Simulation run 71, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[1686842593136179151]). 20 Input Files, 143mb total:"
+ - "L0 "
+ - "L0.231[1686841379000000000,1686842249810810810] 1686933271.57s 11mb|------------------L0.231-------------------| "
+ - "L0.232[1686842249810810811,1686843120621621620] 1686933271.57s 11mb |------------------L0.232------------------| "
+ - "L0.245[1686841379000000000,1686842249810810810] 1686933528.17s 5mb|------------------L0.245-------------------| "
+ - "L0.246[1686842249810810811,1686843120621621620] 1686933528.17s 5mb |------------------L0.246------------------| "
+ - "L0.259[1686841379000000000,1686842249810810810] 1686933830.06s 5mb|------------------L0.259-------------------| "
+ - "L0.260[1686842249810810811,1686843120621621620] 1686933830.06s 5mb |------------------L0.260------------------| "
+ - "L0.275[1686841379000000000,1686842249810810810] 1686934254.96s 8mb|------------------L0.275-------------------| "
+ - "L0.276[1686842249810810811,1686843120621621620] 1686934254.96s 8mb |------------------L0.276------------------| "
+ - "L0.288[1686841379000000000,1686842249810810810] 1686934759.75s 10mb|------------------L0.288-------------------| "
+ - "L0.289[1686842249810810811,1686843120621621620] 1686934759.75s 10mb |------------------L0.289------------------| "
+ - "L0.303[1686841379000000000,1686842249810810810] 1686934966.48s 5mb|------------------L0.303-------------------| "
+ - "L0.304[1686842249810810811,1686843120621621620] 1686934966.48s 5mb |------------------L0.304------------------| "
+ - "L0.317[1686841379000000000,1686842249810810810] 1686935151.54s 5mb|------------------L0.317-------------------| "
+ - "L0.318[1686842249810810811,1686843120621621620] 1686935151.54s 5mb |------------------L0.318------------------| "
+ - "L0.334[1686841379000000000,1686842249810810810] 1686935546.05s 10mb|------------------L0.334-------------------| "
+ - "L0.335[1686842249810810811,1686843120621621620] 1686935546.05s 10mb |------------------L0.335------------------| "
+ - "L0.348[1686841379000000000,1686842249810810810] 1686935742.51s 5mb|------------------L0.348-------------------| "
+ - "L0.349[1686842249810810811,1686843120621621620] 1686935742.51s 5mb |------------------L0.349------------------| "
+ - "L0.362[1686841379000000000,1686842249810810810] 1686935947.46s 5mb|------------------L0.362-------------------| "
+ - "L0.363[1686842249810810811,1686843120621621620] 1686935947.46s 5mb |------------------L0.363------------------| "
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 143mb total:"
+ - "L0 "
+ - "L0.?[1686841379000000000,1686842593136179151] 1686935947.46s 100mb|----------------------------L0.?----------------------------| "
+ - "L0.?[1686842593136179152,1686843120621621620] 1686935947.46s 43mb |----------L0.?-----------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.231, L0.232, L0.245, L0.246, L0.259, L0.260, L0.275, L0.276, L0.288, L0.289, L0.303, L0.304, L0.317, L0.318, L0.334, L0.335, L0.348, L0.349, L0.362, L0.363"
+ - " Creating 2 files"
+ - "**** Simulation run 72, type=compact(ManySmallFiles). 2 Input Files, 6mb total:"
+ - "L0, all files 3mb "
+ - "L0.378[1686841379000000000,1686842249810810810] 1686936871.55s|------------------L0.378-------------------| "
+ - "L0.379[1686842249810810811,1686843120621621620] 1686936871.55s |------------------L0.379------------------| "
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 6mb total:"
+ - "L0, all files 6mb "
+ - "L0.?[1686841379000000000,1686843120621621620] 1686936871.55s|------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 2 files: L0.378, L0.379"
+ - " Creating 1 files"
+ - "**** Simulation run 73, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[1686844331262770547]). 20 Input Files, 144mb total:"
+ - "L0 "
+ - "L0.91[1686843120621621621,1686843991432432430] 1686929421.02s 10mb|------------------L0.91-------------------| "
+ - "L0.92[1686843991432432431,1686844862243243240] 1686929421.02s 10mb |------------------L0.92-------------------| "
+ - "L0.105[1686843120621621621,1686843991432432430] 1686929712.33s 5mb|------------------L0.105------------------| "
+ - "L0.106[1686843991432432431,1686844862243243240] 1686929712.33s 5mb |------------------L0.106------------------| "
+ - "L0.119[1686843120621621621,1686843991432432430] 1686929965.33s 5mb|------------------L0.119------------------| "
+ - "L0.120[1686843991432432431,1686844862243243240] 1686929965.33s 5mb |------------------L0.120------------------| "
+ - "L0.135[1686843120621621621,1686843991432432430] 1686930563.07s 11mb|------------------L0.135------------------| "
+ - "L0.136[1686843991432432431,1686844862243243240] 1686930563.07s 11mb |------------------L0.136------------------| "
+ - "L0.149[1686843120621621621,1686843991432432430] 1686930780.95s 4mb|------------------L0.149------------------| "
+ - "L0.150[1686843991432432431,1686844862243243240] 1686930780.95s 4mb |------------------L0.150------------------| "
+ - "L0.163[1686843120621621621,1686843991432432430] 1686931336.08s 11mb|------------------L0.163------------------| "
+ - "L0.164[1686843991432432431,1686844862243243240] 1686931336.08s 11mb |------------------L0.164------------------| "
+ - "L0.177[1686843120621621621,1686843991432432430] 1686931600.58s 5mb|------------------L0.177------------------| "
+ - "L0.178[1686843991432432431,1686844862243243240] 1686931600.58s 5mb |------------------L0.178------------------| "
+ - "L0.191[1686843120621621621,1686843991432432430] 1686931893.7s 5mb|------------------L0.191------------------| "
+ - "L0.192[1686843991432432431,1686844862243243240] 1686931893.7s 5mb |------------------L0.192------------------| "
+ - "L0.208[1686843120621621621,1686843991432432430] 1686932458.05s 10mb|------------------L0.208------------------| "
+ - "L0.209[1686843991432432431,1686844862243243240] 1686932458.05s 10mb |------------------L0.209------------------| "
+ - "L0.218[1686843120621621621,1686843991432432430] 1686932677.39s 4mb|------------------L0.218------------------| "
+ - "L0.219[1686843991432432431,1686844862243243240] 1686932677.39s 4mb |------------------L0.219------------------| "
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 144mb total:"
+ - "L0 "
+ - "L0.?[1686843120621621621,1686844331262770547] 1686932677.39s 100mb|----------------------------L0.?----------------------------| "
+ - "L0.?[1686844331262770548,1686844862243243240] 1686932677.39s 44mb |----------L0.?-----------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.91, L0.92, L0.105, L0.106, L0.119, L0.120, L0.135, L0.136, L0.149, L0.150, L0.163, L0.164, L0.177, L0.178, L0.191, L0.192, L0.208, L0.209, L0.218, L0.219"
+ - " Creating 2 files"
+ - "**** Simulation run 74, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[1686844334757800771]). 20 Input Files, 143mb total:"
+ - "L0 "
+ - "L0.233[1686843120621621621,1686843991432432430] 1686933271.57s 11mb|------------------L0.233------------------| "
+ - "L0.234[1686843991432432431,1686844862243243240] 1686933271.57s 11mb |------------------L0.234------------------| "
+ - "L0.247[1686843120621621621,1686843991432432430] 1686933528.17s 5mb|------------------L0.247------------------| "
+ - "L0.248[1686843991432432431,1686844862243243240] 1686933528.17s 5mb |------------------L0.248------------------| "
+ - "L0.261[1686843120621621621,1686843991432432430] 1686933830.06s 5mb|------------------L0.261------------------| "
+ - "L0.262[1686843991432432431,1686844862243243240] 1686933830.06s 5mb |------------------L0.262------------------| "
+ - "L0.277[1686843120621621621,1686843991432432430] 1686934254.96s 8mb|------------------L0.277------------------| "
+ - "L0.278[1686843991432432431,1686844862243243240] 1686934254.96s 8mb |------------------L0.278------------------| "
+ - "L0.290[1686843120621621621,1686843991432432430] 1686934759.75s 10mb|------------------L0.290------------------| "
+ - "L0.291[1686843991432432431,1686844862243243240] 1686934759.75s 10mb |------------------L0.291------------------| "
+ - "L0.305[1686843120621621621,1686843991432432430] 1686934966.48s 5mb|------------------L0.305------------------| "
+ - "L0.306[1686843991432432431,1686844862243243240] 1686934966.48s 5mb |------------------L0.306------------------| "
+ - "L0.319[1686843120621621621,1686843991432432430] 1686935151.54s 5mb|------------------L0.319------------------| "
+ - "L0.320[1686843991432432431,1686844862243243240] 1686935151.54s 5mb |------------------L0.320------------------| "
+ - "L0.336[1686843120621621621,1686843991432432430] 1686935546.05s 10mb|------------------L0.336------------------| "
+ - "L0.337[1686843991432432431,1686844862243243240] 1686935546.05s 10mb |------------------L0.337------------------| "
+ - "L0.350[1686843120621621621,1686843991432432430] 1686935742.51s 5mb|------------------L0.350------------------| "
+ - "L0.351[1686843991432432431,1686844862243243240] 1686935742.51s 5mb |------------------L0.351------------------| "
+ - "L0.364[1686843120621621621,1686843991432432430] 1686935947.46s 5mb|------------------L0.364------------------| "
+ - "L0.365[1686843991432432431,1686844862243243240] 1686935947.46s 5mb |------------------L0.365------------------| "
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 143mb total:"
+ - "L0 "
+ - "L0.?[1686843120621621621,1686844334757800771] 1686935947.46s 100mb|----------------------------L0.?----------------------------| "
+ - "L0.?[1686844334757800772,1686844862243243240] 1686935947.46s 43mb |----------L0.?-----------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.233, L0.234, L0.247, L0.248, L0.261, L0.262, L0.277, L0.278, L0.290, L0.291, L0.305, L0.306, L0.319, L0.320, L0.336, L0.337, L0.350, L0.351, L0.364, L0.365"
+ - " Creating 2 files"
+ - "**** Simulation run 75, type=compact(ManySmallFiles). 2 Input Files, 6mb total:"
+ - "L0, all files 3mb "
+ - "L0.380[1686843120621621621,1686843991432432430] 1686936871.55s|------------------L0.380------------------| "
+ - "L0.381[1686843991432432431,1686844862243243240] 1686936871.55s |------------------L0.381------------------| "
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 6mb total:"
+ - "L0, all files 6mb "
+ - "L0.?[1686843120621621621,1686844862243243240] 1686936871.55s|------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 2 files: L0.380, L0.381"
+ - " Creating 1 files"
+ - "**** Simulation run 76, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[1686846072884392167]). 20 Input Files, 144mb total:"
+ - "L0 "
+ - "L0.93[1686844862243243241,1686845733054054050] 1686929421.02s 10mb|------------------L0.93-------------------| "
+ - "L0.94[1686845733054054051,1686846603864864860] 1686929421.02s 10mb |------------------L0.94-------------------| "
+ - "L0.107[1686844862243243241,1686845733054054050] 1686929712.33s 5mb|------------------L0.107------------------| "
+ - "L0.108[1686845733054054051,1686846603864864860] 1686929712.33s 5mb |------------------L0.108------------------| "
+ - "L0.121[1686844862243243241,1686845733054054050] 1686929965.33s 5mb|------------------L0.121------------------| "
+ - "L0.122[1686845733054054051,1686846603864864860] 1686929965.33s 5mb |------------------L0.122------------------| "
+ - "L0.137[1686844862243243241,1686845733054054050] 1686930563.07s 11mb|------------------L0.137------------------| "
+ - "L0.138[1686845733054054051,1686846603864864860] 1686930563.07s 11mb |------------------L0.138------------------| "
+ - "L0.151[1686844862243243241,1686845733054054050] 1686930780.95s 4mb|------------------L0.151------------------| "
+ - "L0.152[1686845733054054051,1686846603864864860] 1686930780.95s 4mb |------------------L0.152------------------| "
+ - "L0.165[1686844862243243241,1686845733054054050] 1686931336.08s 11mb|------------------L0.165------------------| "
+ - "L0.166[1686845733054054051,1686846603864864860] 1686931336.08s 11mb |------------------L0.166------------------| "
+ - "L0.179[1686844862243243241,1686845733054054050] 1686931600.58s 5mb|------------------L0.179------------------| "
+ - "L0.180[1686845733054054051,1686846603864864860] 1686931600.58s 5mb |------------------L0.180------------------| "
+ - "L0.193[1686844862243243241,1686845733054054050] 1686931893.7s 5mb|------------------L0.193------------------| "
+ - "L0.194[1686845733054054051,1686846603864864860] 1686931893.7s 5mb |------------------L0.194------------------| "
+ - "L0.210[1686844862243243241,1686845733054054050] 1686932458.05s 10mb|------------------L0.210------------------| "
+ - "L0.211[1686845733054054051,1686846603864864860] 1686932458.05s 10mb |------------------L0.211------------------| "
+ - "L0.220[1686844862243243241,1686845733054054050] 1686932677.39s 4mb|------------------L0.220------------------| "
+ - "L0.221[1686845733054054051,1686846603864864860] 1686932677.39s 4mb |------------------L0.221------------------| "
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 144mb total:"
+ - "L0 "
+ - "L0.?[1686844862243243241,1686846072884392167] 1686932677.39s 100mb|----------------------------L0.?----------------------------| "
+ - "L0.?[1686846072884392168,1686846603864864860] 1686932677.39s 44mb |----------L0.?-----------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.93, L0.94, L0.107, L0.108, L0.121, L0.122, L0.137, L0.138, L0.151, L0.152, L0.165, L0.166, L0.179, L0.180, L0.193, L0.194, L0.210, L0.211, L0.220, L0.221"
+ - " Creating 2 files"
+ - "**** Simulation run 77, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[1686846076379422391]). 20 Input Files, 143mb total:"
+ - "L0 "
+ - "L0.235[1686844862243243241,1686845733054054050] 1686933271.57s 11mb|------------------L0.235------------------| "
+ - "L0.236[1686845733054054051,1686846603864864860] 1686933271.57s 11mb |------------------L0.236------------------| "
+ - "L0.249[1686844862243243241,1686845733054054050] 1686933528.17s 5mb|------------------L0.249------------------| "
+ - "L0.250[1686845733054054051,1686846603864864860] 1686933528.17s 5mb |------------------L0.250------------------| "
+ - "L0.263[1686844862243243241,1686845733054054050] 1686933830.06s 5mb|------------------L0.263------------------| "
+ - "L0.264[1686845733054054051,1686846603864864860] 1686933830.06s 5mb |------------------L0.264------------------| "
+ - "L0.279[1686844862243243241,1686845733054054050] 1686934254.96s 8mb|------------------L0.279------------------| "
+ - "L0.280[1686845733054054051,1686846603864864860] 1686934254.96s 8mb |------------------L0.280------------------| "
+ - "L0.292[1686844862243243241,1686845733054054050] 1686934759.75s 10mb|------------------L0.292------------------| "
+ - "L0.293[1686845733054054051,1686846603864864860] 1686934759.75s 10mb |------------------L0.293------------------| "
+ - "L0.307[1686844862243243241,1686845733054054050] 1686934966.48s 5mb|------------------L0.307------------------| "
+ - "L0.308[1686845733054054051,1686846603864864860] 1686934966.48s 5mb |------------------L0.308------------------| "
+ - "L0.321[1686844862243243241,1686845733054054050] 1686935151.54s 5mb|------------------L0.321------------------| "
+ - "L0.322[1686845733054054051,1686846603864864860] 1686935151.54s 5mb |------------------L0.322------------------| "
+ - "L0.338[1686844862243243241,1686845733054054050] 1686935546.05s 10mb|------------------L0.338------------------| "
+ - "L0.339[1686845733054054051,1686846603864864860] 1686935546.05s 10mb |------------------L0.339------------------| "
+ - "L0.352[1686844862243243241,1686845733054054050] 1686935742.51s 5mb|------------------L0.352------------------| "
+ - "L0.353[1686845733054054051,1686846603864864860] 1686935742.51s 5mb |------------------L0.353------------------| "
+ - "L0.366[1686844862243243241,1686845733054054050] 1686935947.46s 5mb|------------------L0.366------------------| "
+ - "L0.367[1686845733054054051,1686846603864864860] 1686935947.46s 5mb |------------------L0.367------------------| "
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 143mb total:"
+ - "L0 "
+ - "L0.?[1686844862243243241,1686846076379422391] 1686935947.46s 100mb|----------------------------L0.?----------------------------| "
+ - "L0.?[1686846076379422392,1686846603864864860] 1686935947.46s 43mb |----------L0.?-----------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.235, L0.236, L0.249, L0.250, L0.263, L0.264, L0.279, L0.280, L0.292, L0.293, L0.307, L0.308, L0.321, L0.322, L0.338, L0.339, L0.352, L0.353, L0.366, L0.367"
+ - " Creating 2 files"
+ - "**** Simulation run 78, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[1686847814506013787]). 20 Input Files, 144mb total:"
+ - "L0 "
+ - "L0.95[1686846603864864861,1686847474675675670] 1686929421.02s 10mb|------------------L0.95-------------------| "
+ - "L0.96[1686847474675675671,1686848345486486480] 1686929421.02s 10mb |------------------L0.96-------------------| "
+ - "L0.109[1686846603864864861,1686847474675675670] 1686929712.33s 5mb|------------------L0.109------------------| "
+ - "L0.110[1686847474675675671,1686848345486486480] 1686929712.33s 5mb |------------------L0.110------------------| "
+ - "L0.123[1686846603864864861,1686847474675675670] 1686929965.33s 5mb|------------------L0.123------------------| "
+ - "L0.124[1686847474675675671,1686848345486486480] 1686929965.33s 5mb |------------------L0.124------------------| "
+ - "L0.139[1686846603864864861,1686847474675675670] 1686930563.07s 11mb|------------------L0.139------------------| "
+ - "L0.140[1686847474675675671,1686848345486486480] 1686930563.07s 11mb |------------------L0.140------------------| "
+ - "L0.153[1686846603864864861,1686847474675675670] 1686930780.95s 4mb|------------------L0.153------------------| "
+ - "L0.154[1686847474675675671,1686848345486486480] 1686930780.95s 4mb |------------------L0.154------------------| "
+ - "L0.167[1686846603864864861,1686847474675675670] 1686931336.08s 11mb|------------------L0.167------------------| "
+ - "L0.168[1686847474675675671,1686848345486486480] 1686931336.08s 11mb |------------------L0.168------------------| "
+ - "L0.181[1686846603864864861,1686847474675675670] 1686931600.58s 5mb|------------------L0.181------------------| "
+ - "L0.182[1686847474675675671,1686848345486486480] 1686931600.58s 5mb |------------------L0.182------------------| "
+ - "L0.195[1686846603864864861,1686847474675675670] 1686931893.7s 5mb|------------------L0.195------------------| "
+ - "L0.196[1686847474675675671,1686848345486486480] 1686931893.7s 5mb |------------------L0.196------------------| "
+ - "L0.212[1686846603864864861,1686847474675675670] 1686932458.05s 10mb|------------------L0.212------------------| "
+ - "L0.213[1686847474675675671,1686848345486486480] 1686932458.05s 10mb |------------------L0.213------------------| "
+ - "L0.222[1686846603864864861,1686847474675675670] 1686932677.39s 4mb|------------------L0.222------------------| "
+ - "L0.223[1686847474675675671,1686848345486486480] 1686932677.39s 4mb |------------------L0.223------------------| "
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 144mb total:"
+ - "L0 "
+ - "L0.?[1686846603864864861,1686847814506013787] 1686932677.39s 100mb|----------------------------L0.?----------------------------| "
+ - "L0.?[1686847814506013788,1686848345486486480] 1686932677.39s 44mb |----------L0.?-----------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.95, L0.96, L0.109, L0.110, L0.123, L0.124, L0.139, L0.140, L0.153, L0.154, L0.167, L0.168, L0.181, L0.182, L0.195, L0.196, L0.212, L0.213, L0.222, L0.223"
+ - " Creating 2 files"
+ - "**** Simulation run 79, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[1686847818001044011]). 20 Input Files, 143mb total:"
+ - "L0 "
+ - "L0.237[1686846603864864861,1686847474675675670] 1686933271.57s 11mb|------------------L0.237------------------| "
+ - "L0.238[1686847474675675671,1686848345486486480] 1686933271.57s 11mb |------------------L0.238------------------| "
+ - "L0.251[1686846603864864861,1686847474675675670] 1686933528.17s 5mb|------------------L0.251------------------| "
+ - "L0.252[1686847474675675671,1686848345486486480] 1686933528.17s 5mb |------------------L0.252------------------| "
+ - "L0.265[1686846603864864861,1686847474675675670] 1686933830.06s 5mb|------------------L0.265------------------| "
+ - "L0.266[1686847474675675671,1686848345486486480] 1686933830.06s 5mb |------------------L0.266------------------| "
+ - "L0.281[1686846603864864861,1686847474675675670] 1686934254.96s 8mb|------------------L0.281------------------| "
+ - "L0.282[1686847474675675671,1686848345486486480] 1686934254.96s 8mb |------------------L0.282------------------| "
+ - "L0.294[1686846603864864861,1686847474675675670] 1686934759.75s 10mb|------------------L0.294------------------| "
+ - "L0.295[1686847474675675671,1686848345486486480] 1686934759.75s 10mb |------------------L0.295------------------| "
+ - "L0.309[1686846603864864861,1686847474675675670] 1686934966.48s 5mb|------------------L0.309------------------| "
+ - "L0.310[1686847474675675671,1686848345486486480] 1686934966.48s 5mb |------------------L0.310------------------| "
+ - "L0.323[1686846603864864861,1686847474675675670] 1686935151.54s 5mb|------------------L0.323------------------| "
+ - "L0.324[1686847474675675671,1686848345486486480] 1686935151.54s 5mb |------------------L0.324------------------| "
+ - "L0.340[1686846603864864861,1686847474675675670] 1686935546.05s 10mb|------------------L0.340------------------| "
+ - "L0.341[1686847474675675671,1686848345486486480] 1686935546.05s 10mb |------------------L0.341------------------| "
+ - "L0.354[1686846603864864861,1686847474675675670] 1686935742.51s 5mb|------------------L0.354------------------| "
+ - "L0.355[1686847474675675671,1686848345486486480] 1686935742.51s 5mb |------------------L0.355------------------| "
+ - "L0.368[1686846603864864861,1686847474675675670] 1686935947.46s 5mb|------------------L0.368------------------| "
+ - "L0.369[1686847474675675671,1686848345486486480] 1686935947.46s 5mb |------------------L0.369------------------| "
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 143mb total:"
+ - "L0 "
+ - "L0.?[1686846603864864861,1686847818001044011] 1686935947.46s 100mb|----------------------------L0.?----------------------------| "
+ - "L0.?[1686847818001044012,1686848345486486480] 1686935947.46s 43mb |----------L0.?-----------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.237, L0.238, L0.251, L0.252, L0.265, L0.266, L0.281, L0.282, L0.294, L0.295, L0.309, L0.310, L0.323, L0.324, L0.340, L0.341, L0.354, L0.355, L0.368, L0.369"
+ - " Creating 2 files"
+ - "**** Simulation run 80, type=compact(ManySmallFiles). 2 Input Files, 6mb total:"
+ - "L0, all files 3mb "
+ - "L0.384[1686846603864864861,1686847474675675670] 1686936871.55s|------------------L0.384------------------| "
+ - "L0.385[1686847474675675671,1686848345486486480] 1686936871.55s |------------------L0.385------------------| "
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 6mb total:"
+ - "L0, all files 6mb "
+ - "L0.?[1686846603864864861,1686848345486486480] 1686936871.55s|------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 2 files: L0.384, L0.385"
+ - " Creating 1 files"
+ - "**** Simulation run 81, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[1686849600239388909]). 20 Input Files, 139mb total:"
+ - "L0 "
+ - "L0.97[1686848345486486481,1686849216297297290] 1686929421.02s 10mb|------------------L0.97-------------------| "
+ - "L0.98[1686849216297297291,1686850087108108100] 1686929421.02s 10mb |------------------L0.98-------------------| "
+ - "L0.111[1686848345486486481,1686849216297297290] 1686929712.33s 5mb|------------------L0.111------------------| "
+ - "L0.112[1686849216297297291,1686850087108108100] 1686929712.33s 5mb |------------------L0.112------------------| "
+ - "L0.125[1686848345486486481,1686849216297297290] 1686929965.33s 5mb|------------------L0.125------------------| "
+ - "L0.126[1686849216297297291,1686850087108108100] 1686929965.33s 5mb |------------------L0.126------------------| "
+ - "L0.141[1686848345486486481,1686849216297297290] 1686930563.07s 11mb|------------------L0.141------------------| "
+ - "L0.142[1686849216297297291,1686850087108108100] 1686930563.07s 11mb |------------------L0.142------------------| "
+ - "L0.155[1686848345486486481,1686849216297297290] 1686930780.95s 4mb|------------------L0.155------------------| "
+ - "L0.156[1686849216297297291,1686850087108108100] 1686930780.95s 4mb |------------------L0.156------------------| "
+ - "L0.169[1686848345486486481,1686849216297297290] 1686931336.08s 11mb|------------------L0.169------------------| "
+ - "L0.170[1686849216297297291,1686850087108108100] 1686931336.08s 11mb |------------------L0.170------------------| "
+ - "L0.183[1686848345486486481,1686849216297297290] 1686931600.58s 5mb|------------------L0.183------------------| "
+ - "L0.184[1686849216297297291,1686850087108108100] 1686931600.58s 5mb |------------------L0.184------------------| "
+ - "L0.197[1686848345486486481,1686849216297297290] 1686931893.7s 5mb|------------------L0.197------------------| "
+ - "L0.198[1686849216297297291,1686850087108108100] 1686931893.7s 5mb |------------------L0.198------------------| "
+ - "L0.214[1686848345486486481,1686849216297297290] 1686932458.05s 10mb|------------------L0.214------------------| "
+ - "L0.215[1686849216297297291,1686849719000000000] 1686932458.05s 6mb |--------L0.215---------| "
+ - "L0.419[1686849779000000000,1686850087108108100] 1686932458.05s 4mb |---L0.419----| "
+ - "L0.224[1686848345486486481,1686849216297297290] 1686932677.39s 4mb|------------------L0.224------------------| "
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 139mb total:"
+ - "L0 "
+ - "L0.?[1686848345486486481,1686849600239388909] 1686932677.39s 100mb|-----------------------------L0.?-----------------------------| "
+ - "L0.?[1686849600239388910,1686850087108108100] 1686932677.39s 39mb |---------L0.?----------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.97, L0.98, L0.111, L0.112, L0.125, L0.126, L0.141, L0.142, L0.155, L0.156, L0.169, L0.170, L0.183, L0.184, L0.197, L0.198, L0.214, L0.215, L0.224, L0.419"
+ - " Creating 2 files"
+ - "**** Simulation run 82, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[1686849568759166090]). 20 Input Files, 142mb total:"
+ - "L0 "
+ - "L0.225[1686849216297297291,1686850087108108100] 1686932677.39s 4mb |------------------L0.225------------------| "
+ - "L0.239[1686848345486486481,1686849216297297290] 1686933271.57s 11mb|------------------L0.239------------------| "
+ - "L0.240[1686849216297297291,1686850087108108100] 1686933271.57s 11mb |------------------L0.240------------------| "
+ - "L0.253[1686848345486486481,1686849216297297290] 1686933528.17s 5mb|------------------L0.253------------------| "
+ - "L0.254[1686849216297297291,1686850087108108100] 1686933528.17s 5mb |------------------L0.254------------------| "
+ - "L0.267[1686848345486486481,1686849216297297290] 1686933830.06s 5mb|------------------L0.267------------------| "
+ - "L0.268[1686849216297297291,1686850087108108100] 1686933830.06s 5mb |------------------L0.268------------------| "
+ - "L0.283[1686848345486486481,1686849216297297290] 1686934254.96s 8mb|------------------L0.283------------------| "
+ - "L0.284[1686849216297297291,1686850087108108100] 1686934254.96s 8mb |------------------L0.284------------------| "
+ - "L0.296[1686848345486486481,1686849216297297290] 1686934759.75s 10mb|------------------L0.296------------------| "
+ - "L0.297[1686849216297297291,1686850087108108100] 1686934759.75s 10mb |------------------L0.297------------------| "
+ - "L0.311[1686848345486486481,1686849216297297290] 1686934966.48s 5mb|------------------L0.311------------------| "
+ - "L0.312[1686849216297297291,1686850087108108100] 1686934966.48s 5mb |------------------L0.312------------------| "
+ - "L0.325[1686848345486486481,1686849216297297290] 1686935151.54s 5mb|------------------L0.325------------------| "
+ - "L0.326[1686849216297297291,1686850087108108100] 1686935151.54s 5mb |------------------L0.326------------------| "
+ - "L0.342[1686848345486486481,1686849216297297290] 1686935546.05s 10mb|------------------L0.342------------------| "
+ - "L0.343[1686849216297297291,1686850087108108100] 1686935546.05s 10mb |------------------L0.343------------------| "
+ - "L0.356[1686848345486486481,1686849216297297290] 1686935742.51s 5mb|------------------L0.356------------------| "
+ - "L0.357[1686849216297297291,1686850087108108100] 1686935742.51s 5mb |------------------L0.357------------------| "
+ - "L0.370[1686848345486486481,1686849216297297290] 1686935947.46s 5mb|------------------L0.370------------------| "
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 142mb total:"
+ - "L0 "
+ - "L0.?[1686848345486486481,1686849568759166090] 1686935947.46s 100mb|----------------------------L0.?-----------------------------| "
+ - "L0.?[1686849568759166091,1686850087108108100] 1686935947.46s 42mb |----------L0.?----------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.225, L0.239, L0.240, L0.253, L0.254, L0.267, L0.268, L0.283, L0.284, L0.296, L0.297, L0.311, L0.312, L0.325, L0.326, L0.342, L0.343, L0.356, L0.357, L0.370"
+ - " Creating 2 files"
+ - "**** Simulation run 83, type=compact(ManySmallFiles). 3 Input Files, 11mb total:"
+ - "L0 "
+ - "L0.371[1686849216297297291,1686850087108108100] 1686935947.46s 5mb |------------------L0.371------------------| "
+ - "L0.386[1686848345486486481,1686849216297297290] 1686936871.55s 3mb|------------------L0.386------------------| "
+ - "L0.387[1686849216297297291,1686850087108108100] 1686936871.55s 3mb |------------------L0.387------------------| "
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 11mb total:"
+ - "L0, all files 11mb "
+ - "L0.?[1686848345486486481,1686850087108108100] 1686936871.55s|------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 3 files: L0.371, L0.386, L0.387"
+ - " Creating 1 files"
+ - "**** Simulation run 84, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[1686851297766913590]). 20 Input Files, 144mb total:"
+ - "L0 "
+ - "L0.99[1686850087108108101,1686850957918918910] 1686929421.02s 10mb|------------------L0.99-------------------| "
+ - "L0.100[1686850957918918911,1686851828729729720] 1686929421.02s 10mb |------------------L0.100------------------| "
+ - "L0.113[1686850087108108101,1686850957918918910] 1686929712.33s 5mb|------------------L0.113------------------| "
+ - "L0.114[1686850957918918911,1686851828729729720] 1686929712.33s 5mb |------------------L0.114------------------| "
+ - "L0.127[1686850087108108101,1686850957918918910] 1686929965.33s 5mb|------------------L0.127------------------| "
+ - "L0.128[1686850957918918911,1686851828729729720] 1686929965.33s 5mb |------------------L0.128------------------| "
+ - "L0.143[1686850087108108101,1686850957918918910] 1686930563.07s 11mb|------------------L0.143------------------| "
+ - "L0.144[1686850957918918911,1686851828729729720] 1686930563.07s 11mb |------------------L0.144------------------| "
+ - "L0.157[1686850087108108101,1686850957918918910] 1686930780.95s 4mb|------------------L0.157------------------| "
+ - "L0.158[1686850957918918911,1686851828729729720] 1686930780.95s 4mb |------------------L0.158------------------| "
+ - "L0.171[1686850087108108101,1686850957918918910] 1686931336.08s 11mb|------------------L0.171------------------| "
+ - "L0.172[1686850957918918911,1686851828729729720] 1686931336.08s 11mb |------------------L0.172------------------| "
+ - "L0.185[1686850087108108101,1686850957918918910] 1686931600.58s 5mb|------------------L0.185------------------| "
+ - "L0.186[1686850957918918911,1686851828729729720] 1686931600.58s 5mb |------------------L0.186------------------| "
+ - "L0.199[1686850087108108101,1686850957918918910] 1686931893.7s 5mb|------------------L0.199------------------| "
+ - "L0.200[1686850957918918911,1686851828729729720] 1686931893.7s 5mb |------------------L0.200------------------| "
+ - "L0.420[1686850087108108101,1686850957918918910] 1686932458.05s 10mb|------------------L0.420------------------| "
+ - "L0.421[1686850957918918911,1686851828729729720] 1686932458.05s 10mb |------------------L0.421------------------| "
+ - "L0.226[1686850087108108101,1686850957918918910] 1686932677.39s 4mb|------------------L0.226------------------| "
+ - "L0.227[1686850957918918911,1686851828729729720] 1686932677.39s 4mb |------------------L0.227------------------| "
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 144mb total:"
+ - "L0 "
+ - "L0.?[1686850087108108101,1686851297766913590] 1686932677.39s 100mb|----------------------------L0.?----------------------------| "
+ - "L0.?[1686851297766913591,1686851828729729720] 1686932677.39s 44mb |----------L0.?-----------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.99, L0.100, L0.113, L0.114, L0.127, L0.128, L0.143, L0.144, L0.157, L0.158, L0.171, L0.172, L0.185, L0.186, L0.199, L0.200, L0.226, L0.227, L0.420, L0.421"
+ - " Creating 2 files"
+ - "**** Simulation run 85, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[1686851301244287251]). 20 Input Files, 143mb total:"
+ - "L0 "
+ - "L0.241[1686850087108108101,1686850957918918910] 1686933271.57s 11mb|------------------L0.241------------------| "
+ - "L0.242[1686850957918918911,1686851828729729720] 1686933271.57s 11mb |------------------L0.242------------------| "
+ - "L0.255[1686850087108108101,1686850957918918910] 1686933528.17s 5mb|------------------L0.255------------------| "
+ - "L0.256[1686850957918918911,1686851828729729720] 1686933528.17s 5mb |------------------L0.256------------------| "
+ - "L0.269[1686850087108108101,1686850957918918910] 1686933830.06s 5mb|------------------L0.269------------------| "
+ - "L0.270[1686850957918918911,1686851828729729720] 1686933830.06s 5mb |------------------L0.270------------------| "
+ - "L0.285[1686850087108108101,1686850957918918910] 1686934254.96s 8mb|------------------L0.285------------------| "
+ - "L0.286[1686850957918918911,1686851828729729720] 1686934254.96s 8mb |------------------L0.286------------------| "
+ - "L0.298[1686850087108108101,1686850957918918910] 1686934759.75s 10mb|------------------L0.298------------------| "
+ - "L0.299[1686850957918918911,1686851828729729720] 1686934759.75s 10mb |------------------L0.299------------------| "
+ - "L0.313[1686850087108108101,1686850957918918910] 1686934966.48s 5mb|------------------L0.313------------------| "
+ - "L0.314[1686850957918918911,1686851828729729720] 1686934966.48s 5mb |------------------L0.314------------------| "
+ - "L0.327[1686850087108108101,1686850957918918910] 1686935151.54s 5mb|------------------L0.327------------------| "
+ - "L0.328[1686850957918918911,1686851828729729720] 1686935151.54s 5mb |------------------L0.328------------------| "
+ - "L0.344[1686850087108108101,1686850957918918910] 1686935546.05s 10mb|------------------L0.344------------------| "
+ - "L0.345[1686850957918918911,1686851828729729720] 1686935546.05s 10mb |------------------L0.345------------------| "
+ - "L0.358[1686850087108108101,1686850957918918910] 1686935742.51s 5mb|------------------L0.358------------------| "
+ - "L0.359[1686850957918918911,1686851828729729720] 1686935742.51s 5mb |------------------L0.359------------------| "
+ - "L0.372[1686850087108108101,1686850957918918910] 1686935947.46s 5mb|------------------L0.372------------------| "
+ - "L0.373[1686850957918918911,1686851828729729720] 1686935947.46s 5mb |------------------L0.373------------------| "
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 143mb total:"
+ - "L0 "
+ - "L0.?[1686850087108108101,1686851301244287251] 1686935947.46s 100mb|----------------------------L0.?----------------------------| "
+ - "L0.?[1686851301244287252,1686851828729729720] 1686935947.46s 43mb |----------L0.?-----------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.241, L0.242, L0.255, L0.256, L0.269, L0.270, L0.285, L0.286, L0.298, L0.299, L0.313, L0.314, L0.327, L0.328, L0.344, L0.345, L0.358, L0.359, L0.372, L0.373"
+ - " Creating 2 files"
+ - "**** Simulation run 86, type=compact(ManySmallFiles). 2 Input Files, 6mb total:"
+ - "L0, all files 3mb "
+ - "L0.382[1686844862243243241,1686845733054054050] 1686936871.55s|------------------L0.382------------------| "
+ - "L0.383[1686845733054054051,1686846603864864860] 1686936871.55s |------------------L0.383------------------| "
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 6mb total:"
+ - "L0, all files 6mb "
+ - "L0.?[1686844862243243241,1686846603864864860] 1686936871.55s|------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 2 files: L0.382, L0.383"
+ - " Creating 1 files"
+ - "**** Simulation run 87, type=compact(ManySmallFiles). 2 Input Files, 6mb total:"
+ - "L0, all files 3mb "
+ - "L0.388[1686850087108108101,1686850957918918910] 1686936871.55s|------------------L0.388------------------| "
+ - "L0.389[1686850957918918911,1686851828729729720] 1686936871.55s |------------------L0.389------------------| "
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 6mb total:"
+ - "L0, all files 6mb "
+ - "L0.?[1686850087108108101,1686851828729729720] 1686936871.55s|------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 2 files: L0.388, L0.389"
+ - " Creating 1 files"
+ - "**** Simulation run 88, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[1686853222027027016]). 20 Input Files, 102mb total:"
+ - "L0 "
+ - "L0.101[1686851828729729721,1686852699540540530] 1686929421.02s 10mb|------------------L0.101------------------| "
+ - "L0.102[1686852699540540531,1686853319000000000] 1686929421.02s 7mb |------------L0.102------------| "
+ - "L0.563[1686853379000000000,1686853570351351340] 1686929421.02s 1mb |L0.563-| "
+ - "L0.115[1686851828729729721,1686852699540540530] 1686929712.33s 5mb|------------------L0.115------------------| "
+ - "L0.116[1686852699540540531,1686852839000000000] 1686929712.33s 898kb |L0.116| "
+ - "L0.451[1686852899000000000,1686853570351351340] 1686929712.33s 8mb |-------------L0.451-------------| "
+ - "L0.129[1686851828729729721,1686852699540540530] 1686929965.33s 5mb|------------------L0.129------------------| "
+ - "L0.130[1686852699540540531,1686853570351351340] 1686929965.33s 5mb |------------------L0.130------------------| "
+ - "L0.145[1686851828729729721,1686852699540540530] 1686930563.07s 11mb|------------------L0.145------------------| "
+ - "L0.146[1686852699540540531,1686853019000000000] 1686930563.07s 4mb |----L0.146----| "
+ - "L0.521[1686853079000000000,1686853570351351340] 1686930563.07s 3mb |--------L0.521---------| "
+ - "L0.159[1686851828729729721,1686852699540540530] 1686930780.95s 4mb|------------------L0.159------------------| "
+ - "L0.160[1686852699540540531,1686853379000000000] 1686930780.95s 3mb |-------------L0.160--------------| "
+ - "L0.593[1686853439000000000,1686853570351351340] 1686930780.95s 1mb |L0.593|"
+ - "L0.173[1686851828729729721,1686852699540540530] 1686931336.08s 11mb|------------------L0.173------------------| "
+ - "L0.174[1686852699540540531,1686853079000000000] 1686931336.08s 5mb |-----L0.174------| "
+ - "L0.549[1686853139000000000,1686853570351351340] 1686931336.08s 3mb |-------L0.549-------| "
+ - "L0.187[1686851828729729721,1686852699540540530] 1686931600.58s 5mb|------------------L0.187------------------| "
+ - "L0.188[1686852699540540531,1686852899000000000] 1686931600.58s 1mb |-L0.188-| "
+ - "L0.479[1686852959000000000,1686853570351351340] 1686931600.58s 7mb |-----------L0.479------------| "
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 102mb total:"
+ - "L0 "
+ - "L0.?[1686851828729729721,1686853222027027016] 1686931600.58s 82mb|--------------------------------L0.?---------------------------------| "
+ - "L0.?[1686853222027027017,1686853570351351340] 1686931600.58s 20mb |-----L0.?------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.101, L0.102, L0.115, L0.116, L0.129, L0.130, L0.145, L0.146, L0.159, L0.160, L0.173, L0.174, L0.187, L0.188, L0.451, L0.479, L0.521, L0.549, L0.563, L0.593"
+ - " Creating 2 files"
+ - "**** Simulation run 89, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[1686853236700974398]). 20 Input Files, 124mb total:"
+ - "L0 "
+ - "L0.201[1686851828729729721,1686852699540540530] 1686931893.7s 5mb|------------------L0.201------------------| "
+ - "L0.202[1686852699540540531,1686853570351351340] 1686931893.7s 5mb |------------------L0.202------------------| "
+ - "L0.422[1686851828729729721,1686852699540540530] 1686932458.05s 10mb|------------------L0.422------------------| "
+ - "L0.423[1686852699540540531,1686853570351351340] 1686932458.05s 10mb |------------------L0.423------------------| "
+ - "L0.228[1686851828729729721,1686852699540540530] 1686932677.39s 4mb|------------------L0.228------------------| "
+ - "L0.229[1686852699540540531,1686853570351351340] 1686932677.39s 4mb |------------------L0.229------------------| "
+ - "L0.243[1686851828729729721,1686852699540540530] 1686933271.57s 11mb|------------------L0.243------------------| "
+ - "L0.244[1686852699540540531,1686853019000000000] 1686933271.57s 4mb |----L0.244----| "
+ - "L0.535[1686853079000000000,1686853570351351340] 1686933271.57s 3mb |--------L0.535---------| "
+ - "L0.257[1686851828729729721,1686852699540540530] 1686933528.17s 5mb|------------------L0.257------------------| "
+ - "L0.258[1686852699540540531,1686852959000000000] 1686933528.17s 2mb |--L0.258---| "
+ - "L0.507[1686853019000000000,1686853570351351340] 1686933528.17s 6mb |----------L0.507----------| "
+ - "L0.271[1686851828729729721,1686852699540540530] 1686933830.06s 5mb|------------------L0.271------------------| "
+ - "L0.272[1686852699540540531,1686853570351351340] 1686933830.06s 5mb |------------------L0.272------------------| "
+ - "L0.287[1686851828729729721,1686852119000000000] 1686934254.96s 3mb|---L0.287----| "
+ - "L0.438[1686852179000000000,1686852699540540530] 1686934254.96s 5mb |---------L0.438---------| "
+ - "L0.439[1686852699540540531,1686853570351351340] 1686934254.96s 8mb |------------------L0.439------------------| "
+ - "L0.300[1686851828729729721,1686852699540540530] 1686934759.75s 10mb|------------------L0.300------------------| "
+ - "L0.301[1686852699540540531,1686853570351351340] 1686934759.75s 10mb |------------------L0.301------------------| "
+ - "L0.315[1686851828729729721,1686852699540540530] 1686934966.48s 5mb|------------------L0.315------------------| "
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 124mb total:"
+ - "L0 "
+ - "L0.?[1686851828729729721,1686853236700974398] 1686934966.48s 100mb|---------------------------------L0.?---------------------------------| "
+ - "L0.?[1686853236700974399,1686853570351351340] 1686934966.48s 24mb |-----L0.?------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.201, L0.202, L0.228, L0.229, L0.243, L0.244, L0.257, L0.258, L0.271, L0.272, L0.287, L0.300, L0.301, L0.315, L0.422, L0.423, L0.438, L0.439, L0.507, L0.535"
+ - " Creating 2 files"
+ - "**** Simulation run 90, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[1686853222027027016]). 14 Input Files, 68mb total:"
+ - "L0 "
+ - "L0.316[1686852699540540531,1686852899000000000] 1686934966.48s 1mb |-L0.316-| "
+ - "L0.493[1686852959000000000,1686853570351351340] 1686934966.48s 7mb |-----------L0.493------------| "
+ - "L0.329[1686851828729729721,1686852699540540530] 1686935151.54s 5mb|------------------L0.329------------------| "
+ - "L0.330[1686852699540540531,1686853570351351340] 1686935151.54s 5mb |------------------L0.330------------------| "
+ - "L0.346[1686851828729729721,1686852699540540530] 1686935546.05s 10mb|------------------L0.346------------------| "
+ - "L0.347[1686852699540540531,1686853319000000000] 1686935546.05s 7mb |------------L0.347------------| "
+ - "L0.578[1686853379000000000,1686853570351351340] 1686935546.05s 1mb |L0.578-| "
+ - "L0.360[1686851828729729721,1686852699540540530] 1686935742.51s 5mb|------------------L0.360------------------| "
+ - "L0.361[1686852699540540531,1686852839000000000] 1686935742.51s 899kb |L0.361| "
+ - "L0.465[1686852899000000000,1686853570351351340] 1686935742.51s 8mb |-------------L0.465-------------| "
+ - "L0.374[1686851828729729721,1686852699540540530] 1686935947.46s 5mb|------------------L0.374------------------| "
+ - "L0.375[1686852699540540531,1686853570351351340] 1686935947.46s 5mb |------------------L0.375------------------| "
+ - "L0.390[1686851828729729721,1686852699540540530] 1686936871.55s 3mb|------------------L0.390------------------| "
+ - "L0.391[1686852699540540531,1686853570351351340] 1686936871.55s 3mb |------------------L0.391------------------| "
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 68mb total:"
+ - "L0 "
+ - "L0.?[1686851828729729721,1686853222027027016] 1686936871.55s 55mb|--------------------------------L0.?---------------------------------| "
+ - "L0.?[1686853222027027017,1686853570351351340] 1686936871.55s 14mb |-----L0.?------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 14 files: L0.316, L0.329, L0.330, L0.346, L0.347, L0.360, L0.361, L0.374, L0.375, L0.390, L0.391, L0.465, L0.493, L0.578"
+ - " Creating 2 files"
+ - "**** Simulation run 91, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[1686854830189955965]). 20 Input Files, 138mb total:"
+ - "L0 "
+ - "L0.564[1686853570351351341,1686854441162162150] 1686929421.02s 6mb|------------------L0.564------------------| "
+ - "L0.565[1686854441162162151,1686855311972972960] 1686929421.02s 6mb |------------------L0.565------------------| "
+ - "L0.452[1686853570351351341,1686854441162162150] 1686929712.33s 10mb|------------------L0.452------------------| "
+ - "L0.453[1686854441162162151,1686855311972972960] 1686929712.33s 10mb |------------------L0.453------------------| "
+ - "L0.131[1686853570351351341,1686854441162162150] 1686929965.33s 5mb|------------------L0.131------------------| "
+ - "L0.132[1686854441162162151,1686855059000000000] 1686929965.33s 4mb |-----------L0.132------------| "
+ - "L0.661[1686855119000000000,1686855311972972960] 1686929965.33s 1mb |L0.661-| "
+ - "L0.522[1686853570351351341,1686854441162162150] 1686930563.07s 6mb|------------------L0.522------------------| "
+ - "L0.523[1686854441162162151,1686855311972972960] 1686930563.07s 6mb |------------------L0.523------------------| "
+ - "L0.594[1686853570351351341,1686854441162162150] 1686930780.95s 9mb|------------------L0.594------------------| "
+ - "L0.595[1686854441162162151,1686855311972972960] 1686930780.95s 9mb |------------------L0.595------------------| "
+ - "L0.550[1686853570351351341,1686854441162162150] 1686931336.08s 6mb|------------------L0.550------------------| "
+ - "L0.551[1686854441162162151,1686855311972972960] 1686931336.08s 6mb |------------------L0.551------------------| "
+ - "L0.480[1686853570351351341,1686854441162162150] 1686931600.58s 10mb|------------------L0.480------------------| "
+ - "L0.481[1686854441162162151,1686855311972972960] 1686931600.58s 10mb |------------------L0.481------------------| "
+ - "L0.203[1686853570351351341,1686854441162162150] 1686931893.7s 5mb|------------------L0.203------------------| "
+ - "L0.204[1686854441162162151,1686855311972972960] 1686931893.7s 5mb |------------------L0.204------------------| "
+ - "L0.424[1686853570351351341,1686854441162162150] 1686932458.05s 10mb|------------------L0.424------------------| "
+ - "L0.425[1686854441162162151,1686855311972972960] 1686932458.05s 10mb |------------------L0.425------------------| "
+ - "L0.230[1686853570351351341,1686854219000000000] 1686932677.39s 3mb|------------L0.230-------------| "
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 138mb total:"
+ - "L0 "
+ - "L0.?[1686853570351351341,1686854830189955965] 1686932677.39s 100mb|-----------------------------L0.?------------------------------| "
+ - "L0.?[1686854830189955966,1686855311972972960] 1686932677.39s 38mb |---------L0.?---------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.131, L0.132, L0.203, L0.204, L0.230, L0.424, L0.425, L0.452, L0.453, L0.480, L0.481, L0.522, L0.523, L0.550, L0.551, L0.564, L0.565, L0.594, L0.595, L0.661"
+ - " Creating 2 files"
+ - "**** Simulation run 92, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[1686854963648648636]). 20 Input Files, 118mb total:"
+ - "L0 "
+ - "L0.623[1686854279000000000,1686854441162162150] 1686932677.39s 1006kb |L0.623| "
+ - "L0.624[1686854441162162151,1686855311972972960] 1686932677.39s 5mb |------------------L0.624------------------| "
+ - "L0.536[1686853570351351341,1686854441162162150] 1686933271.57s 6mb|------------------L0.536------------------| "
+ - "L0.537[1686854441162162151,1686855311972972960] 1686933271.57s 6mb |------------------L0.537------------------| "
+ - "L0.508[1686853570351351341,1686854441162162150] 1686933528.17s 10mb|------------------L0.508------------------| "
+ - "L0.509[1686854441162162151,1686855311972972960] 1686933528.17s 10mb |------------------L0.509------------------| "
+ - "L0.273[1686853570351351341,1686854441162162150] 1686933830.06s 5mb|------------------L0.273------------------| "
+ - "L0.274[1686854441162162151,1686855119000000000] 1686933830.06s 4mb |-------------L0.274--------------| "
+ - "L0.678[1686855179000000000,1686855311972972960] 1686933830.06s 920kb |L0.678|"
+ - "L0.440[1686853570351351341,1686854441162162150] 1686934254.96s 8mb|------------------L0.440------------------| "
+ - "L0.441[1686854441162162151,1686855311972972960] 1686934254.96s 8mb |------------------L0.441------------------| "
+ - "L0.302[1686853570351351341,1686853679000000000] 1686934759.75s 1mb|L0.302| "
+ - "L0.608[1686853739000000000,1686854441162162150] 1686934759.75s 4mb |--------------L0.608--------------| "
+ - "L0.609[1686854441162162151,1686855311972972960] 1686934759.75s 5mb |------------------L0.609------------------| "
+ - "L0.494[1686853570351351341,1686854441162162150] 1686934966.48s 10mb|------------------L0.494------------------| "
+ - "L0.495[1686854441162162151,1686855311972972960] 1686934966.48s 10mb |------------------L0.495------------------| "
+ - "L0.331[1686853570351351341,1686854441162162150] 1686935151.54s 5mb|------------------L0.331------------------| "
+ - "L0.332[1686854441162162151,1686855311972972960] 1686935151.54s 5mb |------------------L0.332------------------| "
+ - "L0.579[1686853570351351341,1686854441162162150] 1686935546.05s 6mb|------------------L0.579------------------| "
+ - "L0.580[1686854441162162151,1686855311972972960] 1686935546.05s 6mb |------------------L0.580------------------| "
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 118mb total:"
+ - "L0 "
+ - "L0.?[1686853570351351341,1686854963648648636] 1686935546.05s 94mb|--------------------------------L0.?---------------------------------| "
+ - "L0.?[1686854963648648637,1686855311972972960] 1686935546.05s 24mb |-----L0.?------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.273, L0.274, L0.302, L0.331, L0.332, L0.440, L0.441, L0.494, L0.495, L0.508, L0.509, L0.536, L0.537, L0.579, L0.580, L0.608, L0.609, L0.623, L0.624, L0.678"
+ - " Creating 2 files"
+ - "**** Simulation run 93, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[1686854963648648636]). 7 Input Files, 37mb total:"
+ - "L0 "
+ - "L0.466[1686853570351351341,1686854441162162150] 1686935742.51s 10mb|------------------L0.466------------------| "
+ - "L0.467[1686854441162162151,1686855311972972960] 1686935742.51s 10mb |------------------L0.467------------------| "
+ - "L0.376[1686853570351351341,1686854441162162150] 1686935947.46s 5mb|------------------L0.376------------------| "
+ - "L0.377[1686854441162162151,1686854759000000000] 1686935947.46s 2mb |----L0.377----| "
+ - "L0.639[1686854819000000000,1686855311972972960] 1686935947.46s 3mb |--------L0.639---------| "
+ - "L0.392[1686853570351351341,1686854441162162150] 1686936871.55s 3mb|------------------L0.392------------------| "
+ - "L0.393[1686854441162162151,1686855311972972960] 1686936871.55s 3mb |------------------L0.393------------------| "
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 37mb total:"
+ - "L0 "
+ - "L0.?[1686853570351351341,1686854963648648636] 1686936871.55s 29mb|--------------------------------L0.?---------------------------------| "
+ - "L0.?[1686854963648648637,1686855311972972960] 1686936871.55s 7mb |-----L0.?------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 7 files: L0.376, L0.377, L0.392, L0.393, L0.466, L0.467, L0.639"
+ - " Creating 2 files"
+ - "**** Simulation run 94, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[1686856536496842959]). 20 Input Files, 142mb total:"
+ - "L0 "
+ - "L0.566[1686855311972972961,1686856182783783770] 1686929421.02s 6mb|------------------L0.566------------------| "
+ - "L0.567[1686856182783783771,1686857053594594580] 1686929421.02s 6mb |------------------L0.567------------------| "
+ - "L0.454[1686855311972972961,1686856182783783770] 1686929712.33s 10mb|------------------L0.454------------------| "
+ - "L0.455[1686856182783783771,1686857053594594580] 1686929712.33s 10mb |------------------L0.455------------------| "
+ - "L0.662[1686855311972972961,1686856182783783770] 1686929965.33s 6mb|------------------L0.662------------------| "
+ - "L0.663[1686856182783783771,1686857053594594580] 1686929965.33s 6mb |------------------L0.663------------------| "
+ - "L0.524[1686855311972972961,1686856182783783770] 1686930563.07s 6mb|------------------L0.524------------------| "
+ - "L0.525[1686856182783783771,1686857053594594580] 1686930563.07s 6mb |------------------L0.525------------------| "
+ - "L0.596[1686855311972972961,1686856182783783770] 1686930780.95s 9mb|------------------L0.596------------------| "
+ - "L0.597[1686856182783783771,1686857053594594580] 1686930780.95s 9mb |------------------L0.597------------------| "
+ - "L0.552[1686855311972972961,1686856182783783770] 1686931336.08s 6mb|------------------L0.552------------------| "
+ - "L0.553[1686856182783783771,1686857053594594580] 1686931336.08s 6mb |------------------L0.553------------------| "
+ - "L0.482[1686855311972972961,1686856182783783770] 1686931600.58s 10mb|------------------L0.482------------------| "
+ - "L0.483[1686856182783783771,1686857053594594580] 1686931600.58s 10mb |------------------L0.483------------------| "
+ - "L0.205[1686855311972972961,1686855659000000000] 1686931893.7s 2mb|----L0.205-----| "
+ - "L0.712[1686855719000000000,1686856182783783770] 1686931893.7s 3mb |-------L0.712--------| "
+ - "L0.713[1686856182783783771,1686857053594594580] 1686931893.7s 6mb |------------------L0.713------------------| "
+ - "L0.426[1686855311972972961,1686856182783783770] 1686932458.05s 10mb|------------------L0.426------------------| "
+ - "L0.427[1686856182783783771,1686857053594594580] 1686932458.05s 10mb |------------------L0.427------------------| "
+ - "L0.625[1686855311972972961,1686856182783783770] 1686932677.39s 5mb|------------------L0.625------------------| "
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 142mb total:"
+ - "L0 "
+ - "L0.?[1686855311972972961,1686856536496842959] 1686932677.39s 100mb|----------------------------L0.?-----------------------------| "
+ - "L0.?[1686856536496842960,1686857053594594580] 1686932677.39s 42mb |----------L0.?----------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.205, L0.426, L0.427, L0.454, L0.455, L0.482, L0.483, L0.524, L0.525, L0.552, L0.553, L0.566, L0.567, L0.596, L0.597, L0.625, L0.662, L0.663, L0.712, L0.713"
+ - " Creating 2 files"
+ - "**** Simulation run 95, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[1686856564304278603]). 20 Input Files, 139mb total:"
+ - "L0 "
+ - "L0.626[1686856182783783771,1686857053594594580] 1686932677.39s 5mb |------------------L0.626------------------| "
+ - "L0.538[1686855311972972961,1686856182783783770] 1686933271.57s 6mb|------------------L0.538------------------| "
+ - "L0.539[1686856182783783771,1686857053594594580] 1686933271.57s 6mb |------------------L0.539------------------| "
+ - "L0.510[1686855311972972961,1686856182783783770] 1686933528.17s 10mb|------------------L0.510------------------| "
+ - "L0.511[1686856182783783771,1686857053594594580] 1686933528.17s 10mb |------------------L0.511------------------| "
+ - "L0.679[1686855311972972961,1686856182783783770] 1686933830.06s 6mb|------------------L0.679------------------| "
+ - "L0.680[1686856182783783771,1686857053594594580] 1686933830.06s 6mb |------------------L0.680------------------| "
+ - "L0.442[1686855311972972961,1686856182783783770] 1686934254.96s 8mb|------------------L0.442------------------| "
+ - "L0.443[1686856182783783771,1686857053594594580] 1686934254.96s 8mb |------------------L0.443------------------| "
+ - "L0.610[1686855311972972961,1686856182783783770] 1686934759.75s 5mb|------------------L0.610------------------| "
+ - "L0.611[1686856182783783771,1686857053594594580] 1686934759.75s 5mb |------------------L0.611------------------| "
+ - "L0.496[1686855311972972961,1686856182783783770] 1686934966.48s 10mb|------------------L0.496------------------| "
+ - "L0.497[1686856182783783771,1686857053594594580] 1686934966.48s 10mb |------------------L0.497------------------| "
+ - "L0.333[1686855311972972961,1686855419000000000] 1686935151.54s 649kb|L0.333| "
+ - "L0.695[1686855479000000000,1686856182783783770] 1686935151.54s 5mb |--------------L0.695--------------| "
+ - "L0.696[1686856182783783771,1686857053594594580] 1686935151.54s 6mb |------------------L0.696------------------| "
+ - "L0.581[1686855311972972961,1686856182783783770] 1686935546.05s 6mb|------------------L0.581------------------| "
+ - "L0.582[1686856182783783771,1686857053594594580] 1686935546.05s 6mb |------------------L0.582------------------| "
+ - "L0.468[1686855311972972961,1686856182783783770] 1686935742.51s 10mb|------------------L0.468------------------| "
+ - "L0.469[1686856182783783771,1686857053594594580] 1686935742.51s 10mb |------------------L0.469------------------| "
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 139mb total:"
+ - "L0 "
+ - "L0.?[1686855311972972961,1686856564304278603] 1686935742.51s 100mb|-----------------------------L0.?-----------------------------| "
+ - "L0.?[1686856564304278604,1686857053594594580] 1686935742.51s 39mb |---------L0.?----------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.333, L0.442, L0.443, L0.468, L0.469, L0.496, L0.497, L0.510, L0.511, L0.538, L0.539, L0.581, L0.582, L0.610, L0.611, L0.626, L0.679, L0.680, L0.695, L0.696"
+ - " Creating 2 files"
+ - "**** Simulation run 96, type=compact(ManySmallFiles). 4 Input Files, 17mb total:"
+ - "L0 "
+ - "L0.640[1686855311972972961,1686856182783783770] 1686935947.46s 6mb|------------------L0.640------------------| "
+ - "L0.641[1686856182783783771,1686857053594594580] 1686935947.46s 6mb |------------------L0.641------------------| "
+ - "L0.394[1686855311972972961,1686856182783783770] 1686936871.55s 3mb|------------------L0.394------------------| "
+ - "L0.395[1686856182783783771,1686857053594594580] 1686936871.55s 3mb |------------------L0.395------------------| "
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 17mb total:"
+ - "L0, all files 17mb "
+ - "L0.?[1686855311972972961,1686857053594594580] 1686936871.55s|------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 4 files: L0.394, L0.395, L0.640, L0.641"
+ - " Creating 1 files"
+ - "**** Simulation run 97, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[1686858278525917085]). 20 Input Files, 142mb total:"
+ - "L0 "
+ - "L0.568[1686857053594594581,1686857924405405390] 1686929421.02s 6mb|------------------L0.568------------------| "
+ - "L0.569[1686857924405405391,1686858795216216200] 1686929421.02s 6mb |------------------L0.569------------------| "
+ - "L0.456[1686857053594594581,1686857924405405390] 1686929712.33s 10mb|------------------L0.456------------------| "
+ - "L0.457[1686857924405405391,1686858795216216200] 1686929712.33s 10mb |------------------L0.457------------------| "
+ - "L0.664[1686857053594594581,1686857924405405390] 1686929965.33s 6mb|------------------L0.664------------------| "
+ - "L0.665[1686857924405405391,1686858795216216200] 1686929965.33s 6mb |------------------L0.665------------------| "
+ - "L0.526[1686857053594594581,1686857924405405390] 1686930563.07s 6mb|------------------L0.526------------------| "
+ - "L0.527[1686857924405405391,1686858795216216200] 1686930563.07s 6mb |------------------L0.527------------------| "
+ - "L0.598[1686857053594594581,1686857924405405390] 1686930780.95s 9mb|------------------L0.598------------------| "
+ - "L0.599[1686857924405405391,1686858795216216200] 1686930780.95s 9mb |------------------L0.599------------------| "
+ - "L0.554[1686857053594594581,1686857924405405390] 1686931336.08s 6mb|------------------L0.554------------------| "
+ - "L0.555[1686857924405405391,1686858795216216200] 1686931336.08s 6mb |------------------L0.555------------------| "
+ - "L0.484[1686857053594594581,1686857924405405390] 1686931600.58s 10mb|------------------L0.484------------------| "
+ - "L0.485[1686857924405405391,1686858795216216200] 1686931600.58s 10mb |------------------L0.485------------------| "
+ - "L0.714[1686857053594594581,1686857924405405390] 1686931893.7s 6mb|------------------L0.714------------------| "
+ - "L0.715[1686857924405405391,1686858795216216200] 1686931893.7s 6mb |------------------L0.715------------------| "
+ - "L0.428[1686857053594594581,1686857924405405390] 1686932458.05s 10mb|------------------L0.428------------------| "
+ - "L0.429[1686857924405405391,1686858119000000000] 1686932458.05s 2mb |-L0.429-| "
+ - "L0.729[1686858179000000000,1686858795216216200] 1686932458.05s 7mb |-----------L0.729------------| "
+ - "L0.627[1686857053594594581,1686857924405405390] 1686932677.39s 5mb|------------------L0.627------------------| "
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 142mb total:"
+ - "L0 "
+ - "L0.?[1686857053594594581,1686858278525917085] 1686932677.39s 100mb|----------------------------L0.?-----------------------------| "
+ - "L0.?[1686858278525917086,1686858795216216200] 1686932677.39s 42mb |----------L0.?----------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.428, L0.429, L0.456, L0.457, L0.484, L0.485, L0.526, L0.527, L0.554, L0.555, L0.568, L0.569, L0.598, L0.599, L0.627, L0.664, L0.665, L0.714, L0.715, L0.729"
+ - " Creating 2 files"
+ - "**** Simulation run 98, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[1686858251288003855]). 20 Input Files, 145mb total:"
+ - "L0 "
+ - "L0.628[1686857924405405391,1686858795216216200] 1686932677.39s 5mb |------------------L0.628------------------| "
+ - "L0.540[1686857053594594581,1686857924405405390] 1686933271.57s 6mb|------------------L0.540------------------| "
+ - "L0.541[1686857924405405391,1686858795216216200] 1686933271.57s 6mb |------------------L0.541------------------| "
+ - "L0.512[1686857053594594581,1686857924405405390] 1686933528.17s 10mb|------------------L0.512------------------| "
+ - "L0.513[1686857924405405391,1686858795216216200] 1686933528.17s 10mb |------------------L0.513------------------| "
+ - "L0.681[1686857053594594581,1686857924405405390] 1686933830.06s 6mb|------------------L0.681------------------| "
+ - "L0.682[1686857924405405391,1686858795216216200] 1686933830.06s 6mb |------------------L0.682------------------| "
+ - "L0.444[1686857053594594581,1686857924405405390] 1686934254.96s 8mb|------------------L0.444------------------| "
+ - "L0.445[1686857924405405391,1686858795216216200] 1686934254.96s 8mb |------------------L0.445------------------| "
+ - "L0.612[1686857053594594581,1686857924405405390] 1686934759.75s 5mb|------------------L0.612------------------| "
+ - "L0.613[1686857924405405391,1686858795216216200] 1686934759.75s 5mb |------------------L0.613------------------| "
+ - "L0.498[1686857053594594581,1686857924405405390] 1686934966.48s 10mb|------------------L0.498------------------| "
+ - "L0.499[1686857924405405391,1686858795216216200] 1686934966.48s 10mb |------------------L0.499------------------| "
+ - "L0.697[1686857053594594581,1686857924405405390] 1686935151.54s 6mb|------------------L0.697------------------| "
+ - "L0.698[1686857924405405391,1686858795216216200] 1686935151.54s 6mb |------------------L0.698------------------| "
+ - "L0.583[1686857053594594581,1686857924405405390] 1686935546.05s 6mb|------------------L0.583------------------| "
+ - "L0.584[1686857924405405391,1686858795216216200] 1686935546.05s 6mb |------------------L0.584------------------| "
+ - "L0.470[1686857053594594581,1686857924405405390] 1686935742.51s 10mb|------------------L0.470------------------| "
+ - "L0.471[1686857924405405391,1686858795216216200] 1686935742.51s 10mb |------------------L0.471------------------| "
+ - "L0.642[1686857053594594581,1686857924405405390] 1686935947.46s 6mb|------------------L0.642------------------| "
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 145mb total:"
+ - "L0 "
+ - "L0.?[1686857053594594581,1686858251288003855] 1686935947.46s 100mb|---------------------------L0.?----------------------------| "
+ - "L0.?[1686858251288003856,1686858795216216200] 1686935947.46s 45mb |-----------L0.?-----------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.444, L0.445, L0.470, L0.471, L0.498, L0.499, L0.512, L0.513, L0.540, L0.541, L0.583, L0.584, L0.612, L0.613, L0.628, L0.642, L0.681, L0.682, L0.697, L0.698"
+ - " Creating 2 files"
+ - "**** Simulation run 99, type=compact(ManySmallFiles). 3 Input Files, 11mb total:"
+ - "L0 "
+ - "L0.643[1686857924405405391,1686858795216216200] 1686935947.46s 6mb |------------------L0.643------------------| "
+ - "L0.396[1686857053594594581,1686857924405405390] 1686936871.55s 3mb|------------------L0.396------------------| "
+ - "L0.397[1686857924405405391,1686858795216216200] 1686936871.55s 3mb |------------------L0.397------------------| "
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 11mb total:"
+ - "L0, all files 11mb "
+ - "L0.?[1686857053594594581,1686858795216216200] 1686936871.55s|------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 3 files: L0.396, L0.397, L0.643"
+ - " Creating 1 files"
+ - "**** Simulation run 100, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[1686859969989511638]). 20 Input Files, 148mb total:"
+ - "L0 "
+ - "L0.570[1686858795216216201,1686859666027027010] 1686929421.02s 6mb|------------------L0.570------------------| "
+ - "L0.571[1686859666027027011,1686860536837837820] 1686929421.02s 6mb |------------------L0.571------------------| "
+ - "L0.458[1686858795216216201,1686859666027027010] 1686929712.33s 10mb|------------------L0.458------------------| "
+ - "L0.459[1686859666027027011,1686860536837837820] 1686929712.33s 10mb |------------------L0.459------------------| "
+ - "L0.666[1686858795216216201,1686859666027027010] 1686929965.33s 6mb|------------------L0.666------------------| "
+ - "L0.667[1686859666027027011,1686860536837837820] 1686929965.33s 6mb |------------------L0.667------------------| "
+ - "L0.528[1686858795216216201,1686859666027027010] 1686930563.07s 6mb|------------------L0.528------------------| "
+ - "L0.529[1686859666027027011,1686860536837837820] 1686930563.07s 6mb |------------------L0.529------------------| "
+ - "L0.600[1686858795216216201,1686859666027027010] 1686930780.95s 9mb|------------------L0.600------------------| "
+ - "L0.601[1686859666027027011,1686860536837837820] 1686930780.95s 9mb |------------------L0.601------------------| "
+ - "L0.556[1686858795216216201,1686859666027027010] 1686931336.08s 6mb|------------------L0.556------------------| "
+ - "L0.557[1686859666027027011,1686860536837837820] 1686931336.08s 6mb |------------------L0.557------------------| "
+ - "L0.486[1686858795216216201,1686859666027027010] 1686931600.58s 10mb|------------------L0.486------------------| "
+ - "L0.487[1686859666027027011,1686860536837837820] 1686931600.58s 10mb |------------------L0.487------------------| "
+ - "L0.716[1686858795216216201,1686859666027027010] 1686931893.7s 6mb|------------------L0.716------------------| "
+ - "L0.717[1686859666027027011,1686860536837837820] 1686931893.7s 6mb |------------------L0.717------------------| "
+ - "L0.730[1686858795216216201,1686859666027027010] 1686932458.05s 10mb|------------------L0.730------------------| "
+ - "L0.731[1686859666027027011,1686860536837837820] 1686932458.05s 10mb |------------------L0.731------------------| "
+ - "L0.629[1686858795216216201,1686859666027027010] 1686932677.39s 5mb|------------------L0.629------------------| "
+ - "L0.630[1686859666027027011,1686860536837837820] 1686932677.39s 5mb |------------------L0.630------------------| "
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 148mb total:"
+ - "L0 "
+ - "L0.?[1686858795216216201,1686859969989511638] 1686932677.39s 100mb|---------------------------L0.?---------------------------| "
+ - "L0.?[1686859969989511639,1686860536837837820] 1686932677.39s 48mb |-----------L0.?------------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.458, L0.459, L0.486, L0.487, L0.528, L0.529, L0.556, L0.557, L0.570, L0.571, L0.600, L0.601, L0.629, L0.630, L0.666, L0.667, L0.716, L0.717, L0.730, L0.731"
+ - " Creating 2 files"
+ - "**** Simulation run 101, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[1686859988431489230]). 20 Input Files, 146mb total:"
+ - "L0 "
+ - "L0.542[1686858795216216201,1686859666027027010] 1686933271.57s 6mb|------------------L0.542------------------| "
+ - "L0.543[1686859666027027011,1686860536837837820] 1686933271.57s 6mb |------------------L0.543------------------| "
+ - "L0.514[1686858795216216201,1686859666027027010] 1686933528.17s 10mb|------------------L0.514------------------| "
+ - "L0.515[1686859666027027011,1686860536837837820] 1686933528.17s 10mb |------------------L0.515------------------| "
+ - "L0.683[1686858795216216201,1686859666027027010] 1686933830.06s 6mb|------------------L0.683------------------| "
+ - "L0.684[1686859666027027011,1686860536837837820] 1686933830.06s 6mb |------------------L0.684------------------| "
+ - "L0.446[1686858795216216201,1686859666027027010] 1686934254.96s 8mb|------------------L0.446------------------| "
+ - "L0.447[1686859666027027011,1686860536837837820] 1686934254.96s 8mb |------------------L0.447------------------| "
+ - "L0.614[1686858795216216201,1686859666027027010] 1686934759.75s 5mb|------------------L0.614------------------| "
+ - "L0.615[1686859666027027011,1686860536837837820] 1686934759.75s 5mb |------------------L0.615------------------| "
+ - "L0.500[1686858795216216201,1686859666027027010] 1686934966.48s 10mb|------------------L0.500------------------| "
+ - "L0.501[1686859666027027011,1686860536837837820] 1686934966.48s 10mb |------------------L0.501------------------| "
+ - "L0.699[1686858795216216201,1686859666027027010] 1686935151.54s 6mb|------------------L0.699------------------| "
+ - "L0.700[1686859666027027011,1686860536837837820] 1686935151.54s 6mb |------------------L0.700------------------| "
+ - "L0.585[1686858795216216201,1686859666027027010] 1686935546.05s 6mb|------------------L0.585------------------| "
+ - "L0.586[1686859666027027011,1686860536837837820] 1686935546.05s 6mb |------------------L0.586------------------| "
+ - "L0.472[1686858795216216201,1686859666027027010] 1686935742.51s 10mb|------------------L0.472------------------| "
+ - "L0.473[1686859666027027011,1686860536837837820] 1686935742.51s 10mb |------------------L0.473------------------| "
+ - "L0.644[1686858795216216201,1686859666027027010] 1686935947.46s 6mb|------------------L0.644------------------| "
+ - "L0.645[1686859666027027011,1686860536837837820] 1686935947.46s 6mb |------------------L0.645------------------| "
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 146mb total:"
+ - "L0 "
+ - "L0.?[1686858795216216201,1686859988431489230] 1686935947.46s 100mb|---------------------------L0.?----------------------------| "
+ - "L0.?[1686859988431489231,1686860536837837820] 1686935947.46s 46mb |-----------L0.?-----------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.446, L0.447, L0.472, L0.473, L0.500, L0.501, L0.514, L0.515, L0.542, L0.543, L0.585, L0.586, L0.614, L0.615, L0.644, L0.645, L0.683, L0.684, L0.699, L0.700"
+ - " Creating 2 files"
+ - "**** Simulation run 102, type=compact(ManySmallFiles). 2 Input Files, 6mb total:"
+ - "L0, all files 3mb "
+ - "L0.398[1686858795216216201,1686859666027027010] 1686936871.55s|------------------L0.398------------------| "
+ - "L0.399[1686859666027027011,1686860536837837820] 1686936871.55s |------------------L0.399------------------| "
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 6mb total:"
+ - "L0, all files 6mb "
+ - "L0.?[1686858795216216201,1686860536837837820] 1686936871.55s|------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 2 files: L0.398, L0.399"
+ - " Creating 1 files"
+ - "**** Simulation run 103, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[1686861711611133258]). 20 Input Files, 148mb total:"
+ - "L0 "
+ - "L0.572[1686860536837837821,1686861407648648630] 1686929421.02s 6mb|------------------L0.572------------------| "
+ - "L0.573[1686861407648648631,1686862278459459440] 1686929421.02s 6mb |------------------L0.573------------------| "
+ - "L0.460[1686860536837837821,1686861407648648630] 1686929712.33s 10mb|------------------L0.460------------------| "
+ - "L0.461[1686861407648648631,1686862278459459440] 1686929712.33s 10mb |------------------L0.461------------------| "
+ - "L0.668[1686860536837837821,1686861407648648630] 1686929965.33s 6mb|------------------L0.668------------------| "
+ - "L0.669[1686861407648648631,1686862278459459440] 1686929965.33s 6mb |------------------L0.669------------------| "
+ - "L0.530[1686860536837837821,1686861407648648630] 1686930563.07s 6mb|------------------L0.530------------------| "
+ - "L0.531[1686861407648648631,1686862278459459440] 1686930563.07s 6mb |------------------L0.531------------------| "
+ - "L0.602[1686860536837837821,1686861407648648630] 1686930780.95s 9mb|------------------L0.602------------------| "
+ - "L0.603[1686861407648648631,1686862278459459440] 1686930780.95s 9mb |------------------L0.603------------------| "
+ - "L0.558[1686860536837837821,1686861407648648630] 1686931336.08s 6mb|------------------L0.558------------------| "
+ - "L0.559[1686861407648648631,1686862278459459440] 1686931336.08s 6mb |------------------L0.559------------------| "
+ - "L0.488[1686860536837837821,1686861407648648630] 1686931600.58s 10mb|------------------L0.488------------------| "
+ - "L0.489[1686861407648648631,1686862278459459440] 1686931600.58s 10mb |------------------L0.489------------------| "
+ - "L0.718[1686860536837837821,1686861407648648630] 1686931893.7s 6mb|------------------L0.718------------------| "
+ - "L0.719[1686861407648648631,1686862278459459440] 1686931893.7s 6mb |------------------L0.719------------------| "
+ - "L0.732[1686860536837837821,1686861407648648630] 1686932458.05s 10mb|------------------L0.732------------------| "
+ - "L0.733[1686861407648648631,1686862278459459440] 1686932458.05s 10mb |------------------L0.733------------------| "
+ - "L0.631[1686860536837837821,1686861407648648630] 1686932677.39s 5mb|------------------L0.631------------------| "
+ - "L0.632[1686861407648648631,1686862278459459440] 1686932677.39s 5mb |------------------L0.632------------------| "
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 148mb total:"
+ - "L0 "
+ - "L0.?[1686860536837837821,1686861711611133258] 1686932677.39s 100mb|---------------------------L0.?---------------------------| "
+ - "L0.?[1686861711611133259,1686862278459459440] 1686932677.39s 48mb |-----------L0.?------------| "
+ - "**** Simulation run 104, type=compact(ManySmallFiles). 2 Input Files, 6mb total:"
+ - "L0, all files 3mb "
+ - "L0.400[1686860536837837821,1686861407648648630] 1686936871.55s|------------------L0.400------------------| "
+ - "L0.401[1686861407648648631,1686862278459459440] 1686936871.55s |------------------L0.401------------------| "
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 6mb total:"
+ - "L0, all files 6mb "
+ - "L0.?[1686860536837837821,1686862278459459440] 1686936871.55s|------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 2 files: L0.400, L0.401"
+ - " Creating 1 files"
+ - "**** Simulation run 105, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[1686863453232754878]). 20 Input Files, 148mb total:"
+ - "L0 "
+ - "L0.574[1686862278459459441,1686863149270270250] 1686929421.02s 6mb|------------------L0.574------------------| "
+ - "L0.575[1686863149270270251,1686864020081081060] 1686929421.02s 6mb |------------------L0.575------------------| "
+ - "L0.462[1686862278459459441,1686863149270270250] 1686929712.33s 10mb|------------------L0.462------------------| "
+ - "L0.463[1686863149270270251,1686864020081081060] 1686929712.33s 10mb |------------------L0.463------------------| "
+ - "L0.670[1686862278459459441,1686863149270270250] 1686929965.33s 6mb|------------------L0.670------------------| "
+ - "L0.671[1686863149270270251,1686864020081081060] 1686929965.33s 6mb |------------------L0.671------------------| "
+ - "L0.532[1686862278459459441,1686863149270270250] 1686930563.07s 6mb|------------------L0.532------------------| "
+ - "L0.533[1686863149270270251,1686864020081081060] 1686930563.07s 6mb |------------------L0.533------------------| "
+ - "L0.604[1686862278459459441,1686863149270270250] 1686930780.95s 9mb|------------------L0.604------------------| "
+ - "L0.605[1686863149270270251,1686864020081081060] 1686930780.95s 9mb |------------------L0.605------------------| "
+ - "L0.560[1686862278459459441,1686863149270270250] 1686931336.08s 6mb|------------------L0.560------------------| "
+ - "L0.561[1686863149270270251,1686864020081081060] 1686931336.08s 6mb |------------------L0.561------------------| "
+ - "L0.490[1686862278459459441,1686863149270270250] 1686931600.58s 10mb|------------------L0.490------------------| "
+ - "L0.491[1686863149270270251,1686864020081081060] 1686931600.58s 10mb |------------------L0.491------------------| "
+ - "L0.720[1686862278459459441,1686863149270270250] 1686931893.7s 6mb|------------------L0.720------------------| "
+ - "L0.721[1686863149270270251,1686864020081081060] 1686931893.7s 6mb |------------------L0.721------------------| "
+ - "L0.734[1686862278459459441,1686863149270270250] 1686932458.05s 10mb|------------------L0.734------------------| "
+ - "L0.735[1686863149270270251,1686864020081081060] 1686932458.05s 10mb |------------------L0.735------------------| "
+ - "L0.633[1686862278459459441,1686863149270270250] 1686932677.39s 5mb|------------------L0.633------------------| "
+ - "L0.634[1686863149270270251,1686864020081081060] 1686932677.39s 5mb |------------------L0.634------------------| "
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 148mb total:"
+ - "L0 "
+ - "L0.?[1686862278459459441,1686863453232754878] 1686932677.39s 100mb|---------------------------L0.?---------------------------| "
+ - "L0.?[1686863453232754879,1686864020081081060] 1686932677.39s 48mb |-----------L0.?------------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.462, L0.463, L0.490, L0.491, L0.532, L0.533, L0.560, L0.561, L0.574, L0.575, L0.604, L0.605, L0.633, L0.634, L0.670, L0.671, L0.720, L0.721, L0.734, L0.735"
+ - " Creating 2 files"
+ - "**** Simulation run 106, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[1686863528879205201]). 20 Input Files, 139mb total:"
+ - "L0 "
+ - "L0.546[1686862278459459441,1686863149270270250] 1686933271.57s 6mb|------------------L0.546------------------| "
+ - "L0.547[1686863149270270251,1686864020081081060] 1686933271.57s 6mb |------------------L0.547------------------| "
+ - "L0.518[1686862278459459441,1686863149270270250] 1686933528.17s 10mb|------------------L0.518------------------| "
+ - "L0.519[1686863149270270251,1686864020081081060] 1686933528.17s 10mb |------------------L0.519------------------| "
+ - "L0.687[1686862278459459441,1686863149270270250] 1686933830.06s 6mb|------------------L0.687------------------| "
+ - "L0.688[1686863149270270251,1686864020081081060] 1686933830.06s 6mb |------------------L0.688------------------| "
+ - "L0.450[1686862278459459441,1686862859000000000] 1686934254.96s 5mb|-----------L0.450-----------| "
+ - "L0.745[1686862919000000000,1686863149270270250] 1686934254.96s 2mb |-L0.745--| "
+ - "L0.746[1686863149270270251,1686864020081081060] 1686934254.96s 8mb |------------------L0.746------------------| "
+ - "L0.618[1686862278459459441,1686863149270270250] 1686934759.75s 5mb|------------------L0.618------------------| "
+ - "L0.619[1686863149270270251,1686864020081081060] 1686934759.75s 5mb |------------------L0.619------------------| "
+ - "L0.504[1686862278459459441,1686863149270270250] 1686934966.48s 10mb|------------------L0.504------------------| "
+ - "L0.505[1686863149270270251,1686864020081081060] 1686934966.48s 10mb |------------------L0.505------------------| "
+ - "L0.703[1686862278459459441,1686863149270270250] 1686935151.54s 6mb|------------------L0.703------------------| "
+ - "L0.704[1686863149270270251,1686864020081081060] 1686935151.54s 6mb |------------------L0.704------------------| "
+ - "L0.589[1686862278459459441,1686863149270270250] 1686935546.05s 6mb|------------------L0.589------------------| "
+ - "L0.590[1686863149270270251,1686864020081081060] 1686935546.05s 6mb |------------------L0.590------------------| "
+ - "L0.476[1686862278459459441,1686863149270270250] 1686935742.51s 10mb|------------------L0.476------------------| "
+ - "L0.477[1686863149270270251,1686864020081081060] 1686935742.51s 10mb |------------------L0.477------------------| "
+ - "L0.648[1686862278459459441,1686863149270270250] 1686935947.46s 6mb|------------------L0.648------------------| "
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 139mb total:"
+ - "L0 "
+ - "L0.?[1686862278459459441,1686863528879205201] 1686935947.46s 100mb|-----------------------------L0.?-----------------------------| "
+ - "L0.?[1686863528879205202,1686864020081081060] 1686935947.46s 39mb |---------L0.?----------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.450, L0.476, L0.477, L0.504, L0.505, L0.518, L0.519, L0.546, L0.547, L0.589, L0.590, L0.618, L0.619, L0.648, L0.687, L0.688, L0.703, L0.704, L0.745, L0.746"
+ - " Creating 2 files"
+ - "**** Simulation run 107, type=compact(ManySmallFiles). 3 Input Files, 11mb total:"
+ - "L0 "
+ - "L0.649[1686863149270270251,1686864020081081060] 1686935947.46s 6mb |------------------L0.649------------------| "
+ - "L0.402[1686862278459459441,1686863149270270250] 1686936871.55s 3mb|------------------L0.402------------------| "
+ - "L0.403[1686863149270270251,1686864020081081060] 1686936871.55s 3mb |------------------L0.403------------------| "
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 11mb total:"
+ - "L0, all files 11mb "
+ - "L0.?[1686862278459459441,1686864020081081060] 1686936871.55s|------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 3 files: L0.402, L0.403, L0.649"
+ - " Creating 1 files"
+ - "**** Simulation run 108, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[1686865413378378356]). 20 Input Files, 98mb total:"
+ - "L0 "
+ - "L0.576[1686864020081081061,1686864890891891870] 1686929421.02s 6mb|------------------L0.576------------------| "
+ - "L0.577[1686864890891891871,1686865259000000000] 1686929421.02s 2mb |-----L0.577------| "
+ - "L0.851[1686865319000000000,1686865761702702680] 1686929421.02s 3mb |-------L0.851-------| "
+ - "L0.464[1686864020081081061,1686864359000000000] 1686929712.33s 4mb|----L0.464-----| "
+ - "L0.764[1686864419000000000,1686864890891891870] 1686929712.33s 4mb |--------L0.764--------| "
+ - "L0.765[1686864890891891871,1686865761702702680] 1686929712.33s 7mb |------------------L0.765------------------| "
+ - "L0.672[1686864020081081061,1686864890891891870] 1686929965.33s 6mb|------------------L0.672------------------| "
+ - "L0.673[1686864890891891871,1686865761702702680] 1686929965.33s 6mb |------------------L0.673------------------| "
+ - "L0.534[1686864020081081061,1686864659000000000] 1686930563.07s 4mb|------------L0.534-------------| "
+ - "L0.819[1686864719000000000,1686864890891891870] 1686930563.07s 1mb |L0.819| "
+ - "L0.820[1686864890891891871,1686865761702702680] 1686930563.07s 5mb |------------------L0.820------------------| "
+ - "L0.606[1686864020081081061,1686864890891891870] 1686930780.95s 9mb|------------------L0.606------------------| "
+ - "L0.607[1686864890891891871,1686865439000000000] 1686930780.95s 6mb |----------L0.607----------| "
+ - "L0.871[1686865499000000000,1686865761702702680] 1686930780.95s 3mb |--L0.871---| "
+ - "L0.562[1686864020081081061,1686864839000000000] 1686931336.08s 6mb|-----------------L0.562-----------------| "
+ - "L0.841[1686864899000000000,1686865761702702680] 1686931336.08s 5mb |------------------L0.841------------------| "
+ - "L0.492[1686864020081081061,1686864419000000000] 1686931600.58s 5mb|------L0.492------| "
+ - "L0.786[1686864479000000000,1686864890891891870] 1686931600.58s 4mb |------L0.786-------| "
+ - "L0.787[1686864890891891871,1686865761702702680] 1686931600.58s 8mb |------------------L0.787------------------| "
+ - "L0.722[1686864020081081061,1686864890891891870] 1686931893.7s 6mb|------------------L0.722------------------| "
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 98mb total:"
+ - "L0 "
+ - "L0.?[1686864020081081061,1686865413378378356] 1686931893.7s 78mb|--------------------------------L0.?---------------------------------| "
+ - "L0.?[1686865413378378357,1686865761702702680] 1686931893.7s 20mb |-----L0.?------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.464, L0.492, L0.534, L0.562, L0.576, L0.577, L0.606, L0.607, L0.672, L0.673, L0.722, L0.764, L0.765, L0.786, L0.787, L0.819, L0.820, L0.841, L0.851, L0.871"
+ - " Creating 2 files"
+ - "**** Simulation run 109, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[1686865413378378356]). 20 Input Files, 117mb total:"
+ - "L0 "
+ - "L0.723[1686864890891891871,1686865761702702680] 1686931893.7s 6mb |------------------L0.723------------------| "
+ - "L0.736[1686864020081081061,1686864890891891870] 1686932458.05s 10mb|------------------L0.736------------------| "
+ - "L0.737[1686864890891891871,1686865761702702680] 1686932458.05s 10mb |------------------L0.737------------------| "
+ - "L0.635[1686864020081081061,1686864890891891870] 1686932677.39s 5mb|------------------L0.635------------------| "
+ - "L0.636[1686864890891891871,1686865761702702680] 1686932677.39s 5mb |------------------L0.636------------------| "
+ - "L0.548[1686864020081081061,1686864659000000000] 1686933271.57s 4mb|------------L0.548-------------| "
+ - "L0.830[1686864719000000000,1686864890891891870] 1686933271.57s 1mb |L0.830| "
+ - "L0.831[1686864890891891871,1686865761702702680] 1686933271.57s 5mb |------------------L0.831------------------| "
+ - "L0.520[1686864020081081061,1686864599000000000] 1686933528.17s 7mb|----------L0.520-----------| "
+ - "L0.808[1686864659000000000,1686864890891891870] 1686933528.17s 2mb |-L0.808--| "
+ - "L0.809[1686864890891891871,1686865761702702680] 1686933528.17s 7mb |------------------L0.809------------------| "
+ - "L0.689[1686864020081081061,1686864890891891870] 1686933830.06s 6mb|------------------L0.689------------------| "
+ - "L0.690[1686864890891891871,1686865761702702680] 1686933830.06s 6mb |------------------L0.690------------------| "
+ - "L0.747[1686864020081081061,1686864890891891870] 1686934254.96s 8mb|------------------L0.747------------------| "
+ - "L0.748[1686864890891891871,1686865761702702680] 1686934254.96s 8mb |------------------L0.748------------------| "
+ - "L0.620[1686864020081081061,1686864890891891870] 1686934759.75s 5mb|------------------L0.620------------------| "
+ - "L0.621[1686864890891891871,1686865761702702680] 1686934759.75s 5mb |------------------L0.621------------------| "
+ - "L0.506[1686864020081081061,1686864419000000000] 1686934966.48s 5mb|------L0.506------| "
+ - "L0.797[1686864479000000000,1686864890891891870] 1686934966.48s 3mb |------L0.797-------| "
+ - "L0.798[1686864890891891871,1686865761702702680] 1686934966.48s 7mb |------------------L0.798------------------| "
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 117mb total:"
+ - "L0 "
+ - "L0.?[1686864020081081061,1686865413378378356] 1686934966.48s 94mb|--------------------------------L0.?---------------------------------| "
+ - "L0.?[1686865413378378357,1686865761702702680] 1686934966.48s 23mb |-----L0.?------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.506, L0.520, L0.548, L0.620, L0.621, L0.635, L0.636, L0.689, L0.690, L0.723, L0.736, L0.737, L0.747, L0.748, L0.797, L0.798, L0.808, L0.809, L0.830, L0.831"
+ - " Creating 2 files"
+ - "**** Simulation run 110, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[1686865413378378356]). 12 Input Files, 55mb total:"
+ - "L0 "
+ - "L0.705[1686864020081081061,1686864890891891870] 1686935151.54s 6mb|------------------L0.705------------------| "
+ - "L0.706[1686864890891891871,1686865761702702680] 1686935151.54s 6mb |------------------L0.706------------------| "
+ - "L0.591[1686864020081081061,1686864890891891870] 1686935546.05s 6mb|------------------L0.591------------------| "
+ - "L0.592[1686864890891891871,1686865259000000000] 1686935546.05s 2mb |-----L0.592------| "
+ - "L0.861[1686865319000000000,1686865761702702680] 1686935546.05s 3mb |-------L0.861-------| "
+ - "L0.478[1686864020081081061,1686864359000000000] 1686935742.51s 4mb|----L0.478-----| "
+ - "L0.775[1686864419000000000,1686864890891891870] 1686935742.51s 4mb |--------L0.775--------| "
+ - "L0.776[1686864890891891871,1686865761702702680] 1686935742.51s 7mb |------------------L0.776------------------| "
+ - "L0.650[1686864020081081061,1686864890891891870] 1686935947.46s 6mb|------------------L0.650------------------| "
+ - "L0.651[1686864890891891871,1686865761702702680] 1686935947.46s 6mb |------------------L0.651------------------| "
+ - "L0.404[1686864020081081061,1686864890891891870] 1686936871.55s 3mb|------------------L0.404------------------| "
+ - "L0.405[1686864890891891871,1686865761702702680] 1686936871.55s 3mb |------------------L0.405------------------| "
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 55mb total:"
+ - "L0 "
+ - "L0.?[1686864020081081061,1686865413378378356] 1686936871.55s 44mb|--------------------------------L0.?---------------------------------| "
+ - "L0.?[1686865413378378357,1686865761702702680] 1686936871.55s 11mb |-----L0.?------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 12 files: L0.404, L0.405, L0.478, L0.591, L0.592, L0.650, L0.651, L0.705, L0.706, L0.775, L0.776, L0.861"
+ - " Creating 2 files"
+ - "**** Simulation run 111, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[1686867209822490496]). 20 Input Files, 120mb total:"
+ - "L0 "
+ - "L0.852[1686865761702702681,1686866632513513490] 1686929421.02s 5mb|------------------L0.852------------------| "
+ - "L0.853[1686866632513513491,1686867503324324300] 1686929421.02s 5mb |------------------L0.853------------------| "
+ - "L0.766[1686865761702702681,1686866632513513490] 1686929712.33s 7mb|------------------L0.766------------------| "
+ - "L0.767[1686866632513513491,1686867503324324300] 1686929712.33s 7mb |------------------L0.767------------------| "
+ - "L0.674[1686865761702702681,1686866632513513490] 1686929965.33s 6mb|------------------L0.674------------------| "
+ - "L0.675[1686866632513513491,1686867503324324300] 1686929965.33s 6mb |------------------L0.675------------------| "
+ - "L0.821[1686865761702702681,1686866632513513490] 1686930563.07s 5mb|------------------L0.821------------------| "
+ - "L0.822[1686866632513513491,1686867503324324300] 1686930563.07s 5mb |------------------L0.822------------------| "
+ - "L0.872[1686865761702702681,1686866632513513490] 1686930780.95s 9mb|------------------L0.872------------------| "
+ - "L0.873[1686866632513513491,1686867503324324300] 1686930780.95s 9mb |------------------L0.873------------------| "
+ - "L0.842[1686865761702702681,1686866632513513490] 1686931336.08s 5mb|------------------L0.842------------------| "
+ - "L0.843[1686866632513513491,1686867503324324300] 1686931336.08s 5mb |------------------L0.843------------------| "
+ - "L0.788[1686865761702702681,1686866632513513490] 1686931600.58s 8mb|------------------L0.788------------------| "
+ - "L0.789[1686866632513513491,1686867503324324300] 1686931600.58s 8mb |------------------L0.789------------------| "
+ - "L0.724[1686865761702702681,1686866632513513490] 1686931893.7s 6mb|------------------L0.724------------------| "
+ - "L0.725[1686866632513513491,1686867503324324300] 1686931893.7s 6mb |------------------L0.725------------------| "
+ - "L0.738[1686865761702702681,1686865979000000000] 1686932458.05s 3mb|-L0.738--| "
+ - "L0.637[1686865761702702681,1686866632513513490] 1686932677.39s 5mb|------------------L0.637------------------| "
+ - "L0.638[1686866632513513491,1686867059000000000] 1686932677.39s 3mb |-------L0.638-------| "
+ - "L0.890[1686867119000000000,1686867503324324300] 1686932677.39s 6mb |-----L0.890------| "
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 120mb total:"
+ - "L0 "
+ - "L0.?[1686865761702702681,1686867209822490496] 1686932677.39s 100mb|----------------------------------L0.?----------------------------------| "
+ - "L0.?[1686867209822490497,1686867503324324300] 1686932677.39s 20mb |----L0.?-----| "
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.637, L0.638, L0.674, L0.675, L0.724, L0.725, L0.738, L0.766, L0.767, L0.788, L0.789, L0.821, L0.822, L0.842, L0.843, L0.852, L0.853, L0.872, L0.873, L0.890"
+ - " Creating 2 files"
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.460, L0.461, L0.488, L0.489, L0.530, L0.531, L0.558, L0.559, L0.572, L0.573, L0.602, L0.603, L0.631, L0.632, L0.668, L0.669, L0.718, L0.719, L0.732, L0.733"
+ - " Creating 2 files"
+ - "**** Simulation run 112, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[1686861730053110850]). 20 Input Files, 146mb total:"
+ - "L0 "
+ - "L0.544[1686860536837837821,1686861407648648630] 1686933271.57s 6mb|------------------L0.544------------------| "
+ - "L0.545[1686861407648648631,1686862278459459440] 1686933271.57s 6mb |------------------L0.545------------------| "
+ - "L0.516[1686860536837837821,1686861407648648630] 1686933528.17s 10mb|------------------L0.516------------------| "
+ - "L0.517[1686861407648648631,1686862278459459440] 1686933528.17s 10mb |------------------L0.517------------------| "
+ - "L0.685[1686860536837837821,1686861407648648630] 1686933830.06s 6mb|------------------L0.685------------------| "
+ - "L0.686[1686861407648648631,1686862278459459440] 1686933830.06s 6mb |------------------L0.686------------------| "
+ - "L0.448[1686860536837837821,1686861407648648630] 1686934254.96s 8mb|------------------L0.448------------------| "
+ - "L0.449[1686861407648648631,1686862278459459440] 1686934254.96s 8mb |------------------L0.449------------------| "
+ - "L0.616[1686860536837837821,1686861407648648630] 1686934759.75s 5mb|------------------L0.616------------------| "
+ - "L0.617[1686861407648648631,1686862278459459440] 1686934759.75s 5mb |------------------L0.617------------------| "
+ - "L0.502[1686860536837837821,1686861407648648630] 1686934966.48s 10mb|------------------L0.502------------------| "
+ - "L0.503[1686861407648648631,1686862278459459440] 1686934966.48s 10mb |------------------L0.503------------------| "
+ - "L0.701[1686860536837837821,1686861407648648630] 1686935151.54s 6mb|------------------L0.701------------------| "
+ - "L0.702[1686861407648648631,1686862278459459440] 1686935151.54s 6mb |------------------L0.702------------------| "
+ - "L0.587[1686860536837837821,1686861407648648630] 1686935546.05s 6mb|------------------L0.587------------------| "
+ - "L0.588[1686861407648648631,1686862278459459440] 1686935546.05s 6mb |------------------L0.588------------------| "
+ - "L0.474[1686860536837837821,1686861407648648630] 1686935742.51s 10mb|------------------L0.474------------------| "
+ - "L0.475[1686861407648648631,1686862278459459440] 1686935742.51s 10mb |------------------L0.475------------------| "
+ - "L0.646[1686860536837837821,1686861407648648630] 1686935947.46s 6mb|------------------L0.646------------------| "
+ - "L0.647[1686861407648648631,1686862278459459440] 1686935947.46s 6mb |------------------L0.647------------------| "
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 146mb total:"
+ - "L0 "
+ - "L0.?[1686860536837837821,1686861730053110850] 1686935947.46s 100mb|---------------------------L0.?----------------------------| "
+ - "L0.?[1686861730053110851,1686862278459459440] 1686935947.46s 46mb |-----------L0.?-----------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.448, L0.449, L0.474, L0.475, L0.502, L0.503, L0.516, L0.517, L0.544, L0.545, L0.587, L0.588, L0.616, L0.617, L0.646, L0.647, L0.685, L0.686, L0.701, L0.702"
+ - " Creating 2 files"
+ - "**** Simulation run 113, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[1686867154999999976]). 20 Input Files, 119mb total:"
+ - "L0 "
+ - "L0.832[1686865761702702681,1686866632513513490] 1686933271.57s 5mb|------------------L0.832------------------| "
+ - "L0.833[1686866632513513491,1686867503324324300] 1686933271.57s 5mb |------------------L0.833------------------| "
+ - "L0.810[1686865761702702681,1686866632513513490] 1686933528.17s 7mb|------------------L0.810------------------| "
+ - "L0.811[1686866632513513491,1686867503324324300] 1686933528.17s 7mb |------------------L0.811------------------| "
+ - "L0.691[1686865761702702681,1686866632513513490] 1686933830.06s 6mb|------------------L0.691------------------| "
+ - "L0.692[1686866632513513491,1686867503324324300] 1686933830.06s 6mb |------------------L0.692------------------| "
+ - "L0.749[1686865761702702681,1686866632513513490] 1686934254.96s 8mb|------------------L0.749------------------| "
+ - "L0.750[1686866632513513491,1686867503324324300] 1686934254.96s 8mb |------------------L0.750------------------| "
+ - "L0.622[1686865761702702681,1686866039000000000] 1686934759.75s 2mb|---L0.622---| "
+ - "L0.881[1686866099000000000,1686866632513513490] 1686934759.75s 3mb |---------L0.881----------| "
+ - "L0.882[1686866632513513491,1686867503324324300] 1686934759.75s 5mb |------------------L0.882------------------| "
+ - "L0.799[1686865761702702681,1686866632513513490] 1686934966.48s 7mb|------------------L0.799------------------| "
+ - "L0.800[1686866632513513491,1686867503324324300] 1686934966.48s 7mb |------------------L0.800------------------| "
+ - "L0.707[1686865761702702681,1686866632513513490] 1686935151.54s 6mb|------------------L0.707------------------| "
+ - "L0.708[1686866632513513491,1686867503324324300] 1686935151.54s 6mb |------------------L0.708------------------| "
+ - "L0.862[1686865761702702681,1686866632513513490] 1686935546.05s 5mb|------------------L0.862------------------| "
+ - "L0.863[1686866632513513491,1686867503324324300] 1686935546.05s 5mb |------------------L0.863------------------| "
+ - "L0.777[1686865761702702681,1686866632513513490] 1686935742.51s 7mb|------------------L0.777------------------| "
+ - "L0.778[1686866632513513491,1686867503324324300] 1686935742.51s 7mb |------------------L0.778------------------| "
+ - "L0.652[1686865761702702681,1686866632513513490] 1686935947.46s 6mb|------------------L0.652------------------| "
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 119mb total:"
+ - "L0 "
+ - "L0.?[1686865761702702681,1686867154999999976] 1686935947.46s 95mb|--------------------------------L0.?---------------------------------| "
+ - "L0.?[1686867154999999977,1686867503324324300] 1686935947.46s 24mb |-----L0.?------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.622, L0.652, L0.691, L0.692, L0.707, L0.708, L0.749, L0.750, L0.777, L0.778, L0.799, L0.800, L0.810, L0.811, L0.832, L0.833, L0.862, L0.863, L0.881, L0.882"
+ - " Creating 2 files"
+ - "**** Simulation run 114, type=compact(ManySmallFiles). 3 Input Files, 11mb total:"
+ - "L0 "
+ - "L0.653[1686866632513513491,1686867503324324300] 1686935947.46s 6mb |------------------L0.653------------------| "
+ - "L0.406[1686865761702702681,1686866632513513490] 1686936871.55s 3mb|------------------L0.406------------------| "
+ - "L0.407[1686866632513513491,1686867503324324300] 1686936871.55s 3mb |------------------L0.407------------------| "
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 11mb total:"
+ - "L0, all files 11mb "
+ - "L0.?[1686865761702702681,1686867503324324300] 1686936871.55s|------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 3 files: L0.406, L0.407, L0.653"
+ - " Creating 1 files"
+ - "**** Simulation run 115, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[1686868747944483205]). 20 Input Files, 140mb total:"
+ - "L0 "
+ - "L0.854[1686867503324324301,1686868374135135110] 1686929421.02s 5mb|------------------L0.854------------------| "
+ - "L0.855[1686868374135135111,1686869244945945920] 1686929421.02s 5mb |------------------L0.855------------------| "
+ - "L0.768[1686867503324324301,1686868374135135110] 1686929712.33s 7mb|------------------L0.768------------------| "
+ - "L0.769[1686868374135135111,1686869244945945920] 1686929712.33s 7mb |------------------L0.769------------------| "
+ - "L0.676[1686867503324324301,1686868374135135110] 1686929965.33s 6mb|------------------L0.676------------------| "
+ - "L0.677[1686868374135135111,1686868739000000000] 1686929965.33s 2mb |-----L0.677-----| "
+ - "L0.911[1686868799000000000,1686869244945945920] 1686929965.33s 5mb |-------L0.911--------| "
+ - "L0.823[1686867503324324301,1686868374135135110] 1686930563.07s 5mb|------------------L0.823------------------| "
+ - "L0.824[1686868374135135111,1686869244945945920] 1686930563.07s 5mb |------------------L0.824------------------| "
+ - "L0.874[1686867503324324301,1686868374135135110] 1686930780.95s 9mb|------------------L0.874------------------| "
+ - "L0.875[1686868374135135111,1686869244945945920] 1686930780.95s 9mb |------------------L0.875------------------| "
+ - "L0.844[1686867503324324301,1686868374135135110] 1686931336.08s 5mb|------------------L0.844------------------| "
+ - "L0.845[1686868374135135111,1686869244945945920] 1686931336.08s 5mb |------------------L0.845------------------| "
+ - "L0.790[1686867503324324301,1686868374135135110] 1686931600.58s 8mb|------------------L0.790------------------| "
+ - "L0.791[1686868374135135111,1686869244945945920] 1686931600.58s 8mb |------------------L0.791------------------| "
+ - "L0.726[1686867503324324301,1686868374135135110] 1686931893.7s 6mb|------------------L0.726------------------| "
+ - "L0.727[1686868374135135111,1686869244945945920] 1686931893.7s 6mb |------------------L0.727------------------| "
+ - "L0.891[1686867503324324301,1686868374135135110] 1686932677.39s 15mb|------------------L0.891------------------| "
+ - "L0.892[1686868374135135111,1686869244945945920] 1686932677.39s 15mb |------------------L0.892------------------| "
+ - "L0.834[1686867503324324301,1686868374135135110] 1686933271.57s 5mb|------------------L0.834------------------| "
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 140mb total:"
+ - "L0 "
+ - "L0.?[1686867503324324301,1686868747944483205] 1686933271.57s 100mb|-----------------------------L0.?-----------------------------| "
+ - "L0.?[1686868747944483206,1686869244945945920] 1686933271.57s 40mb |---------L0.?----------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.676, L0.677, L0.726, L0.727, L0.768, L0.769, L0.790, L0.791, L0.823, L0.824, L0.834, L0.844, L0.845, L0.854, L0.855, L0.874, L0.875, L0.891, L0.892, L0.911"
+ - " Creating 2 files"
+ - "**** Simulation run 116, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[1686868896621621596]). 20 Input Files, 116mb total:"
+ - "L0 "
+ - "L0.835[1686868374135135111,1686869244945945920] 1686933271.57s 5mb |------------------L0.835------------------| "
+ - "L0.812[1686867503324324301,1686868374135135110] 1686933528.17s 7mb|------------------L0.812------------------| "
+ - "L0.813[1686868374135135111,1686869244945945920] 1686933528.17s 7mb |------------------L0.813------------------| "
+ - "L0.693[1686867503324324301,1686868374135135110] 1686933830.06s 6mb|------------------L0.693------------------| "
+ - "L0.694[1686868374135135111,1686868859000000000] 1686933830.06s 3mb |--------L0.694---------| "
+ - "L0.917[1686868919000000000,1686869244945945920] 1686933830.06s 4mb |----L0.917----| "
+ - "L0.751[1686867503324324301,1686868374135135110] 1686934254.96s 8mb|------------------L0.751------------------| "
+ - "L0.752[1686868374135135111,1686869244945945920] 1686934254.96s 8mb |------------------L0.752------------------| "
+ - "L0.883[1686867503324324301,1686868374135135110] 1686934759.75s 5mb|------------------L0.883------------------| "
+ - "L0.884[1686868374135135111,1686869244945945920] 1686934759.75s 5mb |------------------L0.884------------------| "
+ - "L0.801[1686867503324324301,1686868374135135110] 1686934966.48s 7mb|------------------L0.801------------------| "
+ - "L0.802[1686868374135135111,1686869244945945920] 1686934966.48s 7mb |------------------L0.802------------------| "
+ - "L0.709[1686867503324324301,1686868374135135110] 1686935151.54s 6mb|------------------L0.709------------------| "
+ - "L0.710[1686868374135135111,1686869244945945920] 1686935151.54s 6mb |------------------L0.710------------------| "
+ - "L0.864[1686867503324324301,1686868374135135110] 1686935546.05s 5mb|------------------L0.864------------------| "
+ - "L0.865[1686868374135135111,1686869244945945920] 1686935546.05s 5mb |------------------L0.865------------------| "
+ - "L0.779[1686867503324324301,1686868374135135110] 1686935742.51s 7mb|------------------L0.779------------------| "
+ - "L0.780[1686868374135135111,1686869244945945920] 1686935742.51s 7mb |------------------L0.780------------------| "
+ - "L0.654[1686867503324324301,1686868199000000000] 1686935947.46s 5mb|-------------L0.654--------------| "
+ - "L0.898[1686868259000000000,1686868374135135110] 1686935947.46s 1mb |L0.898| "
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 116mb total:"
+ - "L0 "
+ - "L0.?[1686867503324324301,1686868896621621596] 1686935947.46s 93mb|--------------------------------L0.?---------------------------------| "
+ - "L0.?[1686868896621621597,1686869244945945920] 1686935947.46s 23mb |-----L0.?------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.654, L0.693, L0.694, L0.709, L0.710, L0.751, L0.752, L0.779, L0.780, L0.801, L0.802, L0.812, L0.813, L0.835, L0.864, L0.865, L0.883, L0.884, L0.898, L0.917"
+ - " Creating 2 files"
+ - "**** Simulation run 117, type=compact(ManySmallFiles). 3 Input Files, 17mb total:"
+ - "L0 "
+ - "L0.899[1686868374135135111,1686869244945945920] 1686935947.46s 11mb |------------------L0.899------------------| "
+ - "L0.408[1686867503324324301,1686868374135135110] 1686936871.55s 3mb|------------------L0.408------------------| "
+ - "L0.409[1686868374135135111,1686869244945945920] 1686936871.55s 3mb |------------------L0.409------------------| "
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 17mb total:"
+ - "L0, all files 17mb "
+ - "L0.?[1686867503324324301,1686869244945945920] 1686936871.55s|------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 3 files: L0.408, L0.409, L0.899"
+ - " Creating 1 files"
+ - "**** Simulation run 118, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[1686869890068506247]). 20 Input Files, 135mb total:"
+ - "L0 "
+ - "L0.856[1686869244945945921,1686870115756756730] 1686929421.02s 5mb|-----------------------------------------L0.856-----------------------------------------|"
+ - "L0.770[1686869244945945921,1686870115756756730] 1686929712.33s 7mb|-----------------------------------------L0.770-----------------------------------------|"
+ - "L0.912[1686869244945945921,1686870115756756730] 1686929965.33s 11mb|-----------------------------------------L0.912-----------------------------------------|"
+ - "L0.825[1686869244945945921,1686870115756756730] 1686930563.07s 5mb|-----------------------------------------L0.825-----------------------------------------|"
+ - "L0.876[1686869244945945921,1686870115756756730] 1686930780.95s 9mb|-----------------------------------------L0.876-----------------------------------------|"
+ - "L0.846[1686869244945945921,1686870115756756730] 1686931336.08s 5mb|-----------------------------------------L0.846-----------------------------------------|"
+ - "L0.792[1686869244945945921,1686870115756756730] 1686931600.58s 8mb|-----------------------------------------L0.792-----------------------------------------|"
+ - "L0.728[1686869244945945921,1686869939000000000] 1686931893.7s 5mb|-------------------------------L0.728--------------------------------| "
+ - "L0.928[1686869999000000000,1686870115756756730] 1686931893.7s 1mb |--L0.928--| "
+ - "L0.893[1686869244945945921,1686870115756756730] 1686932677.39s 15mb|-----------------------------------------L0.893-----------------------------------------|"
+ - "L0.836[1686869244945945921,1686870115756756730] 1686933271.57s 5mb|-----------------------------------------L0.836-----------------------------------------|"
+ - "L0.814[1686869244945945921,1686870115756756730] 1686933528.17s 7mb|-----------------------------------------L0.814-----------------------------------------|"
+ - "L0.918[1686869244945945921,1686870115756756730] 1686933830.06s 11mb|-----------------------------------------L0.918-----------------------------------------|"
+ - "L0.753[1686869244945945921,1686870115756756730] 1686934254.96s 8mb|-----------------------------------------L0.753-----------------------------------------|"
+ - "L0.885[1686869244945945921,1686870115756756730] 1686934759.75s 5mb|-----------------------------------------L0.885-----------------------------------------|"
+ - "L0.803[1686869244945945921,1686870115756756730] 1686934966.48s 7mb|-----------------------------------------L0.803-----------------------------------------|"
+ - "L0.711[1686869244945945921,1686869519000000000] 1686935151.54s 2mb|----------L0.711----------| "
+ - "L0.923[1686869579000000000,1686870115756756730] 1686935151.54s 6mb |-----------------------L0.923------------------------| "
+ - "L0.866[1686869244945945921,1686870115756756730] 1686935546.05s 5mb|-----------------------------------------L0.866-----------------------------------------|"
+ - "L0.781[1686869244945945921,1686870115756756730] 1686935742.51s 7mb|-----------------------------------------L0.781-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 135mb total:"
+ - "L0 "
+ - "L0.?[1686869244945945921,1686869890068506247] 1686935742.51s 100mb|------------------------------L0.?------------------------------| "
+ - "L0.?[1686869890068506248,1686870115756756730] 1686935742.51s 35mb |--------L0.?---------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.711, L0.728, L0.753, L0.770, L0.781, L0.792, L0.803, L0.814, L0.825, L0.836, L0.846, L0.856, L0.866, L0.876, L0.885, L0.893, L0.912, L0.918, L0.923, L0.928"
+ - " Creating 2 files"
+ - "**** Simulation run 119, type=compact(ManySmallFiles). 2 Input Files, 14mb total:"
+ - "L0 "
+ - "L0.900[1686869244945945921,1686870115756756730] 1686935947.46s 11mb|-----------------------------------------L0.900-----------------------------------------|"
+ - "L0.410[1686869244945945921,1686870115756756730] 1686936871.55s 3mb|-----------------------------------------L0.410-----------------------------------------|"
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 14mb total:"
+ - "L0, all files 14mb "
+ - "L0.?[1686869244945945921,1686870115756756730] 1686936871.55s|------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 2 files: L0.410, L0.900"
+ - " Creating 1 files"
+ - "**** Simulation run 120, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[1686870676199779489]). 20 Input Files, 155mb total:"
+ - "L0 "
+ - "L0.857[1686870115756756731,1686870986567567540] 1686929421.02s 5mb|-----------------------------------------L0.857-----------------------------------------|"
+ - "L0.771[1686870115756756731,1686870986567567540] 1686929712.33s 7mb|-----------------------------------------L0.771-----------------------------------------|"
+ - "L0.913[1686870115756756731,1686870986567567540] 1686929965.33s 11mb|-----------------------------------------L0.913-----------------------------------------|"
+ - "L0.826[1686870115756756731,1686870986567567540] 1686930563.07s 5mb|-----------------------------------------L0.826-----------------------------------------|"
+ - "L0.877[1686870115756756731,1686870986567567540] 1686930780.95s 9mb|-----------------------------------------L0.877-----------------------------------------|"
+ - "L0.847[1686870115756756731,1686870986567567540] 1686931336.08s 5mb|-----------------------------------------L0.847-----------------------------------------|"
+ - "L0.793[1686870115756756731,1686870986567567540] 1686931600.58s 8mb|-----------------------------------------L0.793-----------------------------------------|"
+ - "L0.929[1686870115756756731,1686870986567567540] 1686931893.7s 11mb|-----------------------------------------L0.929-----------------------------------------|"
+ - "L0.894[1686870115756756731,1686870986567567540] 1686932677.39s 15mb|-----------------------------------------L0.894-----------------------------------------|"
+ - "L0.837[1686870115756756731,1686870986567567540] 1686933271.57s 5mb|-----------------------------------------L0.837-----------------------------------------|"
+ - "L0.815[1686870115756756731,1686870986567567540] 1686933528.17s 7mb|-----------------------------------------L0.815-----------------------------------------|"
+ - "L0.919[1686870115756756731,1686870986567567540] 1686933830.06s 11mb|-----------------------------------------L0.919-----------------------------------------|"
+ - "L0.754[1686870115756756731,1686870986567567540] 1686934254.96s 8mb|-----------------------------------------L0.754-----------------------------------------|"
+ - "L0.886[1686870115756756731,1686870986567567540] 1686934759.75s 5mb|-----------------------------------------L0.886-----------------------------------------|"
+ - "L0.804[1686870115756756731,1686870986567567540] 1686934966.48s 7mb|-----------------------------------------L0.804-----------------------------------------|"
+ - "L0.924[1686870115756756731,1686870986567567540] 1686935151.54s 11mb|-----------------------------------------L0.924-----------------------------------------|"
+ - "L0.867[1686870115756756731,1686870986567567540] 1686935546.05s 5mb|-----------------------------------------L0.867-----------------------------------------|"
+ - "L0.782[1686870115756756731,1686870986567567540] 1686935742.51s 7mb|-----------------------------------------L0.782-----------------------------------------|"
+ - "L0.901[1686870115756756731,1686870986567567540] 1686935947.46s 11mb|-----------------------------------------L0.901-----------------------------------------|"
+ - "L0.411[1686870115756756731,1686870986567567540] 1686936871.55s 3mb|-----------------------------------------L0.411-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 155mb total:"
+ - "L0 "
+ - "L0.?[1686870115756756731,1686870676199779489] 1686936871.55s 100mb|-------------------------L0.?--------------------------| "
+ - "L0.?[1686870676199779490,1686870986567567540] 1686936871.55s 55mb |-------------L0.?-------------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.411, L0.754, L0.771, L0.782, L0.793, L0.804, L0.815, L0.826, L0.837, L0.847, L0.857, L0.867, L0.877, L0.886, L0.894, L0.901, L0.913, L0.919, L0.924, L0.929"
+ - " Creating 2 files"
+ - "**** Simulation run 121, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[1686871550514515284]). 20 Input Files, 154mb total:"
+ - "L0 "
+ - "L0.858[1686870986567567541,1686871857378378350] 1686929421.02s 5mb|-----------------------------------------L0.858-----------------------------------------|"
+ - "L0.772[1686870986567567541,1686871857378378350] 1686929712.33s 7mb|-----------------------------------------L0.772-----------------------------------------|"
+ - "L0.914[1686870986567567541,1686871857378378350] 1686929965.33s 11mb|-----------------------------------------L0.914-----------------------------------------|"
+ - "L0.827[1686870986567567541,1686871857378378350] 1686930563.07s 5mb|-----------------------------------------L0.827-----------------------------------------|"
+ - "L0.878[1686870986567567541,1686871857378378350] 1686930780.95s 9mb|-----------------------------------------L0.878-----------------------------------------|"
+ - "L0.848[1686870986567567541,1686871857378378350] 1686931336.08s 5mb|-----------------------------------------L0.848-----------------------------------------|"
+ - "L0.794[1686870986567567541,1686871857378378350] 1686931600.58s 8mb|-----------------------------------------L0.794-----------------------------------------|"
+ - "L0.930[1686870986567567541,1686871857378378350] 1686931893.7s 11mb|-----------------------------------------L0.930-----------------------------------------|"
+ - "L0.895[1686870986567567541,1686871857378378350] 1686932677.39s 15mb|-----------------------------------------L0.895-----------------------------------------|"
+ - "L0.838[1686870986567567541,1686871857378378350] 1686933271.57s 5mb|-----------------------------------------L0.838-----------------------------------------|"
+ - "L0.816[1686870986567567541,1686871857378378350] 1686933528.17s 7mb|-----------------------------------------L0.816-----------------------------------------|"
+ - "L0.920[1686870986567567541,1686871857378378350] 1686933830.06s 11mb|-----------------------------------------L0.920-----------------------------------------|"
+ - "L0.755[1686870986567567541,1686871857378378350] 1686934254.96s 8mb|-----------------------------------------L0.755-----------------------------------------|"
+ - "L0.887[1686870986567567541,1686871857378378350] 1686934759.75s 5mb|-----------------------------------------L0.887-----------------------------------------|"
+ - "L0.805[1686870986567567541,1686871857378378350] 1686934966.48s 7mb|-----------------------------------------L0.805-----------------------------------------|"
+ - "L0.925[1686870986567567541,1686871857378378350] 1686935151.54s 11mb|-----------------------------------------L0.925-----------------------------------------|"
+ - "L0.868[1686870986567567541,1686871857378378350] 1686935546.05s 5mb|-----------------------------------------L0.868-----------------------------------------|"
+ - "L0.783[1686870986567567541,1686871857378378350] 1686935742.51s 7mb|-----------------------------------------L0.783-----------------------------------------|"
+ - "L0.902[1686870986567567541,1686871857378378350] 1686935947.46s 11mb|-----------------------------------------L0.902-----------------------------------------|"
+ - "L0.412[1686870986567567541,1686871559000000000] 1686936871.55s 2mb|-------------------------L0.412--------------------------| "
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 154mb total:"
+ - "L0 "
+ - "L0.?[1686870986567567541,1686871550514515284] 1686936871.55s 100mb|--------------------------L0.?--------------------------| "
+ - "L0.?[1686871550514515285,1686871857378378350] 1686936871.55s 54mb |------------L0.?-------------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.412, L0.755, L0.772, L0.783, L0.794, L0.805, L0.816, L0.827, L0.838, L0.848, L0.858, L0.868, L0.878, L0.887, L0.895, L0.902, L0.914, L0.920, L0.925, L0.930"
+ - " Creating 2 files"
+ - "**** Simulation run 122, type=compact(ManySmallFiles). 1 Input Files, 1mb total:"
+ - "L0, all files 1mb "
+ - "L0.933[1686871619000000000,1686871857378378350] 1686936871.55s|-----------------------------------------L0.933-----------------------------------------|"
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 1mb total:"
+ - "L0, all files 1mb "
+ - "L0.?[1686871619000000000,1686871857378378350] 1686936871.55s|------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 1 files: L0.933"
+ - " Creating 1 files"
+ - "**** Simulation run 123, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[1686872413821229216]). 20 Input Files, 156mb total:"
+ - "L0 "
+ - "L0.859[1686871857378378351,1686872728189189160] 1686929421.02s 5mb|-----------------------------------------L0.859-----------------------------------------|"
+ - "L0.773[1686871857378378351,1686872728189189160] 1686929712.33s 7mb|-----------------------------------------L0.773-----------------------------------------|"
+ - "L0.915[1686871857378378351,1686872728189189160] 1686929965.33s 11mb|-----------------------------------------L0.915-----------------------------------------|"
+ - "L0.828[1686871857378378351,1686872728189189160] 1686930563.07s 5mb|-----------------------------------------L0.828-----------------------------------------|"
+ - "L0.879[1686871857378378351,1686872728189189160] 1686930780.95s 9mb|-----------------------------------------L0.879-----------------------------------------|"
+ - "L0.849[1686871857378378351,1686872728189189160] 1686931336.08s 5mb|-----------------------------------------L0.849-----------------------------------------|"
+ - "L0.795[1686871857378378351,1686872728189189160] 1686931600.58s 8mb|-----------------------------------------L0.795-----------------------------------------|"
+ - "L0.931[1686871857378378351,1686872728189189160] 1686931893.7s 11mb|-----------------------------------------L0.931-----------------------------------------|"
+ - "L0.896[1686871857378378351,1686872728189189160] 1686932677.39s 15mb|-----------------------------------------L0.896-----------------------------------------|"
+ - "L0.839[1686871857378378351,1686872728189189160] 1686933271.57s 5mb|-----------------------------------------L0.839-----------------------------------------|"
+ - "L0.817[1686871857378378351,1686872728189189160] 1686933528.17s 7mb|-----------------------------------------L0.817-----------------------------------------|"
+ - "L0.921[1686871857378378351,1686872728189189160] 1686933830.06s 11mb|-----------------------------------------L0.921-----------------------------------------|"
+ - "L0.756[1686871857378378351,1686872728189189160] 1686934254.96s 8mb|-----------------------------------------L0.756-----------------------------------------|"
+ - "L0.888[1686871857378378351,1686872728189189160] 1686934759.75s 5mb|-----------------------------------------L0.888-----------------------------------------|"
+ - "L0.806[1686871857378378351,1686872728189189160] 1686934966.48s 7mb|-----------------------------------------L0.806-----------------------------------------|"
+ - "L0.926[1686871857378378351,1686872728189189160] 1686935151.54s 11mb|-----------------------------------------L0.926-----------------------------------------|"
+ - "L0.869[1686871857378378351,1686872728189189160] 1686935546.05s 5mb|-----------------------------------------L0.869-----------------------------------------|"
+ - "L0.784[1686871857378378351,1686872728189189160] 1686935742.51s 7mb|-----------------------------------------L0.784-----------------------------------------|"
+ - "L0.903[1686871857378378351,1686872728189189160] 1686935947.46s 11mb|-----------------------------------------L0.903-----------------------------------------|"
+ - "L0.934[1686871857378378351,1686872728189189160] 1686936871.55s 4mb|-----------------------------------------L0.934-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 156mb total:"
+ - "L0 "
+ - "L0.?[1686871857378378351,1686872413821229216] 1686936871.55s 100mb|-------------------------L0.?--------------------------| "
+ - "L0.?[1686872413821229217,1686872728189189160] 1686936871.55s 56mb |-------------L0.?-------------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.756, L0.773, L0.784, L0.795, L0.806, L0.817, L0.828, L0.839, L0.849, L0.859, L0.869, L0.879, L0.888, L0.896, L0.903, L0.915, L0.921, L0.926, L0.931, L0.934"
+ - " Creating 2 files"
+ - "**** Simulation run 124, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[1686873284631629744]). 20 Input Files, 156mb total:"
+ - "L0 "
+ - "L0.860[1686872728189189161,1686873599000000000] 1686929421.02s 5mb|----------------------------------------L0.860-----------------------------------------| "
+ - "L0.774[1686872728189189161,1686873599000000000] 1686929712.33s 7mb|----------------------------------------L0.774-----------------------------------------| "
+ - "L0.916[1686872728189189161,1686873599000000000] 1686929965.33s 11mb|----------------------------------------L0.916-----------------------------------------| "
+ - "L0.829[1686872728189189161,1686873599000000000] 1686930563.07s 5mb|----------------------------------------L0.829-----------------------------------------| "
+ - "L0.880[1686872728189189161,1686873599000000000] 1686930780.95s 9mb|----------------------------------------L0.880-----------------------------------------| "
+ - "L0.850[1686872728189189161,1686873599000000000] 1686931336.08s 5mb|----------------------------------------L0.850-----------------------------------------| "
+ - "L0.796[1686872728189189161,1686873599000000000] 1686931600.58s 8mb|----------------------------------------L0.796-----------------------------------------| "
+ - "L0.932[1686872728189189161,1686873599000000000] 1686931893.7s 11mb|----------------------------------------L0.932-----------------------------------------| "
+ - "L0.897[1686872728189189161,1686873599000000000] 1686932677.39s 15mb|----------------------------------------L0.897-----------------------------------------| "
+ - "L0.840[1686872728189189161,1686873599000000000] 1686933271.57s 5mb|----------------------------------------L0.840-----------------------------------------| "
+ - "L0.818[1686872728189189161,1686873599000000000] 1686933528.17s 7mb|----------------------------------------L0.818-----------------------------------------| "
+ - "L0.922[1686872728189189161,1686873599000000000] 1686933830.06s 11mb|----------------------------------------L0.922-----------------------------------------| "
+ - "L0.757[1686872728189189161,1686873599000000000] 1686934254.96s 8mb|----------------------------------------L0.757-----------------------------------------| "
+ - "L0.889[1686872728189189161,1686873599000000000] 1686934759.75s 5mb|----------------------------------------L0.889-----------------------------------------| "
+ - "L0.807[1686872728189189161,1686873599000000000] 1686934966.48s 7mb|----------------------------------------L0.807-----------------------------------------| "
+ - "L0.927[1686872728189189161,1686873599000000000] 1686935151.54s 11mb|----------------------------------------L0.927-----------------------------------------| "
+ - "L0.870[1686872728189189161,1686873599000000000] 1686935546.05s 5mb|----------------------------------------L0.870-----------------------------------------| "
+ - "L0.785[1686872728189189161,1686873599000000000] 1686935742.51s 7mb|----------------------------------------L0.785-----------------------------------------| "
+ - "L0.904[1686872728189189161,1686873599000000000] 1686935947.46s 11mb|----------------------------------------L0.904-----------------------------------------| "
+ - "L0.935[1686872728189189161,1686873599000000000] 1686936871.55s 4mb|----------------------------------------L0.935-----------------------------------------| "
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 156mb total:"
+ - "L0 "
+ - "L0.?[1686872728189189161,1686873284631629744] 1686936871.55s 100mb|-------------------------L0.?--------------------------| "
+ - "L0.?[1686873284631629745,1686873599000000000] 1686936871.55s 56mb |-------------L0.?-------------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.757, L0.774, L0.785, L0.796, L0.807, L0.818, L0.829, L0.840, L0.850, L0.860, L0.870, L0.880, L0.889, L0.897, L0.904, L0.916, L0.922, L0.927, L0.932, L0.935"
+ - " Creating 2 files"
+ - "**** Simulation run 125, type=split(HighL0OverlapTotalBacklog)(split_times=[1686855892513513500]). 1 Input Files, 1mb total:"
+ - "L1, all files 1mb "
+ - "L1.656[1686855311972972961,1686856182783783770] 1686928854.57s|-----------------------------------------L1.656-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
+ - "L1 "
+ - "L1.?[1686855311972972961,1686855892513513500] 1686928854.57s 746kb|--------------------------L1.?---------------------------| "
+ - "L1.?[1686855892513513501,1686856182783783770] 1686928854.57s 373kb |-----------L1.?------------| "
+ - "**** Simulation run 126, type=split(HighL0OverlapTotalBacklog)(split_times=[1686855892513513500, 1686856473054054039]). 1 Input Files, 100mb total:"
+ - "L0, all files 100mb "
+ - "L0.978[1686855311972972961,1686856536496842959] 1686932677.39s|-----------------------------------------L0.978-----------------------------------------|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L0 "
+ - "L0.?[1686855311972972961,1686855892513513500] 1686932677.39s 47mb|------------------L0.?------------------| "
+ - "L0.?[1686855892513513501,1686856473054054039] 1686932677.39s 47mb |------------------L0.?------------------| "
+ - "L0.?[1686856473054054040,1686856536496842959] 1686932677.39s 5mb |L0.?|"
+ - "**** Simulation run 127, type=split(HighL0OverlapTotalBacklog)(split_times=[1686855892513513500, 1686856473054054039]). 1 Input Files, 100mb total:"
+ - "L0, all files 100mb "
+ - "L0.980[1686855311972972961,1686856564304278603] 1686935742.51s|-----------------------------------------L0.980-----------------------------------------|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L0 "
+ - "L0.?[1686855311972972961,1686855892513513500] 1686935742.51s 46mb|-----------------L0.?------------------| "
+ - "L0.?[1686855892513513501,1686856473054054039] 1686935742.51s 46mb |-----------------L0.?------------------| "
+ - "L0.?[1686856473054054040,1686856564304278603] 1686935742.51s 7mb |L0.?| "
+ - "**** Simulation run 128, type=split(HighL0OverlapTotalBacklog)(split_times=[1686855892513513500, 1686856473054054039]). 1 Input Files, 17mb total:"
+ - "L0, all files 17mb "
+ - "L0.982[1686855311972972961,1686857053594594580] 1686936871.55s|-----------------------------------------L0.982-----------------------------------------|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 17mb total:"
+ - "L0 "
+ - "L0.?[1686855311972972961,1686855892513513500] 1686936871.55s 6mb|-----------L0.?------------| "
+ - "L0.?[1686855892513513501,1686856473054054039] 1686936871.55s 6mb |-----------L0.?------------| "
+ - "L0.?[1686856473054054040,1686857053594594580] 1686936871.55s 6mb |------------L0.?------------| "
+ - "**** Simulation run 129, type=split(HighL0OverlapTotalBacklog)(split_times=[1686856473054054039]). 1 Input Files, 1mb total:"
+ - "L1, all files 1mb "
+ - "L1.657[1686856182783783771,1686857053594594580] 1686928854.57s|-----------------------------------------L1.657-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
+ - "L1 "
+ - "L1.?[1686856182783783771,1686856473054054039] 1686928854.57s 373kb|-----------L1.?------------| "
+ - "L1.?[1686856473054054040,1686857053594594580] 1686928854.57s 746kb |---------------------------L1.?---------------------------| "
+ - "**** Simulation run 130, type=split(HighL0OverlapTotalBacklog)(split_times=[1686857634135135120]). 1 Input Files, 1mb total:"
+ - "L1, all files 1mb "
+ - "L1.658[1686857053594594581,1686857924405405390] 1686928854.57s|-----------------------------------------L1.658-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
+ - "L1 "
+ - "L1.?[1686857053594594581,1686857634135135120] 1686928854.57s 746kb|--------------------------L1.?---------------------------| "
+ - "L1.?[1686857634135135121,1686857924405405390] 1686928854.57s 373kb |-----------L1.?------------| "
+ - "**** Simulation run 131, type=split(HighL0OverlapTotalBacklog)(split_times=[1686857634135135120, 1686858214675675659]). 1 Input Files, 100mb total:"
+ - "L0, all files 100mb "
+ - "L0.983[1686857053594594581,1686858278525917085] 1686932677.39s|-----------------------------------------L0.983-----------------------------------------|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L0 "
+ - "L0.?[1686857053594594581,1686857634135135120] 1686932677.39s 47mb|------------------L0.?------------------| "
+ - "L0.?[1686857634135135121,1686858214675675659] 1686932677.39s 47mb |------------------L0.?------------------| "
+ - "L0.?[1686858214675675660,1686858278525917085] 1686932677.39s 5mb |L0.?|"
+ - "**** Simulation run 132, type=split(HighL0OverlapTotalBacklog)(split_times=[1686857634135135120, 1686858214675675659]). 1 Input Files, 100mb total:"
+ - "L0, all files 100mb "
+ - "L0.985[1686857053594594581,1686858251288003855] 1686935947.46s|-----------------------------------------L0.985-----------------------------------------|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L0 "
+ - "L0.?[1686857053594594581,1686857634135135120] 1686935947.46s 48mb|------------------L0.?-------------------| "
+ - "L0.?[1686857634135135121,1686858214675675659] 1686935947.46s 48mb |------------------L0.?-------------------| "
+ - "L0.?[1686858214675675660,1686858251288003855] 1686935947.46s 3mb |L0.?|"
+ - "**** Simulation run 133, type=split(HighL0OverlapTotalBacklog)(split_times=[1686857634135135120, 1686858214675675659]). 1 Input Files, 11mb total:"
+ - "L0, all files 11mb "
+ - "L0.987[1686857053594594581,1686858795216216200] 1686936871.55s|-----------------------------------------L0.987-----------------------------------------|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 11mb total:"
+ - "L0 "
+ - "L0.?[1686857053594594581,1686857634135135120] 1686936871.55s 4mb|-----------L0.?------------| "
+ - "L0.?[1686857634135135121,1686858214675675659] 1686936871.55s 4mb |-----------L0.?------------| "
+ - "L0.?[1686858214675675660,1686858795216216200] 1686936871.55s 4mb |------------L0.?------------| "
+ - "**** Simulation run 134, type=split(HighL0OverlapTotalBacklog)(split_times=[1686858214675675659]). 1 Input Files, 1mb total:"
+ - "L1, all files 1mb "
+ - "L1.659[1686857924405405391,1686858795216216200] 1686928854.57s|-----------------------------------------L1.659-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
+ - "L1 "
+ - "L1.?[1686857924405405391,1686858214675675659] 1686928854.57s 373kb|-----------L1.?------------| "
+ - "L1.?[1686858214675675660,1686858795216216200] 1686928854.57s 746kb |---------------------------L1.?---------------------------| "
+ - "**** Simulation run 135, type=split(HighL0OverlapTotalBacklog)(split_times=[1686859375756756740, 1686859956297297279]). 1 Input Files, 100mb total:"
+ - "L0, all files 100mb "
+ - "L0.988[1686858795216216201,1686859969989511638] 1686932677.39s|-----------------------------------------L0.988-----------------------------------------|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L0 "
+ - "L0.?[1686858795216216201,1686859375756756740] 1686932677.39s 49mb|-------------------L0.?-------------------| "
+ - "L0.?[1686859375756756741,1686859956297297279] 1686932677.39s 49mb |-------------------L0.?-------------------| "
+ - "L0.?[1686859956297297280,1686859969989511638] 1686932677.39s 1mb |L0.?|"
+ - "**** Simulation run 136, type=split(HighL0OverlapTotalBacklog)(split_times=[1686859375756756740, 1686859956297297279]). 1 Input Files, 100mb total:"
+ - "L0, all files 100mb "
+ - "L0.990[1686858795216216201,1686859988431489230] 1686935947.46s|-----------------------------------------L0.990-----------------------------------------|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L0 "
+ - "L0.?[1686858795216216201,1686859375756756740] 1686935947.46s 49mb|------------------L0.?-------------------| "
+ - "L0.?[1686859375756756741,1686859956297297279] 1686935947.46s 49mb |------------------L0.?-------------------| "
+ - "L0.?[1686859956297297280,1686859988431489230] 1686935947.46s 3mb |L0.?|"
+ - "**** Simulation run 137, type=split(HighL0OverlapTotalBacklog)(split_times=[1686859375756756740, 1686859956297297279]). 1 Input Files, 6mb total:"
+ - "L0, all files 6mb "
+ - "L0.992[1686858795216216201,1686860536837837820] 1686936871.55s|-----------------------------------------L0.992-----------------------------------------|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 6mb total:"
+ - "L0 "
+ - "L0.?[1686858795216216201,1686859375756756740] 1686936871.55s 2mb|-----------L0.?------------| "
+ - "L0.?[1686859375756756741,1686859956297297279] 1686936871.55s 2mb |-----------L0.?------------| "
+ - "L0.?[1686859956297297280,1686860536837837820] 1686936871.55s 2mb |------------L0.?------------| "
+ - "**** Simulation run 138, type=split(HighL0OverlapTotalBacklog)(split_times=[1686859375756756740]). 1 Input Files, 579kb total:"
+ - "L1, all files 579kb "
+ - "L1.53[1686859079000000000,1686859499000000000] 1686928854.57s|-----------------------------------------L1.53------------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 579kb total:"
+ - "L1 "
+ - "L1.?[1686859079000000000,1686859375756756740] 1686928854.57s 409kb|----------------------------L1.?-----------------------------| "
+ - "L1.?[1686859375756756741,1686859499000000000] 1686928854.57s 170kb |----------L1.?----------| "
+ - "**** Simulation run 139, type=split(HighL0OverlapTotalBacklog)(split_times=[1686859956297297279]). 1 Input Files, 1mb total:"
+ - "L1, all files 1mb "
+ - "L1.740[1686859666027027011,1686860536837837820] 1686928854.57s|-----------------------------------------L1.740-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
+ - "L1 "
+ - "L1.?[1686859666027027011,1686859956297297279] 1686928854.57s 371kb|-----------L1.?------------| "
+ - "L1.?[1686859956297297280,1686860536837837820] 1686928854.57s 743kb |---------------------------L1.?---------------------------| "
+ - "**** Simulation run 140, type=split(HighL0OverlapTotalBacklog)(split_times=[1686861117378378360]). 1 Input Files, 1mb total:"
+ - "L1, all files 1mb "
+ - "L1.741[1686860536837837821,1686861407648648630] 1686928854.57s|-----------------------------------------L1.741-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
+ - "L1 "
+ - "L1.?[1686860536837837821,1686861117378378360] 1686928854.57s 743kb|--------------------------L1.?---------------------------| "
+ - "L1.?[1686861117378378361,1686861407648648630] 1686928854.57s 371kb |-----------L1.?------------| "
+ - "**** Simulation run 141, type=split(HighL0OverlapTotalBacklog)(split_times=[1686861117378378360, 1686861697918918899]). 1 Input Files, 100mb total:"
+ - "L0, all files 100mb "
+ - "L0.1007[1686860536837837821,1686861711611133258] 1686932677.39s|----------------------------------------L0.1007-----------------------------------------|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L0 "
+ - "L0.?[1686860536837837821,1686861117378378360] 1686932677.39s 49mb|-------------------L0.?-------------------| "
+ - "L0.?[1686861117378378361,1686861697918918899] 1686932677.39s 49mb |-------------------L0.?-------------------| "
+ - "L0.?[1686861697918918900,1686861711611133258] 1686932677.39s 1mb |L0.?|"
+ - "**** Simulation run 142, type=split(HighL0OverlapTotalBacklog)(split_times=[1686861117378378360, 1686861697918918899]). 1 Input Files, 100mb total:"
+ - "L0, all files 100mb "
+ - "L0.1009[1686860536837837821,1686861730053110850] 1686935947.46s|----------------------------------------L0.1009-----------------------------------------|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L0 "
+ - "L0.?[1686860536837837821,1686861117378378360] 1686935947.46s 49mb|------------------L0.?-------------------| "
+ - "L0.?[1686861117378378361,1686861697918918899] 1686935947.46s 49mb |------------------L0.?-------------------| "
+ - "L0.?[1686861697918918900,1686861730053110850] 1686935947.46s 3mb |L0.?|"
+ - "**** Simulation run 143, type=split(HighL0OverlapTotalBacklog)(split_times=[1686861117378378360, 1686861697918918899]). 1 Input Files, 6mb total:"
+ - "L0, all files 6mb "
+ - "L0.993[1686860536837837821,1686862278459459440] 1686936871.55s|-----------------------------------------L0.993-----------------------------------------|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 6mb total:"
+ - "L0 "
+ - "L0.?[1686860536837837821,1686861117378378360] 1686936871.55s 2mb|-----------L0.?------------| "
+ - "L0.?[1686861117378378361,1686861697918918899] 1686936871.55s 2mb |-----------L0.?------------| "
+ - "L0.?[1686861697918918900,1686862278459459440] 1686936871.55s 2mb |------------L0.?------------| "
+ - "**** Simulation run 144, type=split(HighL0OverlapTotalBacklog)(split_times=[1686862858999999980, 1686863439540540519]). 1 Input Files, 100mb total:"
+ - "L0, all files 100mb "
+ - "L0.994[1686862278459459441,1686863453232754878] 1686932677.39s|-----------------------------------------L0.994-----------------------------------------|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L0 "
+ - "L0.?[1686862278459459441,1686862858999999980] 1686932677.39s 49mb|-------------------L0.?-------------------| "
+ - "L0.?[1686862858999999981,1686863439540540519] 1686932677.39s 49mb |-------------------L0.?-------------------| "
+ - "L0.?[1686863439540540520,1686863453232754878] 1686932677.39s 1mb |L0.?|"
+ - "**** Simulation run 145, type=split(HighL0OverlapTotalBacklog)(split_times=[1686862858999999980, 1686863439540540519]). 1 Input Files, 100mb total:"
+ - "L0, all files 100mb "
+ - "L0.996[1686862278459459441,1686863528879205201] 1686935947.46s|-----------------------------------------L0.996-----------------------------------------|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L0 "
+ - "L0.?[1686862278459459441,1686862858999999980] 1686935947.46s 46mb|-----------------L0.?------------------| "
+ - "L0.?[1686862858999999981,1686863439540540519] 1686935947.46s 46mb |-----------------L0.?------------------| "
+ - "L0.?[1686863439540540520,1686863528879205201] 1686935947.46s 7mb |L0.?| "
+ - "**** Simulation run 146, type=split(HighL0OverlapTotalBacklog)(split_times=[1686862858999999980, 1686863439540540519]). 1 Input Files, 11mb total:"
+ - "L0, all files 11mb "
+ - "L0.998[1686862278459459441,1686864020081081060] 1686936871.55s|-----------------------------------------L0.998-----------------------------------------|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 11mb total:"
+ - "L0 "
+ - "L0.?[1686862278459459441,1686862858999999980] 1686936871.55s 4mb|-----------L0.?------------| "
+ - "L0.?[1686862858999999981,1686863439540540519] 1686936871.55s 4mb |-----------L0.?------------| "
+ - "L0.?[1686863439540540520,1686864020081081060] 1686936871.55s 4mb |------------L0.?------------| "
+ - "**** Simulation run 147, type=split(HighL0OverlapTotalBacklog)(split_times=[1686863439540540519]). 1 Input Files, 703kb total:"
+ - "L1, all files 703kb "
+ - "L1.744[1686863149270270251,1686863699000000000] 1686928854.57s|-----------------------------------------L1.744-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 703kb total:"
+ - "L1 "
+ - "L1.?[1686863149270270251,1686863439540540519] 1686928854.57s 371kb|--------------------L1.?---------------------| "
+ - "L1.?[1686863439540540520,1686863699000000000] 1686928854.57s 332kb |------------------L1.?------------------| "
+ - "**** Simulation run 148, type=split(HighL0OverlapTotalBacklog)(split_times=[1686861697918918899]). 1 Input Files, 1mb total:"
+ - "L1, all files 1mb "
+ - "L1.742[1686861407648648631,1686862278459459440] 1686928854.57s|-----------------------------------------L1.742-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
+ - "L1 "
+ - "L1.?[1686861407648648631,1686861697918918899] 1686928854.57s 371kb|-----------L1.?------------| "
+ - "L1.?[1686861697918918900,1686862278459459440] 1686928854.57s 743kb |---------------------------L1.?---------------------------| "
+ - "**** Simulation run 149, type=split(HighL0OverlapTotalBacklog)(split_times=[1686862858999999980]). 1 Input Files, 1mb total:"
+ - "L1, all files 1mb "
+ - "L1.743[1686862278459459441,1686863149270270250] 1686928854.57s|-----------------------------------------L1.743-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
+ - "L1 "
+ - "L1.?[1686862278459459441,1686862858999999980] 1686928854.57s 743kb|--------------------------L1.?---------------------------| "
+ - "L1.?[1686862858999999981,1686863149270270250] 1686928854.57s 371kb |-----------L1.?------------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 25 files: L1.53, L1.656, L1.657, L1.658, L1.659, L1.740, L1.741, L1.742, L1.743, L1.744, L0.978, L0.980, L0.982, L0.983, L0.985, L0.987, L0.988, L0.990, L0.992, L0.993, L0.994, L0.996, L0.998, L0.1007, L0.1009"
+ - " Creating 65 files"
+ - "**** Simulation run 150, type=split(ReduceOverlap)(split_times=[1686852699540540530]). 1 Input Files, 82mb total:"
+ - "L0, all files 82mb "
+ - "L0.966[1686851828729729721,1686853222027027016] 1686931600.58s|-----------------------------------------L0.966-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 82mb total:"
+ - "L0 "
+ - "L0.?[1686851828729729721,1686852699540540530] 1686931600.58s 51mb|-------------------------L0.?-------------------------| "
+ - "L0.?[1686852699540540531,1686853222027027016] 1686931600.58s 31mb |-------------L0.?--------------| "
+ - "**** Simulation run 151, type=split(ReduceOverlap)(split_times=[1686864890891891870]). 1 Input Files, 78mb total:"
+ - "L0, all files 78mb "
+ - "L0.999[1686864020081081061,1686865413378378356] 1686931893.7s|-----------------------------------------L0.999-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 78mb total:"
+ - "L0 "
+ - "L0.?[1686864020081081061,1686864890891891870] 1686931893.7s 49mb|-------------------------L0.?-------------------------| "
+ - "L0.?[1686864890891891871,1686865413378378356] 1686931893.7s 29mb |-------------L0.?--------------| "
+ - "**** Simulation run 152, type=split(ReduceOverlap)(split_times=[1686842249810810810]). 1 Input Files, 100mb total:"
+ - "L0, all files 100mb "
+ - "L0.936[1686841379000000000,1686842589641148927] 1686932677.39s|-----------------------------------------L0.936-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L0 "
+ - "L0.?[1686841379000000000,1686842249810810810] 1686932677.39s 72mb|-----------------------------L0.?-----------------------------| "
+ - "L0.?[1686842249810810811,1686842589641148927] 1686932677.39s 28mb |---------L0.?----------| "
+ - "**** Simulation run 153, type=split(ReduceOverlap)(split_times=[1686843991432432430]). 1 Input Files, 100mb total:"
+ - "L0, all files 100mb "
+ - "L0.941[1686843120621621621,1686844331262770547] 1686932677.39s|-----------------------------------------L0.941-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L0 "
+ - "L0.?[1686843120621621621,1686843991432432430] 1686932677.39s 72mb|-----------------------------L0.?-----------------------------| "
+ - "L0.?[1686843991432432431,1686844331262770547] 1686932677.39s 28mb |---------L0.?----------| "
+ - "**** Simulation run 154, type=split(ReduceOverlap)(split_times=[1686845579000000000, 1686845733054054050]). 1 Input Files, 100mb total:"
+ - "L0, all files 100mb "
+ - "L0.946[1686844862243243241,1686846072884392167] 1686932677.39s|-----------------------------------------L0.946-----------------------------------------|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L0 "
+ - "L0.?[1686844862243243241,1686845579000000000] 1686932677.39s 59mb|-----------------------L0.?------------------------| "
+ - "L0.?[1686845579000000001,1686845733054054050] 1686932677.39s 13mb |--L0.?---| "
+ - "L0.?[1686845733054054051,1686846072884392167] 1686932677.39s 28mb |---------L0.?----------| "
+ - "**** Simulation run 155, type=split(ReduceOverlap)(split_times=[1686847474675675670]). 1 Input Files, 100mb total:"
+ - "L0, all files 100mb "
+ - "L0.950[1686846603864864861,1686847814506013787] 1686932677.39s|-----------------------------------------L0.950-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L0 "
+ - "L0.?[1686846603864864861,1686847474675675670] 1686932677.39s 72mb|-----------------------------L0.?-----------------------------| "
+ - "L0.?[1686847474675675671,1686847814506013787] 1686932677.39s 28mb |---------L0.?----------| "
+ - "**** Simulation run 156, type=split(ReduceOverlap)(split_times=[1686849216297297290]). 1 Input Files, 100mb total:"
+ - "L0, all files 100mb "
+ - "L0.955[1686848345486486481,1686849600239388909] 1686932677.39s|-----------------------------------------L0.955-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L0 "
+ - "L0.?[1686848345486486481,1686849216297297290] 1686932677.39s 69mb|----------------------------L0.?----------------------------| "
+ - "L0.?[1686849216297297291,1686849600239388909] 1686932677.39s 31mb |----------L0.?-----------| "
+ - "**** Simulation run 157, type=split(ReduceOverlap)(split_times=[1686849779000000000]). 1 Input Files, 39mb total:"
+ - "L0, all files 39mb "
+ - "L0.956[1686849600239388910,1686850087108108100] 1686932677.39s|-----------------------------------------L0.956-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 39mb total:"
+ - "L0 "
+ - "L0.?[1686849600239388910,1686849779000000000] 1686932677.39s 14mb|-------------L0.?--------------| "
+ - "L0.?[1686849779000000001,1686850087108108100] 1686932677.39s 25mb |-------------------------L0.?-------------------------| "
+ - "**** Simulation run 158, type=split(ReduceOverlap)(split_times=[1686850559000000000, 1686850957918918910]). 1 Input Files, 100mb total:"
+ - "L0, all files 100mb "
+ - "L0.960[1686850087108108101,1686851297766913590] 1686932677.39s|-----------------------------------------L0.960-----------------------------------------|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L0 "
+ - "L0.?[1686850087108108101,1686850559000000000] 1686932677.39s 39mb|--------------L0.?---------------| "
+ - "L0.?[1686850559000000001,1686850957918918910] 1686932677.39s 33mb |-----------L0.?------------| "
+ - "L0.?[1686850957918918911,1686851297766913590] 1686932677.39s 28mb |---------L0.?----------| "
+ - "**** Simulation run 159, type=split(ReduceOverlap)(split_times=[1686854441162162150, 1686854819000000000]). 1 Input Files, 100mb total:"
+ - "L0, all files 100mb "
+ - "L0.972[1686853570351351341,1686854830189955965] 1686932677.39s|-----------------------------------------L0.972-----------------------------------------|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L0 "
+ - "L0.?[1686853570351351341,1686854441162162150] 1686932677.39s 69mb|----------------------------L0.?----------------------------| "
+ - "L0.?[1686854441162162151,1686854819000000000] 1686932677.39s 30mb |----------L0.?----------| "
+ - "L0.?[1686854819000000001,1686854830189955965] 1686932677.39s 910kb |L0.?|"
+ - "**** Simulation run 160, type=split(ReduceOverlap)(split_times=[1686856182783783770]). 1 Input Files, 47mb total:"
+ - "L0, all files 47mb "
+ - "L0.1034[1686855892513513501,1686856473054054039] 1686932677.39s|----------------------------------------L0.1034-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 47mb total:"
+ - "L0, all files 24mb "
+ - "L0.?[1686855892513513501,1686856182783783770] 1686932677.39s|-------------------L0.?--------------------| "
+ - "L0.?[1686856182783783771,1686856473054054039] 1686932677.39s |-------------------L0.?-------------------| "
+ - "**** Simulation run 161, type=split(ReduceOverlap)(split_times=[1686857924405405390]). 1 Input Files, 47mb total:"
+ - "L0, all files 47mb "
+ - "L0.1047[1686857634135135121,1686858214675675659] 1686932677.39s|----------------------------------------L0.1047-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 47mb total:"
+ - "L0, all files 24mb "
+ - "L0.?[1686857634135135121,1686857924405405390] 1686932677.39s|-------------------L0.?--------------------| "
+ - "L0.?[1686857924405405391,1686858214675675659] 1686932677.39s |-------------------L0.?-------------------| "
+ - "**** Simulation run 162, type=split(ReduceOverlap)(split_times=[1686859019000000000]). 1 Input Files, 49mb total:"
+ - "L0, all files 49mb "
+ - "L0.1057[1686858795216216201,1686859375756756740] 1686932677.39s|----------------------------------------L0.1057-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 49mb total:"
+ - "L0 "
+ - "L0.?[1686858795216216201,1686859019000000000] 1686932677.39s 19mb|--------------L0.?--------------| "
+ - "L0.?[1686859019000000001,1686859375756756740] 1686932677.39s 30mb |------------------------L0.?-------------------------| "
+ - "**** Simulation run 163, type=split(ReduceOverlap)(split_times=[1686859499000000000, 1686859666027027010]). 1 Input Files, 49mb total:"
+ - "L0, all files 49mb "
+ - "L0.1058[1686859375756756741,1686859956297297279] 1686932677.39s|----------------------------------------L0.1058-----------------------------------------|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 49mb total:"
+ - "L0 "
+ - "L0.?[1686859375756756741,1686859499000000000] 1686932677.39s 10mb|------L0.?-------| "
+ - "L0.?[1686859499000000001,1686859666027027010] 1686932677.39s 14mb |---------L0.?----------| "
+ - "L0.?[1686859666027027011,1686859956297297279] 1686932677.39s 25mb |-------------------L0.?-------------------| "
+ - "**** Simulation run 164, type=split(ReduceOverlap)(split_times=[1686861407648648630]). 1 Input Files, 49mb total:"
+ - "L0, all files 49mb "
+ - "L0.1073[1686861117378378361,1686861697918918899] 1686932677.39s|----------------------------------------L0.1073-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 49mb total:"
+ - "L0 "
+ - "L0.?[1686861117378378361,1686861407648648630] 1686932677.39s 25mb|-------------------L0.?--------------------| "
+ - "L0.?[1686861407648648631,1686861697918918899] 1686932677.39s 25mb |-------------------L0.?-------------------| "
+ - "**** Simulation run 165, type=split(ReduceOverlap)(split_times=[1686863149270270250]). 1 Input Files, 49mb total:"
+ - "L0, all files 49mb "
+ - "L0.1082[1686862858999999981,1686863439540540519] 1686932677.39s|----------------------------------------L0.1082-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 49mb total:"
+ - "L0 "
+ - "L0.?[1686862858999999981,1686863149270270250] 1686932677.39s 25mb|-------------------L0.?--------------------| "
+ - "L0.?[1686863149270270251,1686863439540540519] 1686932677.39s 25mb |-------------------L0.?-------------------| "
+ - "**** Simulation run 166, type=split(ReduceOverlap)(split_times=[1686863699000000000]). 1 Input Files, 48mb total:"
+ - "L0, all files 48mb "
+ - "L0.995[1686863453232754879,1686864020081081060] 1686932677.39s|-----------------------------------------L0.995-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 48mb total:"
+ - "L0 "
+ - "L0.?[1686863453232754879,1686863699000000000] 1686932677.39s 21mb|----------------L0.?-----------------| "
+ - "L0.?[1686863699000000001,1686864020081081060] 1686932677.39s 27mb |----------------------L0.?----------------------| "
+ - "**** Simulation run 167, type=split(ReduceOverlap)(split_times=[1686866632513513490]). 1 Input Files, 100mb total:"
+ - "L0, all files 100mb "
+ - "L0.1005[1686865761702702681,1686867209822490496] 1686932677.39s|----------------------------------------L0.1005-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L0 "
+ - "L0.?[1686865761702702681,1686866632513513490] 1686932677.39s 60mb|------------------------L0.?------------------------| "
+ - "L0.?[1686866632513513491,1686867209822490496] 1686932677.39s 40mb |--------------L0.?---------------| "
+ - "**** Simulation run 168, type=split(ReduceOverlap)(split_times=[1686867659000000000, 1686867839000000000, 1686868319000000000]). 1 Input Files, 100mb total:"
+ - "L0, all files 100mb "
+ - "L0.1014[1686867503324324301,1686868747944483205] 1686933271.57s|----------------------------------------L0.1014-----------------------------------------|"
+ - "**** 4 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L0 "
+ - "L0.?[1686867503324324301,1686867659000000000] 1686933271.57s 13mb|--L0.?---| "
+ - "L0.?[1686867659000000001,1686867839000000000] 1686933271.57s 14mb |---L0.?----| "
+ - "L0.?[1686867839000000001,1686868319000000000] 1686933271.57s 39mb |--------------L0.?--------------| "
+ - "L0.?[1686868319000000001,1686868747944483205] 1686933271.57s 34mb |------------L0.?-------------| "
+ - "**** Simulation run 169, type=split(ReduceOverlap)(split_times=[1686852699540540530]). 1 Input Files, 100mb total:"
+ - "L0, all files 100mb "
+ - "L0.968[1686851828729729721,1686853236700974398] 1686934966.48s|-----------------------------------------L0.968-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L0 "
+ - "L0.?[1686851828729729721,1686852699540540530] 1686934966.48s 62mb|------------------------L0.?-------------------------| "
+ - "L0.?[1686852699540540531,1686853236700974398] 1686934966.48s 38mb |--------------L0.?--------------| "
+ - "**** Simulation run 170, type=split(ReduceOverlap)(split_times=[1686864890891891870]). 1 Input Files, 94mb total:"
+ - "L0, all files 94mb "
+ - "L0.1001[1686864020081081061,1686865413378378356] 1686934966.48s|----------------------------------------L0.1001-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 94mb total:"
+ - "L0 "
+ - "L0.?[1686864020081081061,1686864890891891870] 1686934966.48s 58mb|-------------------------L0.?-------------------------| "
+ - "L0.?[1686864890891891871,1686865413378378356] 1686934966.48s 35mb |-------------L0.?--------------| "
+ - "**** Simulation run 171, type=split(ReduceOverlap)(split_times=[1686854441162162150, 1686854819000000000]). 1 Input Files, 94mb total:"
+ - "L0, all files 94mb "
+ - "L0.974[1686853570351351341,1686854963648648636] 1686935546.05s|-----------------------------------------L0.974-----------------------------------------|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 94mb total:"
+ - "L0 "
+ - "L0.?[1686853570351351341,1686854441162162150] 1686935546.05s 59mb|-------------------------L0.?-------------------------| "
+ - "L0.?[1686854441162162151,1686854819000000000] 1686935546.05s 26mb |---------L0.?---------| "
+ - "L0.?[1686854819000000001,1686854963648648636] 1686935546.05s 10mb |-L0.?--| "
+ - "**** Simulation run 172, type=split(ReduceOverlap)(split_times=[1686856182783783770]). 1 Input Files, 46mb total:"
+ - "L0, all files 46mb "
+ - "L0.1037[1686855892513513501,1686856473054054039] 1686935742.51s|----------------------------------------L0.1037-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 46mb total:"
+ - "L0, all files 23mb "
+ - "L0.?[1686855892513513501,1686856182783783770] 1686935742.51s|-------------------L0.?--------------------| "
+ - "L0.?[1686856182783783771,1686856473054054039] 1686935742.51s |-------------------L0.?-------------------| "
+ - "**** Simulation run 173, type=split(ReduceOverlap)(split_times=[1686842249810810810]). 1 Input Files, 100mb total:"
+ - "L0, all files 100mb "
+ - "L0.938[1686841379000000000,1686842593136179151] 1686935947.46s|-----------------------------------------L0.938-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L0 "
+ - "L0.?[1686841379000000000,1686842249810810810] 1686935947.46s 72mb|-----------------------------L0.?-----------------------------| "
+ - "L0.?[1686842249810810811,1686842593136179151] 1686935947.46s 28mb |---------L0.?----------| "
+ - "**** Simulation run 174, type=split(ReduceOverlap)(split_times=[1686843991432432430]). 1 Input Files, 100mb total:"
+ - "L0, all files 100mb "
+ - "L0.943[1686843120621621621,1686844334757800771] 1686935947.46s|-----------------------------------------L0.943-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L0 "
+ - "L0.?[1686843120621621621,1686843991432432430] 1686935947.46s 72mb|-----------------------------L0.?-----------------------------| "
+ - "L0.?[1686843991432432431,1686844334757800771] 1686935947.46s 28mb |---------L0.?----------| "
+ - "**** Simulation run 175, type=split(ReduceOverlap)(split_times=[1686845579000000000, 1686845733054054050]). 1 Input Files, 100mb total:"
+ - "L0, all files 100mb "
+ - "L0.948[1686844862243243241,1686846076379422391] 1686935947.46s|-----------------------------------------L0.948-----------------------------------------|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L0 "
+ - "L0.?[1686844862243243241,1686845579000000000] 1686935947.46s 59mb|-----------------------L0.?------------------------| "
+ - "L0.?[1686845579000000001,1686845733054054050] 1686935947.46s 13mb |--L0.?---| "
+ - "L0.?[1686845733054054051,1686846076379422391] 1686935947.46s 28mb |---------L0.?----------| "
+ - "**** Simulation run 176, type=split(ReduceOverlap)(split_times=[1686847474675675670]). 1 Input Files, 100mb total:"
+ - "L0, all files 100mb "
+ - "L0.952[1686846603864864861,1686847818001044011] 1686935947.46s|-----------------------------------------L0.952-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L0 "
+ - "L0.?[1686846603864864861,1686847474675675670] 1686935947.46s 72mb|-----------------------------L0.?-----------------------------| "
+ - "L0.?[1686847474675675671,1686847818001044011] 1686935947.46s 28mb |---------L0.?----------| "
+ - "**** Simulation run 177, type=split(ReduceOverlap)(split_times=[1686849216297297290]). 1 Input Files, 100mb total:"
+ - "L0, all files 100mb "
+ - "L0.957[1686848345486486481,1686849568759166090] 1686935947.46s|-----------------------------------------L0.957-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L0 "
+ - "L0.?[1686848345486486481,1686849216297297290] 1686935947.46s 71mb|-----------------------------L0.?-----------------------------| "
+ - "L0.?[1686849216297297291,1686849568759166090] 1686935947.46s 29mb |---------L0.?----------| "
+ - "**** Simulation run 178, type=split(ReduceOverlap)(split_times=[1686849779000000000]). 1 Input Files, 42mb total:"
+ - "L0, all files 42mb "
+ - "L0.958[1686849568759166091,1686850087108108100] 1686935947.46s|-----------------------------------------L0.958-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 42mb total:"
+ - "L0 "
+ - "L0.?[1686849568759166091,1686849779000000000] 1686935947.46s 17mb|---------------L0.?---------------| "
+ - "L0.?[1686849779000000001,1686850087108108100] 1686935947.46s 25mb |-----------------------L0.?------------------------| "
+ - "**** Simulation run 179, type=split(ReduceOverlap)(split_times=[1686850559000000000, 1686850957918918910]). 1 Input Files, 100mb total:"
+ - "L0, all files 100mb "
+ - "L0.962[1686850087108108101,1686851301244287251] 1686935947.46s|-----------------------------------------L0.962-----------------------------------------|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L0 "
+ - "L0.?[1686850087108108101,1686850559000000000] 1686935947.46s 39mb|--------------L0.?--------------| "
+ - "L0.?[1686850559000000001,1686850957918918910] 1686935947.46s 33mb |-----------L0.?------------| "
+ - "L0.?[1686850957918918911,1686851301244287251] 1686935947.46s 28mb |---------L0.?----------| "
+ - "**** Simulation run 180, type=split(ReduceOverlap)(split_times=[1686857924405405390]). 1 Input Files, 48mb total:"
+ - "L0, all files 48mb "
+ - "L0.1050[1686857634135135121,1686858214675675659] 1686935947.46s|----------------------------------------L0.1050-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 48mb total:"
+ - "L0, all files 24mb "
+ - "L0.?[1686857634135135121,1686857924405405390] 1686935947.46s|-------------------L0.?--------------------| "
+ - "L0.?[1686857924405405391,1686858214675675659] 1686935947.46s |-------------------L0.?-------------------| "
+ - "**** Simulation run 181, type=split(ReduceOverlap)(split_times=[1686859019000000000]). 1 Input Files, 49mb total:"
+ - "L0, all files 49mb "
+ - "L0.1060[1686858795216216201,1686859375756756740] 1686935947.46s|----------------------------------------L0.1060-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 49mb total:"
+ - "L0 "
+ - "L0.?[1686858795216216201,1686859019000000000] 1686935947.46s 19mb|--------------L0.?--------------| "
+ - "L0.?[1686859019000000001,1686859375756756740] 1686935947.46s 30mb |------------------------L0.?-------------------------| "
+ - "**** Simulation run 182, type=split(ReduceOverlap)(split_times=[1686859499000000000, 1686859666027027010]). 1 Input Files, 49mb total:"
+ - "L0, all files 49mb "
+ - "L0.1061[1686859375756756741,1686859956297297279] 1686935947.46s|----------------------------------------L0.1061-----------------------------------------|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 49mb total:"
+ - "L0 "
+ - "L0.?[1686859375756756741,1686859499000000000] 1686935947.46s 10mb|------L0.?-------| "
+ - "L0.?[1686859499000000001,1686859666027027010] 1686935947.46s 14mb |---------L0.?----------| "
+ - "L0.?[1686859666027027011,1686859956297297279] 1686935947.46s 24mb |-------------------L0.?-------------------| "
+ - "**** Simulation run 183, type=split(ReduceOverlap)(split_times=[1686861407648648630]). 1 Input Files, 49mb total:"
+ - "L0, all files 49mb "
+ - "L0.1076[1686861117378378361,1686861697918918899] 1686935947.46s|----------------------------------------L0.1076-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 49mb total:"
+ - "L0, all files 24mb "
+ - "L0.?[1686861117378378361,1686861407648648630] 1686935947.46s|-------------------L0.?--------------------| "
+ - "L0.?[1686861407648648631,1686861697918918899] 1686935947.46s |-------------------L0.?-------------------| "
+ - "**** Simulation run 184, type=split(ReduceOverlap)(split_times=[1686863149270270250]). 1 Input Files, 46mb total:"
+ - "L0, all files 46mb "
+ - "L0.1085[1686862858999999981,1686863439540540519] 1686935947.46s|----------------------------------------L0.1085-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 46mb total:"
+ - "L0, all files 23mb "
+ - "L0.?[1686862858999999981,1686863149270270250] 1686935947.46s|-------------------L0.?--------------------| "
+ - "L0.?[1686863149270270251,1686863439540540519] 1686935947.46s |-------------------L0.?-------------------| "
+ - "**** Simulation run 185, type=split(ReduceOverlap)(split_times=[1686863699000000000]). 1 Input Files, 39mb total:"
+ - "L0, all files 39mb "
+ - "L0.997[1686863528879205202,1686864020081081060] 1686935947.46s|-----------------------------------------L0.997-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 39mb total:"
+ - "L0 "
+ - "L0.?[1686863528879205202,1686863699000000000] 1686935947.46s 14mb|------------L0.?-------------| "
+ - "L0.?[1686863699000000001,1686864020081081060] 1686935947.46s 26mb |--------------------------L0.?--------------------------| "
+ - "**** Simulation run 186, type=split(ReduceOverlap)(split_times=[1686866632513513490]). 1 Input Files, 95mb total:"
+ - "L0, all files 95mb "
+ - "L0.1011[1686865761702702681,1686867154999999976] 1686935947.46s|----------------------------------------L0.1011-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 95mb total:"
+ - "L0 "
+ - "L0.?[1686865761702702681,1686866632513513490] 1686935947.46s 59mb|-------------------------L0.?-------------------------| "
+ - "L0.?[1686866632513513491,1686867154999999976] 1686935947.46s 36mb |-------------L0.?--------------| "
+ - "**** Simulation run 187, type=split(ReduceOverlap)(split_times=[1686867659000000000, 1686867839000000000, 1686868319000000000]). 1 Input Files, 93mb total:"
+ - "L0, all files 93mb "
+ - "L0.1016[1686867503324324301,1686868896621621596] 1686935947.46s|----------------------------------------L0.1016-----------------------------------------|"
+ - "**** 4 Output Files (parquet_file_id not yet assigned), 93mb total:"
+ - "L0 "
+ - "L0.?[1686867503324324301,1686867659000000000] 1686935947.46s 10mb|--L0.?--| "
+ - "L0.?[1686867659000000001,1686867839000000000] 1686935947.46s 12mb |--L0.?---| "
+ - "L0.?[1686867839000000001,1686868319000000000] 1686935947.46s 32mb |------------L0.?-------------| "
+ - "L0.?[1686868319000000001,1686868896621621596] 1686935947.46s 38mb |---------------L0.?----------------| "
+ - "**** Simulation run 188, type=split(ReduceOverlap)(split_times=[1686842249810810810]). 1 Input Files, 6mb total:"
+ - "L0, all files 6mb "
+ - "L0.940[1686841379000000000,1686843120621621620] 1686936871.55s|-----------------------------------------L0.940-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 6mb total:"
+ - "L0, all files 3mb "
+ - "L0.?[1686841379000000000,1686842249810810810] 1686936871.55s|-------------------L0.?--------------------| "
+ - "L0.?[1686842249810810811,1686843120621621620] 1686936871.55s |-------------------L0.?-------------------| "
+ - "**** Simulation run 189, type=split(ReduceOverlap)(split_times=[1686843991432432430]). 1 Input Files, 6mb total:"
+ - "L0, all files 6mb "
+ - "L0.945[1686843120621621621,1686844862243243240] 1686936871.55s|-----------------------------------------L0.945-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 6mb total:"
+ - "L0 "
+ - "L0.?[1686843120621621621,1686843991432432430] 1686936871.55s 3mb|-------------------L0.?-------------------| "
+ - "L0.?[1686843991432432431,1686844862243243240] 1686936871.55s 3mb |-------------------L0.?-------------------| "
+ - "**** Simulation run 190, type=split(ReduceOverlap)(split_times=[1686845579000000000, 1686845733054054050]). 1 Input Files, 6mb total:"
+ - "L0, all files 6mb "
+ - "L0.964[1686844862243243241,1686846603864864860] 1686936871.55s|-----------------------------------------L0.964-----------------------------------------|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 6mb total:"
+ - "L0 "
+ - "L0.?[1686844862243243241,1686845579000000000] 1686936871.55s 2mb|---------------L0.?----------------| "
+ - "L0.?[1686845579000000001,1686845733054054050] 1686936871.55s 510kb |L0.?-| "
+ - "L0.?[1686845733054054051,1686846603864864860] 1686936871.55s 3mb |-------------------L0.?-------------------| "
+ - "**** Simulation run 191, type=split(ReduceOverlap)(split_times=[1686847474675675670]). 1 Input Files, 6mb total:"
+ - "L0, all files 6mb "
+ - "L0.954[1686846603864864861,1686848345486486480] 1686936871.55s|-----------------------------------------L0.954-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 6mb total:"
+ - "L0 "
+ - "L0.?[1686846603864864861,1686847474675675670] 1686936871.55s 3mb|-------------------L0.?-------------------| "
+ - "L0.?[1686847474675675671,1686848345486486480] 1686936871.55s 3mb |-------------------L0.?-------------------| "
+ - "**** Simulation run 192, type=split(ReduceOverlap)(split_times=[1686849216297297290, 1686849779000000000]). 1 Input Files, 11mb total:"
+ - "L0, all files 11mb "
+ - "L0.959[1686848345486486481,1686850087108108100] 1686936871.55s|-----------------------------------------L0.959-----------------------------------------|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 11mb total:"
+ - "L0 "
+ - "L0.?[1686848345486486481,1686849216297297290] 1686936871.55s 6mb|-------------------L0.?-------------------| "
+ - "L0.?[1686849216297297291,1686849779000000000] 1686936871.55s 4mb |-----------L0.?------------| "
+ - "L0.?[1686849779000000001,1686850087108108100] 1686936871.55s 2mb |----L0.?-----| "
+ - "**** Simulation run 193, type=split(ReduceOverlap)(split_times=[1686850559000000000, 1686850957918918910]). 1 Input Files, 6mb total:"
+ - "L0, all files 6mb "
+ - "L0.965[1686850087108108101,1686851828729729720] 1686936871.55s|-----------------------------------------L0.965-----------------------------------------|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 6mb total:"
+ - "L0 "
+ - "L0.?[1686850087108108101,1686850559000000000] 1686936871.55s 2mb|---------L0.?---------| "
+ - "L0.?[1686850559000000001,1686850957918918910] 1686936871.55s 1mb |-------L0.?-------| "
+ - "L0.?[1686850957918918911,1686851828729729720] 1686936871.55s 3mb |-------------------L0.?-------------------| "
+ - "**** Simulation run 194, type=split(ReduceOverlap)(split_times=[1686852699540540530]). 1 Input Files, 55mb total:"
+ - "L0, all files 55mb "
+ - "L0.970[1686851828729729721,1686853222027027016] 1686936871.55s|-----------------------------------------L0.970-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 55mb total:"
+ - "L0 "
+ - "L0.?[1686851828729729721,1686852699540540530] 1686936871.55s 34mb|-------------------------L0.?-------------------------| "
+ - "L0.?[1686852699540540531,1686853222027027016] 1686936871.55s 21mb |-------------L0.?--------------| "
+ - "**** Simulation run 195, type=split(ReduceOverlap)(split_times=[1686854441162162150, 1686854819000000000]). 1 Input Files, 29mb total:"
+ - "L0, all files 29mb "
+ - "L0.976[1686853570351351341,1686854963648648636] 1686936871.55s|-----------------------------------------L0.976-----------------------------------------|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 29mb total:"
+ - "L0 "
+ - "L0.?[1686853570351351341,1686854441162162150] 1686936871.55s 18mb|-------------------------L0.?-------------------------| "
+ - "L0.?[1686854441162162151,1686854819000000000] 1686936871.55s 8mb |---------L0.?---------| "
+ - "L0.?[1686854819000000001,1686854963648648636] 1686936871.55s 3mb |-L0.?--| "
+ - "**** Simulation run 196, type=split(ReduceOverlap)(split_times=[1686856182783783770]). 1 Input Files, 6mb total:"
+ - "L0, all files 6mb "
+ - "L0.1040[1686855892513513501,1686856473054054039] 1686936871.55s|----------------------------------------L0.1040-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 6mb total:"
+ - "L0 "
+ - "L0.?[1686855892513513501,1686856182783783770] 1686936871.55s 3mb|-------------------L0.?--------------------| "
+ - "L0.?[1686856182783783771,1686856473054054039] 1686936871.55s 3mb |-------------------L0.?-------------------| "
+ - "**** Simulation run 197, type=split(ReduceOverlap)(split_times=[1686857924405405390]). 1 Input Files, 4mb total:"
+ - "L0, all files 4mb "
+ - "L0.1053[1686857634135135121,1686858214675675659] 1686936871.55s|----------------------------------------L0.1053-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
+ - "L0, all files 2mb "
+ - "L0.?[1686857634135135121,1686857924405405390] 1686936871.55s|-------------------L0.?--------------------| "
+ - "L0.?[1686857924405405391,1686858214675675659] 1686936871.55s |-------------------L0.?-------------------| "
+ - "**** Simulation run 198, type=split(ReduceOverlap)(split_times=[1686859019000000000]). 1 Input Files, 2mb total:"
+ - "L0, all files 2mb "
+ - "L0.1063[1686858795216216201,1686859375756756740] 1686936871.55s|----------------------------------------L0.1063-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 2mb total:"
+ - "L0 "
+ - "L0.?[1686858795216216201,1686859019000000000] 1686936871.55s 741kb|--------------L0.?--------------| "
+ - "L0.?[1686859019000000001,1686859375756756740] 1686936871.55s 1mb |------------------------L0.?-------------------------| "
+ - "**** Simulation run 199, type=split(ReduceOverlap)(split_times=[1686859499000000000, 1686859666027027010]). 1 Input Files, 2mb total:"
+ - "L0, all files 2mb "
+ - "L0.1064[1686859375756756741,1686859956297297279] 1686936871.55s|----------------------------------------L0.1064-----------------------------------------|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 2mb total:"
+ - "L0 "
+ - "L0.?[1686859375756756741,1686859499000000000] 1686936871.55s 408kb|------L0.?-------| "
+ - "L0.?[1686859499000000001,1686859666027027010] 1686936871.55s 553kb |---------L0.?----------| "
+ - "L0.?[1686859666027027011,1686859956297297279] 1686936871.55s 962kb |-------------------L0.?-------------------| "
+ - "**** Simulation run 200, type=split(ReduceOverlap)(split_times=[1686861407648648630]). 1 Input Files, 2mb total:"
+ - "L0, all files 2mb "
+ - "L0.1079[1686861117378378361,1686861697918918899] 1686936871.55s|----------------------------------------L0.1079-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 2mb total:"
+ - "L0, all files 962kb "
+ - "L0.?[1686861117378378361,1686861407648648630] 1686936871.55s|-------------------L0.?--------------------| "
+ - "L0.?[1686861407648648631,1686861697918918899] 1686936871.55s |-------------------L0.?-------------------| "
+ - "**** Simulation run 201, type=split(ReduceOverlap)(split_times=[1686863149270270250]). 1 Input Files, 4mb total:"
+ - "L0, all files 4mb "
+ - "L0.1088[1686862858999999981,1686863439540540519] 1686936871.55s|----------------------------------------L0.1088-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
+ - "L0, all files 2mb "
+ - "L0.?[1686862858999999981,1686863149270270250] 1686936871.55s|-------------------L0.?--------------------| "
+ - "L0.?[1686863149270270251,1686863439540540519] 1686936871.55s |-------------------L0.?-------------------| "
+ - "**** Simulation run 202, type=split(ReduceOverlap)(split_times=[1686863699000000000]). 1 Input Files, 4mb total:"
+ - "L0, all files 4mb "
+ - "L0.1089[1686863439540540520,1686864020081081060] 1686936871.55s|----------------------------------------L0.1089-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
+ - "L0 "
+ - "L0.?[1686863439540540520,1686863699000000000] 1686936871.55s 2mb|-----------------L0.?-----------------| "
+ - "L0.?[1686863699000000001,1686864020081081060] 1686936871.55s 2mb |---------------------L0.?----------------------| "
+ - "**** Simulation run 203, type=split(ReduceOverlap)(split_times=[1686864890891891870]). 1 Input Files, 44mb total:"
+ - "L0, all files 44mb "
+ - "L0.1003[1686864020081081061,1686865413378378356] 1686936871.55s|----------------------------------------L0.1003-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 44mb total:"
+ - "L0 "
+ - "L0.?[1686864020081081061,1686864890891891870] 1686936871.55s 27mb|-------------------------L0.?-------------------------| "
+ - "L0.?[1686864890891891871,1686865413378378356] 1686936871.55s 16mb |-------------L0.?--------------| "
+ - "**** Simulation run 204, type=split(ReduceOverlap)(split_times=[1686866632513513490]). 1 Input Files, 11mb total:"
+ - "L0, all files 11mb "
+ - "L0.1013[1686865761702702681,1686867503324324300] 1686936871.55s|----------------------------------------L0.1013-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 11mb total:"
+ - "L0 "
+ - "L0.?[1686865761702702681,1686866632513513490] 1686936871.55s 6mb|-------------------L0.?-------------------| "
+ - "L0.?[1686866632513513491,1686867503324324300] 1686936871.55s 6mb |-------------------L0.?-------------------| "
+ - "**** Simulation run 205, type=split(ReduceOverlap)(split_times=[1686867659000000000, 1686867839000000000, 1686868319000000000]). 1 Input Files, 17mb total:"
+ - "L0, all files 17mb "
+ - "L0.1018[1686867503324324301,1686869244945945920] 1686936871.55s|----------------------------------------L0.1018-----------------------------------------|"
+ - "**** 4 Output Files (parquet_file_id not yet assigned), 17mb total:"
+ - "L0 "
+ - "L0.?[1686867503324324301,1686867659000000000] 1686936871.55s 1mb|-L0.?-| "
+ - "L0.?[1686867659000000001,1686867839000000000] 1686936871.55s 2mb |-L0.?--| "
+ - "L0.?[1686867839000000001,1686868319000000000] 1686936871.55s 5mb |---------L0.?---------| "
+ - "L0.?[1686868319000000001,1686869244945945920] 1686936871.55s 9mb |--------------------L0.?---------------------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 56 files: L0.936, L0.938, L0.940, L0.941, L0.943, L0.945, L0.946, L0.948, L0.950, L0.952, L0.954, L0.955, L0.956, L0.957, L0.958, L0.959, L0.960, L0.962, L0.964, L0.965, L0.966, L0.968, L0.970, L0.972, L0.974, L0.976, L0.995, L0.997, L0.999, L0.1001, L0.1003, L0.1005, L0.1011, L0.1013, L0.1014, L0.1016, L0.1018, L0.1034, L0.1037, L0.1040, L0.1047, L0.1050, L0.1053, L0.1057, L0.1058, L0.1060, L0.1061, L0.1063, L0.1064, L0.1073, L0.1076, L0.1079, L0.1082, L0.1085, L0.1088, L0.1089"
+ - " Creating 131 files"
+ - "**** Simulation run 206, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[1686858240168622590, 1686864651607515459]). 36 Input Files, 217mb total:"
+ - "L0 "
+ - "L0.1096[1686851828729729721,1686852699540540530] 1686931600.58s 51mb|L0.1096| "
+ - "L0.1097[1686852699540540531,1686853222027027016] 1686931600.58s 31mb |L0.1097| "
+ - "L0.967[1686853222027027017,1686853570351351340] 1686931600.58s 20mb |L0.967| "
+ - "L0.1098[1686864020081081061,1686864890891891870] 1686931893.7s 49mb |L0.1098| "
+ - "L0.1099[1686864890891891871,1686865413378378356] 1686931893.7s 29mb |L0.1099|"
+ - "L0.1000[1686865413378378357,1686865761702702680] 1686931893.7s 20mb |L0.1000|"
+ - "L1 "
+ - "L1.434[1686851828729729721,1686852699540540530] 1686928854.57s 1mb|L1.434| "
+ - "L1.435[1686852699540540531,1686853570351351340] 1686928854.57s 1mb |L1.435| "
+ - "L1.436[1686853570351351341,1686854441162162150] 1686928854.57s 1mb |L1.436| "
+ - "L1.437[1686854441162162151,1686854819000000000] 1686928854.57s 490kb |L1.437| "
+ - "L1.655[1686854879000000000,1686855311972972960] 1686928854.57s 556kb |L1.655| "
+ - "L1.1031[1686855311972972961,1686855892513513500] 1686928854.57s 746kb |L1.1031| "
+ - "L1.1032[1686855892513513501,1686856182783783770] 1686928854.57s 373kb |L1.1032| "
+ - "L1.1042[1686856182783783771,1686856473054054039] 1686928854.57s 373kb |L1.1042| "
+ - "L1.1043[1686856473054054040,1686857053594594580] 1686928854.57s 746kb |L1.1043| "
+ - "L1.1044[1686857053594594581,1686857634135135120] 1686928854.57s 746kb |L1.1044| "
+ - "L1.1045[1686857634135135121,1686857924405405390] 1686928854.57s 373kb |L1.1045| "
+ - "L1.1055[1686857924405405391,1686858214675675659] 1686928854.57s 373kb |L1.1055| "
+ - "L1.1056[1686858214675675660,1686858795216216200] 1686928854.57s 746kb |L1.1056| "
+ - "L1.660[1686858795216216201,1686859019000000000] 1686928854.57s 287kb |L1.660| "
+ - "L1.1066[1686859079000000000,1686859375756756740] 1686928854.57s 409kb |L1.1066| "
+ - "L1.1067[1686859375756756741,1686859499000000000] 1686928854.57s 170kb |L1.1067| "
+ - "L1.739[1686859559000000000,1686859666027027010] 1686928854.57s 137kb |L1.739| "
+ - "L1.1068[1686859666027027011,1686859956297297279] 1686928854.57s 371kb |L1.1068| "
+ - "L1.1069[1686859956297297280,1686860536837837820] 1686928854.57s 743kb |L1.1069| "
+ - "L1.1070[1686860536837837821,1686861117378378360] 1686928854.57s 743kb |L1.1070| "
+ - "L1.1071[1686861117378378361,1686861407648648630] 1686928854.57s 371kb |L1.1071| "
+ - "L1.1092[1686861407648648631,1686861697918918899] 1686928854.57s 371kb |L1.1092| "
+ - "L1.1093[1686861697918918900,1686862278459459440] 1686928854.57s 743kb |L1.1093| "
+ - "L1.1094[1686862278459459441,1686862858999999980] 1686928854.57s 743kb |L1.1094| "
+ - "L1.1095[1686862858999999981,1686863149270270250] 1686928854.57s 371kb |L1.1095| "
+ - "L1.1090[1686863149270270251,1686863439540540519] 1686928854.57s 371kb |L1.1090| "
+ - "L1.1091[1686863439540540520,1686863699000000000] 1686928854.57s 332kb |L1.1091| "
+ - "L1.758[1686863759000000000,1686864020081081060] 1686928854.57s 329kb |L1.758| "
+ - "L1.759[1686864020081081061,1686864890891891870] 1686928854.57s 1mb |L1.759| "
+ - "L1.760[1686864890891891871,1686865761702702680] 1686928854.57s 1mb |L1.760|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 217mb total:"
+ - "L1 "
+ - "L1.?[1686851828729729721,1686858240168622590] 1686931893.7s 100mb|-----------------L1.?------------------| "
+ - "L1.?[1686858240168622591,1686864651607515459] 1686931893.7s 100mb |-----------------L1.?------------------| "
+ - "L1.?[1686864651607515460,1686865761702702680] 1686931893.7s 17mb |L1.?-| "
+ - "Committing partition 1:"
+ - " Soft Deleting 36 files: L1.434, L1.435, L1.436, L1.437, L1.655, L1.660, L1.739, L1.758, L1.759, L1.760, L0.967, L0.1000, L1.1031, L1.1032, L1.1042, L1.1043, L1.1044, L1.1045, L1.1055, L1.1056, L1.1066, L1.1067, L1.1068, L1.1069, L1.1070, L1.1071, L1.1090, L1.1091, L1.1092, L1.1093, L1.1094, L1.1095, L0.1096, L0.1097, L0.1098, L0.1099"
+ - " Creating 3 files"
+ - "**** Simulation run 207, type=split(HighL0OverlapTotalBacklog)(split_times=[1686852757594594584, 1686853686459459447, 1686854615324324310, 1686855544189189173, 1686856473054054036, 1686857401918918899]). 1 Input Files, 100mb total:"
+ - "L1, all files 100mb "
+ - "L1.1227[1686851828729729721,1686858240168622590] 1686931893.7s|----------------------------------------L1.1227-----------------------------------------|"
+ - "**** 7 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L1 "
+ - "L1.?[1686851828729729721,1686852757594594584] 1686931893.7s 14mb|---L1.?----| "
+ - "L1.?[1686852757594594585,1686853686459459447] 1686931893.7s 14mb |---L1.?----| "
+ - "L1.?[1686853686459459448,1686854615324324310] 1686931893.7s 14mb |---L1.?----| "
+ - "L1.?[1686854615324324311,1686855544189189173] 1686931893.7s 14mb |---L1.?----| "
+ - "L1.?[1686855544189189174,1686856473054054036] 1686931893.7s 14mb |---L1.?----| "
+ - "L1.?[1686856473054054037,1686857401918918899] 1686931893.7s 14mb |---L1.?----| "
+ - "L1.?[1686857401918918900,1686858240168622590] 1686931893.7s 13mb |--L1.?---| "
+ - "**** Simulation run 208, type=split(HighL0OverlapTotalBacklog)(split_times=[1686852757594594584]). 1 Input Files, 38mb total:"
+ - "L0, all files 38mb "
+ - "L0.1141[1686852699540540531,1686853236700974398] 1686934966.48s|----------------------------------------L0.1141-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 38mb total:"
+ - "L0 "
+ - "L0.?[1686852699540540531,1686852757594594584] 1686934966.48s 4mb|-L0.?--| "
+ - "L0.?[1686852757594594585,1686853236700974398] 1686934966.48s 34mb |-------------------------------------L0.?-------------------------------------| "
+ - "**** Simulation run 209, type=split(HighL0OverlapTotalBacklog)(split_times=[1686852757594594584]). 1 Input Files, 21mb total:"
+ - "L0, all files 21mb "
+ - "L0.1200[1686852699540540531,1686853222027027016] 1686936871.55s|----------------------------------------L0.1200-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 21mb total:"
+ - "L0 "
+ - "L0.?[1686852699540540531,1686852757594594584] 1686936871.55s 2mb|-L0.?--| "
+ - "L0.?[1686852757594594585,1686853222027027016] 1686936871.55s 18mb |------------------------------------L0.?-------------------------------------| "
+ - "**** Simulation run 210, type=split(HighL0OverlapTotalBacklog)(split_times=[1686853686459459447]). 1 Input Files, 69mb total:"
+ - "L0, all files 69mb "
+ - "L0.1116[1686853570351351341,1686854441162162150] 1686932677.39s|----------------------------------------L0.1116-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 69mb total:"
+ - "L0 "
+ - "L0.?[1686853570351351341,1686853686459459447] 1686932677.39s 9mb|--L0.?---| "
+ - "L0.?[1686853686459459448,1686854441162162150] 1686932677.39s 60mb |------------------------------------L0.?------------------------------------| "
+ - "**** Simulation run 211, type=split(HighL0OverlapTotalBacklog)(split_times=[1686853686459459447]). 1 Input Files, 59mb total:"
+ - "L0, all files 59mb "
+ - "L0.1144[1686853570351351341,1686854441162162150] 1686935546.05s|----------------------------------------L0.1144-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 59mb total:"
+ - "L0 "
+ - "L0.?[1686853570351351341,1686853686459459447] 1686935546.05s 8mb|--L0.?---| "
+ - "L0.?[1686853686459459448,1686854441162162150] 1686935546.05s 51mb |------------------------------------L0.?------------------------------------| "
+ - "**** Simulation run 212, type=split(HighL0OverlapTotalBacklog)(split_times=[1686853686459459447]). 1 Input Files, 18mb total:"
+ - "L0, all files 18mb "
+ - "L0.1201[1686853570351351341,1686854441162162150] 1686936871.55s|----------------------------------------L0.1201-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 18mb total:"
+ - "L0 "
+ - "L0.?[1686853570351351341,1686853686459459447] 1686936871.55s 2mb|--L0.?---| "
+ - "L0.?[1686853686459459448,1686854441162162150] 1686936871.55s 16mb |------------------------------------L0.?------------------------------------| "
+ - "**** Simulation run 213, type=split(HighL0OverlapTotalBacklog)(split_times=[1686854615324324310]). 1 Input Files, 30mb total:"
+ - "L0, all files 30mb "
+ - "L0.1117[1686854441162162151,1686854819000000000] 1686932677.39s|----------------------------------------L0.1117-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 30mb total:"
+ - "L0 "
+ - "L0.?[1686854441162162151,1686854615324324310] 1686932677.39s 14mb|-----------------L0.?------------------| "
+ - "L0.?[1686854615324324311,1686854819000000000] 1686932677.39s 16mb |---------------------L0.?---------------------| "
+ - "**** Simulation run 214, type=split(HighL0OverlapTotalBacklog)(split_times=[1686854615324324310]). 1 Input Files, 26mb total:"
+ - "L0, all files 26mb "
+ - "L0.1145[1686854441162162151,1686854819000000000] 1686935546.05s|----------------------------------------L0.1145-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 26mb total:"
+ - "L0 "
+ - "L0.?[1686854441162162151,1686854615324324310] 1686935546.05s 12mb|-----------------L0.?------------------| "
+ - "L0.?[1686854615324324311,1686854819000000000] 1686935546.05s 14mb |---------------------L0.?---------------------| "
+ - "**** Simulation run 215, type=split(HighL0OverlapTotalBacklog)(split_times=[1686854615324324310]). 1 Input Files, 8mb total:"
+ - "L0, all files 8mb "
+ - "L0.1202[1686854441162162151,1686854819000000000] 1686936871.55s|----------------------------------------L0.1202-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 8mb total:"
+ - "L0 "
+ - "L0.?[1686854441162162151,1686854615324324310] 1686936871.55s 4mb|-----------------L0.?------------------| "
+ - "L0.?[1686854615324324311,1686854819000000000] 1686936871.55s 4mb |---------------------L0.?---------------------| "
+ - "**** Simulation run 216, type=split(HighL0OverlapTotalBacklog)(split_times=[1686855544189189173]). 1 Input Files, 47mb total:"
+ - "L0, all files 47mb "
+ - "L0.1033[1686855311972972961,1686855892513513500] 1686932677.39s|----------------------------------------L0.1033-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 47mb total:"
+ - "L0 "
+ - "L0.?[1686855311972972961,1686855544189189173] 1686932677.39s 19mb|--------------L0.?---------------| "
+ - "L0.?[1686855544189189174,1686855892513513500] 1686932677.39s 28mb |------------------------L0.?------------------------| "
+ - "**** Simulation run 217, type=split(HighL0OverlapTotalBacklog)(split_times=[1686855544189189173]). 1 Input Files, 46mb total:"
+ - "L0, all files 46mb "
+ - "L0.1036[1686855311972972961,1686855892513513500] 1686935742.51s|----------------------------------------L0.1036-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 46mb total:"
+ - "L0 "
+ - "L0.?[1686855311972972961,1686855544189189173] 1686935742.51s 19mb|--------------L0.?---------------| "
+ - "L0.?[1686855544189189174,1686855892513513500] 1686935742.51s 28mb |------------------------L0.?------------------------| "
+ - "**** Simulation run 218, type=split(HighL0OverlapTotalBacklog)(split_times=[1686855544189189173]). 1 Input Files, 6mb total:"
+ - "L0, all files 6mb "
+ - "L0.1039[1686855311972972961,1686855892513513500] 1686936871.55s|----------------------------------------L0.1039-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 6mb total:"
+ - "L0 "
+ - "L0.?[1686855311972972961,1686855544189189173] 1686936871.55s 2mb|--------------L0.?---------------| "
+ - "L0.?[1686855544189189174,1686855892513513500] 1686936871.55s 3mb |------------------------L0.?------------------------| "
+ - "**** Simulation run 219, type=split(HighL0OverlapTotalBacklog)(split_times=[1686856473054054036]). 1 Input Files, 24mb total:"
+ - "L0, all files 24mb "
+ - "L0.1120[1686856182783783771,1686856473054054039] 1686932677.39s|----------------------------------------L0.1120-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 24mb total:"
+ - "L0 "
+ - "L0.?[1686856182783783771,1686856473054054036] 1686932677.39s 24mb|-----------------------------------------L0.?------------------------------------------| "
+ - "L0.?[1686856473054054037,1686856473054054039] 1686932677.39s 1b |L0.?|"
+ - "**** Simulation run 220, type=split(HighL0OverlapTotalBacklog)(split_times=[1686856473054054036]). 1 Input Files, 23mb total:"
+ - "L0, all files 23mb "
+ - "L0.1148[1686856182783783771,1686856473054054039] 1686935742.51s|----------------------------------------L0.1148-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 23mb total:"
+ - "L0 "
+ - "L0.?[1686856182783783771,1686856473054054036] 1686935742.51s 23mb|-----------------------------------------L0.?------------------------------------------| "
+ - "L0.?[1686856473054054037,1686856473054054039] 1686935742.51s 1b |L0.?|"
+ - "**** Simulation run 221, type=split(HighL0OverlapTotalBacklog)(split_times=[1686856473054054036]). 1 Input Files, 3mb total:"
+ - "L0, all files 3mb "
+ - "L0.1205[1686856182783783771,1686856473054054039] 1686936871.55s|----------------------------------------L0.1205-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
+ - "L0 "
+ - "L0.?[1686856182783783771,1686856473054054036] 1686936871.55s 3mb|-----------------------------------------L0.?------------------------------------------| "
+ - "L0.?[1686856473054054037,1686856473054054039] 1686936871.55s 1b |L0.?|"
+ - "**** Simulation run 222, type=split(HighL0OverlapTotalBacklog)(split_times=[1686857401918918899]). 1 Input Files, 47mb total:"
+ - "L0, all files 47mb "
+ - "L0.1046[1686857053594594581,1686857634135135120] 1686932677.39s|----------------------------------------L0.1046-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 47mb total:"
+ - "L0 "
+ - "L0.?[1686857053594594581,1686857401918918899] 1686932677.39s 28mb|-----------------------L0.?------------------------| "
+ - "L0.?[1686857401918918900,1686857634135135120] 1686932677.39s 19mb |---------------L0.?---------------| "
+ - "**** Simulation run 223, type=split(HighL0OverlapTotalBacklog)(split_times=[1686857401918918899]). 1 Input Files, 48mb total:"
+ - "L0, all files 48mb "
+ - "L0.1049[1686857053594594581,1686857634135135120] 1686935947.46s|----------------------------------------L0.1049-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 48mb total:"
+ - "L0 "
+ - "L0.?[1686857053594594581,1686857401918918899] 1686935947.46s 29mb|-----------------------L0.?------------------------| "
+ - "L0.?[1686857401918918900,1686857634135135120] 1686935947.46s 19mb |---------------L0.?---------------| "
+ - "**** Simulation run 224, type=split(HighL0OverlapTotalBacklog)(split_times=[1686857401918918899]). 1 Input Files, 4mb total:"
+ - "L0, all files 4mb "
+ - "L0.1052[1686857053594594581,1686857634135135120] 1686936871.55s|----------------------------------------L0.1052-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
+ - "L0 "
+ - "L0.?[1686857053594594581,1686857401918918899] 1686936871.55s 2mb|-----------------------L0.?------------------------| "
+ - "L0.?[1686857401918918900,1686857634135135120] 1686936871.55s 2mb |---------------L0.?---------------| "
+ - "**** Simulation run 225, type=split(HighL0OverlapTotalBacklog)(split_times=[1686858330783783762]). 1 Input Files, 4mb total:"
+ - "L0, all files 4mb "
+ - "L0.1054[1686858214675675660,1686858795216216200] 1686936871.55s|----------------------------------------L0.1054-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
+ - "L0 "
+ - "L0.?[1686858214675675660,1686858330783783762] 1686936871.55s 782kb|-----L0.?------| "
+ - "L0.?[1686858330783783763,1686858795216216200] 1686936871.55s 3mb |---------------------------------L0.?---------------------------------| "
+ - "**** Simulation run 226, type=split(HighL0OverlapTotalBacklog)(split_times=[1686858330783783762, 1686859259648648625, 1686860188513513488, 1686861117378378351, 1686862046243243214, 1686862975108108077, 1686863903972972940]). 1 Input Files, 100mb total:"
+ - "L1, all files 100mb "
+ - "L1.1228[1686858240168622591,1686864651607515459] 1686931893.7s|----------------------------------------L1.1228-----------------------------------------|"
+ - "**** 8 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L1 "
+ - "L1.?[1686858240168622591,1686858330783783762] 1686931893.7s 1mb|L1.?| "
+ - "L1.?[1686858330783783763,1686859259648648625] 1686931893.7s 14mb |---L1.?----| "
+ - "L1.?[1686859259648648626,1686860188513513488] 1686931893.7s 14mb |---L1.?----| "
+ - "L1.?[1686860188513513489,1686861117378378351] 1686931893.7s 14mb |---L1.?----| "
+ - "L1.?[1686861117378378352,1686862046243243214] 1686931893.7s 14mb |---L1.?----| "
+ - "L1.?[1686862046243243215,1686862975108108077] 1686931893.7s 14mb |---L1.?----| "
+ - "L1.?[1686862975108108078,1686863903972972940] 1686931893.7s 14mb |---L1.?----| "
+ - "L1.?[1686863903972972941,1686864651607515459] 1686931893.7s 12mb |--L1.?--| "
+ - "**** Simulation run 227, type=split(HighL0OverlapTotalBacklog)(split_times=[1686858330783783762]). 1 Input Files, 45mb total:"
+ - "L0, all files 45mb "
+ - "L0.986[1686858251288003856,1686858795216216200] 1686935947.46s|-----------------------------------------L0.986-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 45mb total:"
+ - "L0 "
+ - "L0.?[1686858251288003856,1686858330783783762] 1686935947.46s 7mb|---L0.?----| "
+ - "L0.?[1686858330783783763,1686858795216216200] 1686935947.46s 39mb |-----------------------------------L0.?-----------------------------------| "
+ - "**** Simulation run 228, type=split(HighL0OverlapTotalBacklog)(split_times=[1686858330783783762]). 1 Input Files, 42mb total:"
+ - "L0, all files 42mb "
+ - "L0.984[1686858278525917086,1686858795216216200] 1686932677.39s|-----------------------------------------L0.984-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 42mb total:"
+ - "L0 "
+ - "L0.?[1686858278525917086,1686858330783783762] 1686932677.39s 4mb|-L0.?--| "
+ - "L0.?[1686858330783783763,1686858795216216200] 1686932677.39s 38mb |-------------------------------------L0.?-------------------------------------| "
+ - "**** Simulation run 229, type=split(HighL0OverlapTotalBacklog)(split_times=[1686859259648648625]). 1 Input Files, 30mb total:"
+ - "L0, all files 30mb "
+ - "L0.1124[1686859019000000001,1686859375756756740] 1686932677.39s|----------------------------------------L0.1124-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 30mb total:"
+ - "L0 "
+ - "L0.?[1686859019000000001,1686859259648648625] 1686932677.39s 20mb|---------------------------L0.?---------------------------| "
+ - "L0.?[1686859259648648626,1686859375756756740] 1686932677.39s 10mb |-----------L0.?------------| "
+ - "**** Simulation run 230, type=split(HighL0OverlapTotalBacklog)(split_times=[1686859259648648625]). 1 Input Files, 30mb total:"
+ - "L0, all files 30mb "
+ - "L0.1168[1686859019000000001,1686859375756756740] 1686935947.46s|----------------------------------------L0.1168-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 30mb total:"
+ - "L0 "
+ - "L0.?[1686859019000000001,1686859259648648625] 1686935947.46s 20mb|---------------------------L0.?---------------------------| "
+ - "L0.?[1686859259648648626,1686859375756756740] 1686935947.46s 10mb |-----------L0.?------------| "
+ - "**** Simulation run 231, type=split(HighL0OverlapTotalBacklog)(split_times=[1686859259648648625]). 1 Input Files, 1mb total:"
+ - "L0, all files 1mb "
+ - "L0.1209[1686859019000000001,1686859375756756740] 1686936871.55s|----------------------------------------L0.1209-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
+ - "L0 "
+ - "L0.?[1686859019000000001,1686859259648648625] 1686936871.55s 797kb|---------------------------L0.?---------------------------| "
+ - "L0.?[1686859259648648626,1686859375756756740] 1686936871.55s 385kb |-----------L0.?------------| "
+ - "**** Simulation run 232, type=split(HighL0OverlapTotalBacklog)(split_times=[1686860188513513488]). 1 Input Files, 2mb total:"
+ - "L0, all files 2mb "
+ - "L0.1065[1686859956297297280,1686860536837837820] 1686936871.55s|----------------------------------------L0.1065-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 2mb total:"
+ - "L0 "
+ - "L0.?[1686859956297297280,1686860188513513488] 1686936871.55s 769kb|--------------L0.?---------------| "
+ - "L0.?[1686860188513513489,1686860536837837820] 1686936871.55s 1mb |------------------------L0.?------------------------| "
+ - "**** Simulation run 233, type=split(HighL0OverlapTotalBacklog)(split_times=[1686860188513513488]). 1 Input Files, 48mb total:"
+ - "L0, all files 48mb "
+ - "L0.989[1686859969989511639,1686860536837837820] 1686932677.39s|-----------------------------------------L0.989-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 48mb total:"
+ - "L0 "
+ - "L0.?[1686859969989511639,1686860188513513488] 1686932677.39s 19mb|--------------L0.?--------------| "
+ - "L0.?[1686860188513513489,1686860536837837820] 1686932677.39s 30mb |------------------------L0.?-------------------------| "
+ - "**** Simulation run 234, type=split(HighL0OverlapTotalBacklog)(split_times=[1686860188513513488]). 1 Input Files, 46mb total:"
+ - "L0, all files 46mb "
+ - "L0.991[1686859988431489231,1686860536837837820] 1686935947.46s|-----------------------------------------L0.991-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 46mb total:"
+ - "L0 "
+ - "L0.?[1686859988431489231,1686860188513513488] 1686935947.46s 17mb|-------------L0.?-------------| "
+ - "L0.?[1686860188513513489,1686860536837837820] 1686935947.46s 29mb |-------------------------L0.?--------------------------| "
+ - "**** Simulation run 235, type=split(HighL0OverlapTotalBacklog)(split_times=[1686861117378378351]). 1 Input Files, 49mb total:"
+ - "L0, all files 49mb "
+ - "L0.1072[1686860536837837821,1686861117378378360] 1686932677.39s|----------------------------------------L0.1072-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 49mb total:"
+ - "L0 "
+ - "L0.?[1686860536837837821,1686861117378378351] 1686932677.39s 49mb|-----------------------------------------L0.?------------------------------------------| "
+ - "L0.?[1686861117378378352,1686861117378378360] 1686932677.39s 1b |L0.?|"
+ - "**** Simulation run 236, type=split(HighL0OverlapTotalBacklog)(split_times=[1686861117378378351]). 1 Input Files, 49mb total:"
+ - "L0, all files 49mb "
+ - "L0.1075[1686860536837837821,1686861117378378360] 1686935947.46s|----------------------------------------L0.1075-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 49mb total:"
+ - "L0 "
+ - "L0.?[1686860536837837821,1686861117378378351] 1686935947.46s 49mb|-----------------------------------------L0.?------------------------------------------| "
+ - "L0.?[1686861117378378352,1686861117378378360] 1686935947.46s 1b |L0.?|"
+ - "**** Simulation run 237, type=split(HighL0OverlapTotalBacklog)(split_times=[1686861117378378351]). 1 Input Files, 2mb total:"
+ - "L0, all files 2mb "
+ - "L0.1078[1686860536837837821,1686861117378378360] 1686936871.55s|----------------------------------------L0.1078-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 2mb total:"
+ - "L0 "
+ - "L0.?[1686860536837837821,1686861117378378351] 1686936871.55s 2mb|-----------------------------------------L0.?------------------------------------------| "
+ - "L0.?[1686861117378378352,1686861117378378360] 1686936871.55s 1b |L0.?|"
+ - "**** Simulation run 238, type=split(HighL0OverlapTotalBacklog)(split_times=[1686862046243243214]). 1 Input Files, 2mb total:"
+ - "L0, all files 2mb "
+ - "L0.1080[1686861697918918900,1686862278459459440] 1686936871.55s|----------------------------------------L0.1080-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 2mb total:"
+ - "L0 "
+ - "L0.?[1686861697918918900,1686862046243243214] 1686936871.55s 1mb|-----------------------L0.?------------------------| "
+ - "L0.?[1686862046243243215,1686862278459459440] 1686936871.55s 769kb |---------------L0.?---------------| "
+ - "**** Simulation run 239, type=split(HighL0OverlapTotalBacklog)(split_times=[1686862046243243214]). 1 Input Files, 48mb total:"
+ - "L0, all files 48mb "
+ - "L0.1008[1686861711611133259,1686862278459459440] 1686932677.39s|----------------------------------------L0.1008-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 48mb total:"
+ - "L0 "
+ - "L0.?[1686861711611133259,1686862046243243214] 1686932677.39s 28mb|-----------------------L0.?------------------------| "
+ - "L0.?[1686862046243243215,1686862278459459440] 1686932677.39s 20mb |---------------L0.?---------------| "
+ - "**** Simulation run 240, type=split(HighL0OverlapTotalBacklog)(split_times=[1686862046243243214]). 1 Input Files, 46mb total:"
+ - "L0, all files 46mb "
+ - "L0.1010[1686861730053110851,1686862278459459440] 1686935947.46s|----------------------------------------L0.1010-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 46mb total:"
+ - "L0 "
+ - "L0.?[1686861730053110851,1686862046243243214] 1686935947.46s 26mb|----------------------L0.?-----------------------| "
+ - "L0.?[1686862046243243215,1686862278459459440] 1686935947.46s 19mb |----------------L0.?----------------| "
+ - "**** Simulation run 241, type=split(HighL0OverlapTotalBacklog)(split_times=[1686862975108108077]). 1 Input Files, 25mb total:"
+ - "L0, all files 25mb "
+ - "L0.1130[1686862858999999981,1686863149270270250] 1686932677.39s|----------------------------------------L0.1130-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 25mb total:"
+ - "L0 "
+ - "L0.?[1686862858999999981,1686862975108108077] 1686932677.39s 10mb|--------------L0.?---------------| "
+ - "L0.?[1686862975108108078,1686863149270270250] 1686932677.39s 15mb |------------------------L0.?------------------------| "
+ - "**** Simulation run 242, type=split(HighL0OverlapTotalBacklog)(split_times=[1686862975108108077]). 1 Input Files, 23mb total:"
+ - "L0, all files 23mb "
+ - "L0.1174[1686862858999999981,1686863149270270250] 1686935947.46s|----------------------------------------L0.1174-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 23mb total:"
+ - "L0 "
+ - "L0.?[1686862858999999981,1686862975108108077] 1686935947.46s 9mb|--------------L0.?---------------| "
+ - "L0.?[1686862975108108078,1686863149270270250] 1686935947.46s 14mb |------------------------L0.?------------------------| "
+ - "**** Simulation run 243, type=split(HighL0OverlapTotalBacklog)(split_times=[1686862975108108077]). 1 Input Files, 2mb total:"
+ - "L0, all files 2mb "
+ - "L0.1215[1686862858999999981,1686863149270270250] 1686936871.55s|----------------------------------------L0.1215-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 2mb total:"
+ - "L0 "
+ - "L0.?[1686862858999999981,1686862975108108077] 1686936871.55s 782kb|--------------L0.?---------------| "
+ - "L0.?[1686862975108108078,1686863149270270250] 1686936871.55s 1mb |------------------------L0.?------------------------| "
+ - "**** Simulation run 244, type=split(HighL0OverlapTotalBacklog)(split_times=[1686863903972972940]). 1 Input Files, 27mb total:"
+ - "L0, all files 27mb "
+ - "L0.1133[1686863699000000001,1686864020081081060] 1686932677.39s|----------------------------------------L0.1133-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 27mb total:"
+ - "L0 "
+ - "L0.?[1686863699000000001,1686863903972972940] 1686932677.39s 17mb|-------------------------L0.?--------------------------| "
+ - "L0.?[1686863903972972941,1686864020081081060] 1686932677.39s 10mb |-------------L0.?-------------| "
+ - "**** Simulation run 245, type=split(HighL0OverlapTotalBacklog)(split_times=[1686863903972972940]). 1 Input Files, 26mb total:"
+ - "L0, all files 26mb "
+ - "L0.1177[1686863699000000001,1686864020081081060] 1686935947.46s|----------------------------------------L0.1177-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 26mb total:"
+ - "L0 "
+ - "L0.?[1686863699000000001,1686863903972972940] 1686935947.46s 16mb|-------------------------L0.?--------------------------| "
+ - "L0.?[1686863903972972941,1686864020081081060] 1686935947.46s 9mb |-------------L0.?-------------| "
+ - "**** Simulation run 246, type=split(HighL0OverlapTotalBacklog)(split_times=[1686863903972972940]). 1 Input Files, 2mb total:"
+ - "L0, all files 2mb "
+ - "L0.1218[1686863699000000001,1686864020081081060] 1686936871.55s|----------------------------------------L0.1218-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 2mb total:"
+ - "L0 "
+ - "L0.?[1686863699000000001,1686863903972972940] 1686936871.55s 1mb|-------------------------L0.?--------------------------| "
+ - "L0.?[1686863903972972941,1686864020081081060] 1686936871.55s 782kb |-------------L0.?-------------| "
+ - "**** Simulation run 247, type=split(HighL0OverlapTotalBacklog)(split_times=[1686864832837837803]). 1 Input Files, 58mb total:"
+ - "L0, all files 58mb "
+ - "L0.1142[1686864020081081061,1686864890891891870] 1686934966.48s|----------------------------------------L0.1142-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 58mb total:"
+ - "L0 "
+ - "L0.?[1686864020081081061,1686864832837837803] 1686934966.48s 55mb|--------------------------------------L0.?---------------------------------------| "
+ - "L0.?[1686864832837837804,1686864890891891870] 1686934966.48s 4mb |L0.?| "
+ - "**** Simulation run 248, type=split(HighL0OverlapTotalBacklog)(split_times=[1686864832837837803]). 1 Input Files, 27mb total:"
+ - "L0, all files 27mb "
+ - "L0.1219[1686864020081081061,1686864890891891870] 1686936871.55s|----------------------------------------L0.1219-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 27mb total:"
+ - "L0 "
+ - "L0.?[1686864020081081061,1686864832837837803] 1686936871.55s 26mb|--------------------------------------L0.?---------------------------------------| "
+ - "L0.?[1686864832837837804,1686864890891891870] 1686936871.55s 2mb |L0.?| "
+ - "**** Simulation run 249, type=split(HighL0OverlapTotalBacklog)(split_times=[1686864832837837803]). 1 Input Files, 17mb total:"
+ - "L1, all files 17mb "
+ - "L1.1229[1686864651607515460,1686865761702702680] 1686931893.7s|----------------------------------------L1.1229-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 17mb total:"
+ - "L1 "
+ - "L1.?[1686864651607515460,1686864832837837803] 1686931893.7s 3mb|----L1.?----| "
+ - "L1.?[1686864832837837804,1686865761702702680] 1686931893.7s 14mb |----------------------------------L1.?-----------------------------------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 43 files: L0.984, L0.986, L0.989, L0.991, L0.1008, L0.1010, L0.1033, L0.1036, L0.1039, L0.1046, L0.1049, L0.1052, L0.1054, L0.1065, L0.1072, L0.1075, L0.1078, L0.1080, L0.1116, L0.1117, L0.1120, L0.1124, L0.1130, L0.1133, L0.1141, L0.1142, L0.1144, L0.1145, L0.1148, L0.1168, L0.1174, L0.1177, L0.1200, L0.1201, L0.1202, L0.1205, L0.1209, L0.1215, L0.1218, L0.1219, L1.1227, L1.1228, L1.1229"
+ - " Creating 97 files"
+ - "**** Simulation run 250, type=split(ReduceOverlap)(split_times=[1686858240168622590]). 1 Input Files, 5mb total:"
+ - "L0, all files 5mb "
+ - "L0.1048[1686858214675675660,1686858278525917085] 1686932677.39s|----------------------------------------L0.1048-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 5mb total:"
+ - "L0 "
+ - "L0.?[1686858214675675660,1686858240168622590] 1686932677.39s 2mb|--------------L0.?---------------| "
+ - "L0.?[1686858240168622591,1686858278525917085] 1686932677.39s 3mb |------------------------L0.?------------------------| "
+ - "**** Simulation run 251, type=split(ReduceOverlap)(split_times=[1686864651607515459]). 1 Input Files, 55mb total:"
+ - "L0, all files 55mb "
+ - "L0.1321[1686864020081081061,1686864832837837803] 1686934966.48s|----------------------------------------L0.1321-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 55mb total:"
+ - "L0 "
+ - "L0.?[1686864020081081061,1686864651607515459] 1686934966.48s 42mb|-------------------------------L0.?--------------------------------| "
+ - "L0.?[1686864651607515460,1686864832837837803] 1686934966.48s 12mb |-------L0.?-------| "
+ - "**** Simulation run 252, type=split(ReduceOverlap)(split_times=[1686864651607515459]). 1 Input Files, 26mb total:"
+ - "L0, all files 26mb "
+ - "L0.1323[1686864020081081061,1686864832837837803] 1686936871.55s|----------------------------------------L0.1323-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 26mb total:"
+ - "L0 "
+ - "L0.?[1686864020081081061,1686864651607515459] 1686936871.55s 20mb|-------------------------------L0.?--------------------------------| "
+ - "L0.?[1686864651607515460,1686864832837837803] 1686936871.55s 6mb |-------L0.?-------| "
+ - "**** Simulation run 253, type=split(ReduceOverlap)(split_times=[1686858240168622590]). 1 Input Files, 3mb total:"
+ - "L0, all files 3mb "
+ - "L0.1051[1686858214675675660,1686858251288003855] 1686935947.46s|----------------------------------------L0.1051-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
+ - "L0 "
+ - "L0.?[1686858214675675660,1686858240168622590] 1686935947.46s 2mb|----------------------------L0.?----------------------------| "
+ - "L0.?[1686858240168622591,1686858251288003855] 1686935947.46s 951kb |----------L0.?-----------| "
+ - "**** Simulation run 254, type=split(ReduceOverlap)(split_times=[1686858240168622590]). 1 Input Files, 782kb total:"
+ - "L0, all files 782kb "
+ - "L0.1271[1686858214675675660,1686858330783783762] 1686936871.55s|----------------------------------------L0.1271-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 782kb total:"
+ - "L0 "
+ - "L0.?[1686858214675675660,1686858240168622590] 1686936871.55s 172kb|------L0.?-------| "
+ - "L0.?[1686858240168622591,1686858330783783762] 1686936871.55s 611kb |--------------------------------L0.?--------------------------------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 5 files: L0.1048, L0.1051, L0.1271, L0.1321, L0.1323"
+ - " Creating 10 files"
+ - "**** Simulation run 255, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[1686842571022320444, 1686843763044640888]). 10 Input Files, 292mb total:"
+ - "L0 "
+ - "L0.1100[1686841379000000000,1686842249810810810] 1686932677.39s 72mb|------L0.1100-------| "
+ - "L0.1101[1686842249810810811,1686842589641148927] 1686932677.39s 28mb |L0.1101| "
+ - "L0.937[1686842589641148928,1686843120621621620] 1686932677.39s 44mb |--L0.937---| "
+ - "L0.1102[1686843120621621621,1686843991432432430] 1686932677.39s 72mb |------L0.1102-------| "
+ - "L0.1103[1686843991432432431,1686844331262770547] 1686932677.39s 28mb |L0.1103| "
+ - "L0.942[1686844331262770548,1686844862243243240] 1686932677.39s 44mb |--L0.942---| "
+ - "L1 "
+ - "L1.84[1686841379000000000,1686842249810810810] 1686928854.57s 1mb|-------L1.84--------| "
+ - "L1.85[1686842249810810811,1686843120621621620] 1686928854.57s 1mb |-------L1.85--------| "
+ - "L1.86[1686843120621621621,1686843991432432430] 1686928854.57s 1mb |-------L1.86--------| "
+ - "L1.87[1686843991432432431,1686844862243243240] 1686928854.57s 1mb |-------L1.87--------| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 292mb total:"
+ - "L1 "
+ - "L1.?[1686841379000000000,1686842571022320444] 1686932677.39s 100mb|------------L1.?------------| "
+ - "L1.?[1686842571022320445,1686843763044640888] 1686932677.39s 100mb |------------L1.?------------| "
+ - "L1.?[1686843763044640889,1686844862243243240] 1686932677.39s 92mb |-----------L1.?-----------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 10 files: L1.84, L1.85, L1.86, L1.87, L0.937, L0.942, L0.1100, L0.1101, L0.1102, L0.1103"
+ - " Creating 3 files"
+ - "**** Simulation run 256, type=split(HighL0OverlapTotalBacklog)(split_times=[1686842540081081080]). 1 Input Files, 100mb total:"
+ - "L1, all files 100mb "
+ - "L1.1337[1686841379000000000,1686842571022320444] 1686932677.39s|----------------------------------------L1.1337-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L1 "
+ - "L1.?[1686841379000000000,1686842540081081080] 1686932677.39s 97mb|----------------------------------------L1.?-----------------------------------------| "
+ - "L1.?[1686842540081081081,1686842571022320444] 1686932677.39s 3mb |L1.?|"
+ - "**** Simulation run 257, type=split(HighL0OverlapTotalBacklog)(split_times=[1686842540081081080]). 1 Input Files, 28mb total:"
+ - "L0, all files 28mb "
+ - "L0.1150[1686842249810810811,1686842593136179151] 1686935947.46s|----------------------------------------L0.1150-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 28mb total:"
+ - "L0 "
+ - "L0.?[1686842249810810811,1686842540081081080] 1686935947.46s 24mb|-----------------------------------L0.?-----------------------------------| "
+ - "L0.?[1686842540081081081,1686842593136179151] 1686935947.46s 4mb |---L0.?----| "
+ - "**** Simulation run 258, type=split(HighL0OverlapTotalBacklog)(split_times=[1686842540081081080]). 1 Input Files, 3mb total:"
+ - "L0, all files 3mb "
+ - "L0.1185[1686842249810810811,1686843120621621620] 1686936871.55s|----------------------------------------L0.1185-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
+ - "L0 "
+ - "L0.?[1686842249810810811,1686842540081081080] 1686936871.55s 962kb|-----------L0.?------------| "
+ - "L0.?[1686842540081081081,1686843120621621620] 1686936871.55s 2mb |--------------------------L0.?---------------------------| "
+ - "**** Simulation run 259, type=split(HighL0OverlapTotalBacklog)(split_times=[1686843701162162160]). 1 Input Files, 100mb total:"
+ - "L1, all files 100mb "
+ - "L1.1338[1686842571022320445,1686843763044640888] 1686932677.39s|----------------------------------------L1.1338-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L1 "
+ - "L1.?[1686842571022320445,1686843701162162160] 1686932677.39s 95mb|---------------------------------------L1.?----------------------------------------| "
+ - "L1.?[1686843701162162161,1686843763044640888] 1686932677.39s 5mb |L1.?|"
+ - "**** Simulation run 260, type=split(HighL0OverlapTotalBacklog)(split_times=[1686843701162162160]). 1 Input Files, 72mb total:"
+ - "L0, all files 72mb "
+ - "L0.1151[1686843120621621621,1686843991432432430] 1686935947.46s|----------------------------------------L0.1151-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 72mb total:"
+ - "L0 "
+ - "L0.?[1686843120621621621,1686843701162162160] 1686935947.46s 48mb|--------------------------L0.?---------------------------| "
+ - "L0.?[1686843701162162161,1686843991432432430] 1686935947.46s 24mb |-----------L0.?------------| "
+ - "**** Simulation run 261, type=split(HighL0OverlapTotalBacklog)(split_times=[1686843701162162160]). 1 Input Files, 3mb total:"
+ - "L0, all files 3mb "
+ - "L0.1186[1686843120621621621,1686843991432432430] 1686936871.55s|----------------------------------------L0.1186-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
+ - "L0 "
+ - "L0.?[1686843120621621621,1686843701162162160] 1686936871.55s 2mb|--------------------------L0.?---------------------------| "
+ - "L0.?[1686843701162162161,1686843991432432430] 1686936871.55s 962kb |-----------L0.?------------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 6 files: L0.1150, L0.1151, L0.1185, L0.1186, L1.1337, L1.1338"
+ - " Creating 12 files"
+ - "**** Simulation run 262, type=split(ReduceOverlap)(split_times=[1686842571022320444]). 1 Input Files, 4mb total:"
+ - "L0, all files 4mb "
+ - "L0.1343[1686842540081081081,1686842593136179151] 1686935947.46s|----------------------------------------L0.1343-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
+ - "L0 "
+ - "L0.?[1686842540081081081,1686842571022320444] 1686935947.46s 3mb|-----------------------L0.?-----------------------| "
+ - "L0.?[1686842571022320445,1686842593136179151] 1686935947.46s 2mb |---------------L0.?----------------| "
+ - "**** Simulation run 263, type=split(ReduceOverlap)(split_times=[1686843763044640888]). 1 Input Files, 24mb total:"
+ - "L0, all files 24mb "
+ - "L0.1349[1686843701162162161,1686843991432432430] 1686935947.46s|----------------------------------------L0.1349-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 24mb total:"
+ - "L0 "
+ - "L0.?[1686843701162162161,1686843763044640888] 1686935947.46s 5mb|------L0.?-------| "
+ - "L0.?[1686843763044640889,1686843991432432430] 1686935947.46s 19mb |--------------------------------L0.?--------------------------------| "
+ - "**** Simulation run 264, type=split(ReduceOverlap)(split_times=[1686842571022320444]). 1 Input Files, 2mb total:"
+ - "L0, all files 2mb "
+ - "L0.1345[1686842540081081081,1686843120621621620] 1686936871.55s|----------------------------------------L0.1345-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 2mb total:"
+ - "L0 "
+ - "L0.?[1686842540081081081,1686842571022320444] 1686936871.55s 103kb|L0.?| "
+ - "L0.?[1686842571022320445,1686843120621621620] 1686936871.55s 2mb |---------------------------------------L0.?----------------------------------------| "
+ - "**** Simulation run 265, type=split(ReduceOverlap)(split_times=[1686843763044640888]). 1 Input Files, 962kb total:"
+ - "L0, all files 962kb "
+ - "L0.1351[1686843701162162161,1686843991432432430] 1686936871.55s|----------------------------------------L0.1351-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 962kb total:"
+ - "L0 "
+ - "L0.?[1686843701162162161,1686843763044640888] 1686936871.55s 205kb|------L0.?-------| "
+ - "L0.?[1686843763044640889,1686843991432432430] 1686936871.55s 757kb |--------------------------------L0.?--------------------------------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 4 files: L0.1343, L0.1345, L0.1349, L0.1351"
+ - " Creating 8 files"
+ - "**** Simulation run 266, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[1686846054770701976, 1686847247298160711]). 12 Input Files, 292mb total:"
+ - "L0 "
+ - "L0.1104[1686844862243243241,1686845579000000000] 1686932677.39s 59mb|----L0.1104-----| "
+ - "L0.1105[1686845579000000001,1686845733054054050] 1686932677.39s 13mb |L0.1105| "
+ - "L0.1106[1686845733054054051,1686846072884392167] 1686932677.39s 28mb |L0.1106| "
+ - "L0.947[1686846072884392168,1686846603864864860] 1686932677.39s 44mb |--L0.947---| "
+ - "L0.1107[1686846603864864861,1686847474675675670] 1686932677.39s 72mb |------L0.1107-------| "
+ - "L0.1108[1686847474675675671,1686847814506013787] 1686932677.39s 28mb |L0.1108| "
+ - "L0.951[1686847814506013788,1686848345486486480] 1686932677.39s 44mb |--L0.951---| "
+ - "L1 "
+ - "L1.88[1686844862243243241,1686845579000000000] 1686928854.57s 947kb|-----L1.88------| "
+ - "L1.413[1686845639000000000,1686845733054054050] 1686928854.57s 123kb |L1.413| "
+ - "L1.414[1686845733054054051,1686846603864864860] 1686928854.57s 1mb |-------L1.414-------| "
+ - "L1.415[1686846603864864861,1686847474675675670] 1686928854.57s 1mb |-------L1.415-------| "
+ - "L1.416[1686847474675675671,1686848345486486480] 1686928854.57s 1mb |-------L1.416-------| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 292mb total:"
+ - "L1 "
+ - "L1.?[1686844862243243241,1686846054770701976] 1686932677.39s 100mb|------------L1.?------------| "
+ - "L1.?[1686846054770701977,1686847247298160711] 1686932677.39s 100mb |------------L1.?------------| "
+ - "L1.?[1686847247298160712,1686848345486486480] 1686932677.39s 92mb |-----------L1.?-----------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 12 files: L1.88, L1.413, L1.414, L1.415, L1.416, L0.947, L0.951, L0.1104, L0.1105, L0.1106, L0.1107, L0.1108"
+ - " Creating 3 files"
+ - "**** Simulation run 267, type=split(HighL0OverlapTotalBacklog)(split_times=[1686846023324324320]). 1 Input Files, 100mb total:"
+ - "L1, all files 100mb "
+ - "L1.1360[1686844862243243241,1686846054770701976] 1686932677.39s|----------------------------------------L1.1360-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L1 "
+ - "L1.?[1686844862243243241,1686846023324324320] 1686932677.39s 97mb|----------------------------------------L1.?-----------------------------------------| "
+ - "L1.?[1686846023324324321,1686846054770701976] 1686932677.39s 3mb |L1.?|"
+ - "**** Simulation run 268, type=split(HighL0OverlapTotalBacklog)(split_times=[1686846023324324320]). 1 Input Files, 28mb total:"
+ - "L0, all files 28mb "
+ - "L0.1155[1686845733054054051,1686846076379422391] 1686935947.46s|----------------------------------------L0.1155-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 28mb total:"
+ - "L0 "
+ - "L0.?[1686845733054054051,1686846023324324320] 1686935947.46s 24mb|-----------------------------------L0.?-----------------------------------| "
+ - "L0.?[1686846023324324321,1686846076379422391] 1686935947.46s 4mb |---L0.?----| "
+ - "**** Simulation run 269, type=split(HighL0OverlapTotalBacklog)(split_times=[1686846023324324320]). 1 Input Files, 3mb total:"
+ - "L0, all files 3mb "
+ - "L0.1190[1686845733054054051,1686846603864864860] 1686936871.55s|----------------------------------------L0.1190-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
+ - "L0 "
+ - "L0.?[1686845733054054051,1686846023324324320] 1686936871.55s 962kb|-----------L0.?------------| "
+ - "L0.?[1686846023324324321,1686846603864864860] 1686936871.55s 2mb |--------------------------L0.?---------------------------| "
+ - "**** Simulation run 270, type=split(HighL0OverlapTotalBacklog)(split_times=[1686847184405405399]). 1 Input Files, 100mb total:"
+ - "L1, all files 100mb "
+ - "L1.1361[1686846054770701977,1686847247298160711] 1686932677.39s|----------------------------------------L1.1361-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L1 "
+ - "L1.?[1686846054770701977,1686847184405405399] 1686932677.39s 95mb|---------------------------------------L1.?----------------------------------------| "
+ - "L1.?[1686847184405405400,1686847247298160711] 1686932677.39s 5mb |L1.?|"
+ - "**** Simulation run 271, type=split(HighL0OverlapTotalBacklog)(split_times=[1686847184405405399]). 1 Input Files, 72mb total:"
+ - "L0, all files 72mb "
+ - "L0.1156[1686846603864864861,1686847474675675670] 1686935947.46s|----------------------------------------L0.1156-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 72mb total:"
+ - "L0 "
+ - "L0.?[1686846603864864861,1686847184405405399] 1686935947.46s 48mb|--------------------------L0.?---------------------------| "
+ - "L0.?[1686847184405405400,1686847474675675670] 1686935947.46s 24mb |------------L0.?------------| "
+ - "**** Simulation run 272, type=split(HighL0OverlapTotalBacklog)(split_times=[1686847184405405399]). 1 Input Files, 3mb total:"
+ - "L0, all files 3mb "
+ - "L0.1191[1686846603864864861,1686847474675675670] 1686936871.55s|----------------------------------------L0.1191-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
+ - "L0 "
+ - "L0.?[1686846603864864861,1686847184405405399] 1686936871.55s 2mb|--------------------------L0.?---------------------------| "
+ - "L0.?[1686847184405405400,1686847474675675670] 1686936871.55s 962kb |------------L0.?------------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 6 files: L0.1155, L0.1156, L0.1190, L0.1191, L1.1360, L1.1361"
+ - " Creating 12 files"
+ - "**** Simulation run 273, type=split(ReduceOverlap)(split_times=[1686846054770701976]). 1 Input Files, 4mb total:"
+ - "L0, all files 4mb "
+ - "L0.1366[1686846023324324321,1686846076379422391] 1686935947.46s|----------------------------------------L0.1366-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
+ - "L0 "
+ - "L0.?[1686846023324324321,1686846054770701976] 1686935947.46s 3mb|-----------------------L0.?------------------------| "
+ - "L0.?[1686846054770701977,1686846076379422391] 1686935947.46s 2mb |---------------L0.?---------------| "
+ - "**** Simulation run 274, type=split(ReduceOverlap)(split_times=[1686847247298160711]). 1 Input Files, 24mb total:"
+ - "L0, all files 24mb "
+ - "L0.1372[1686847184405405400,1686847474675675670] 1686935947.46s|----------------------------------------L0.1372-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 24mb total:"
+ - "L0 "
+ - "L0.?[1686847184405405400,1686847247298160711] 1686935947.46s 5mb|------L0.?-------| "
+ - "L0.?[1686847247298160712,1686847474675675670] 1686935947.46s 19mb |--------------------------------L0.?--------------------------------| "
+ - "**** Simulation run 275, type=split(ReduceOverlap)(split_times=[1686846054770701976]). 1 Input Files, 2mb total:"
+ - "L0, all files 2mb "
+ - "L0.1368[1686846023324324321,1686846603864864860] 1686936871.55s|----------------------------------------L0.1368-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 2mb total:"
+ - "L0 "
+ - "L0.?[1686846023324324321,1686846054770701976] 1686936871.55s 104kb|L0.?| "
+ - "L0.?[1686846054770701977,1686846603864864860] 1686936871.55s 2mb |---------------------------------------L0.?----------------------------------------| "
+ - "**** Simulation run 276, type=split(ReduceOverlap)(split_times=[1686847247298160711]). 1 Input Files, 962kb total:"
+ - "L0, all files 962kb "
+ - "L0.1374[1686847184405405400,1686847474675675670] 1686936871.55s|----------------------------------------L0.1374-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 962kb total:"
+ - "L0 "
+ - "L0.?[1686847184405405400,1686847247298160711] 1686936871.55s 208kb|------L0.?-------| "
+ - "L0.?[1686847247298160712,1686847474675675670] 1686936871.55s 753kb |--------------------------------L0.?--------------------------------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 4 files: L0.1366, L0.1368, L0.1372, L0.1374"
+ - " Creating 8 files"
+ - "**** Simulation run 277, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[1686849559289331160, 1686850773092175839]). 14 Input Files, 287mb total:"
+ - "L0 "
+ - "L0.1109[1686848345486486481,1686849216297297290] 1686932677.39s 69mb|------L0.1109-------| "
+ - "L0.1110[1686849216297297291,1686849600239388909] 1686932677.39s 31mb |L0.1110| "
+ - "L0.1111[1686849600239388910,1686849779000000000] 1686932677.39s 14mb |L0.1111| "
+ - "L0.1112[1686849779000000001,1686850087108108100] 1686932677.39s 25mb |L0.1112| "
+ - "L0.1113[1686850087108108101,1686850559000000000] 1686932677.39s 39mb |-L0.1113--| "
+ - "L0.1114[1686850559000000001,1686850957918918910] 1686932677.39s 33mb |L0.1114-| "
+ - "L0.1115[1686850957918918911,1686851297766913590] 1686932677.39s 28mb |L0.1115| "
+ - "L0.961[1686851297766913591,1686851828729729720] 1686932677.39s 44mb |--L0.961---| "
+ - "L1 "
+ - "L1.417[1686848345486486481,1686849216297297290] 1686928854.57s 1mb|-------L1.417-------| "
+ - "L1.418[1686849216297297291,1686849779000000000] 1686928854.57s 734kb |---L1.418---| "
+ - "L1.430[1686849839000000000,1686850087108108100] 1686928854.57s 336kb |L1.430| "
+ - "L1.431[1686850087108108101,1686850559000000000] 1686928854.57s 639kb |--L1.431--| "
+ - "L1.432[1686850619000000000,1686850957918918910] 1686928854.57s 440kb |L1.432| "
+ - "L1.433[1686850957918918911,1686851828729729720] 1686928854.57s 1mb |-------L1.433-------| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 287mb total:"
+ - "L1 "
+ - "L1.?[1686848345486486481,1686849559289331160] 1686932677.39s 100mb|------------L1.?-------------| "
+ - "L1.?[1686849559289331161,1686850773092175839] 1686932677.39s 100mb |------------L1.?-------------| "
+ - "L1.?[1686850773092175840,1686851828729729720] 1686932677.39s 87mb |----------L1.?-----------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 14 files: L1.417, L1.418, L1.430, L1.431, L1.432, L1.433, L0.961, L0.1109, L0.1110, L0.1111, L0.1112, L0.1113, L0.1114, L0.1115"
+ - " Creating 3 files"
+ - "**** Simulation run 278, type=split(HighL0OverlapTotalBacklog)(split_times=[1686849506567567560]). 1 Input Files, 100mb total:"
+ - "L1, all files 100mb "
+ - "L1.1383[1686848345486486481,1686849559289331160] 1686932677.39s|----------------------------------------L1.1383-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L1 "
+ - "L1.?[1686848345486486481,1686849506567567560] 1686932677.39s 96mb|----------------------------------------L1.?----------------------------------------| "
+ - "L1.?[1686849506567567561,1686849559289331160] 1686932677.39s 4mb |L1.?|"
+ - "**** Simulation run 279, type=split(HighL0OverlapTotalBacklog)(split_times=[1686849506567567560]). 1 Input Files, 29mb total:"
+ - "L0, all files 29mb "
+ - "L0.1159[1686849216297297291,1686849568759166090] 1686935947.46s|----------------------------------------L0.1159-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 29mb total:"
+ - "L0 "
+ - "L0.?[1686849216297297291,1686849506567567560] 1686935947.46s 24mb|----------------------------------L0.?----------------------------------| "
+ - "L0.?[1686849506567567561,1686849568759166090] 1686935947.46s 5mb |----L0.?-----| "
+ - "**** Simulation run 280, type=split(HighL0OverlapTotalBacklog)(split_times=[1686849506567567560]). 1 Input Files, 4mb total:"
+ - "L0, all files 4mb "
+ - "L0.1194[1686849216297297291,1686849779000000000] 1686936871.55s|----------------------------------------L0.1194-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
+ - "L0 "
+ - "L0.?[1686849216297297291,1686849506567567560] 1686936871.55s 2mb|--------------------L0.?--------------------| "
+ - "L0.?[1686849506567567561,1686849779000000000] 1686936871.55s 2mb |------------------L0.?-------------------| "
+ - "**** Simulation run 281, type=split(HighL0OverlapTotalBacklog)(split_times=[1686850667648648639]). 1 Input Files, 100mb total:"
+ - "L1, all files 100mb "
+ - "L1.1384[1686849559289331161,1686850773092175839] 1686932677.39s|----------------------------------------L1.1384-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L1 "
+ - "L1.?[1686849559289331161,1686850667648648639] 1686932677.39s 91mb|--------------------------------------L1.?--------------------------------------| "
+ - "L1.?[1686850667648648640,1686850773092175839] 1686932677.39s 9mb |L1.?-| "
+ - "**** Simulation run 282, type=split(HighL0OverlapTotalBacklog)(split_times=[1686850667648648639]). 1 Input Files, 33mb total:"
+ - "L0, all files 33mb "
+ - "L0.1163[1686850559000000001,1686850957918918910] 1686935947.46s|----------------------------------------L0.1163-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 33mb total:"
+ - "L0 "
+ - "L0.?[1686850559000000001,1686850667648648639] 1686935947.46s 9mb|---------L0.?---------| "
+ - "L0.?[1686850667648648640,1686850957918918910] 1686935947.46s 24mb |-----------------------------L0.?------------------------------| "
+ - "**** Simulation run 283, type=split(HighL0OverlapTotalBacklog)(split_times=[1686850667648648639]). 1 Input Files, 1mb total:"
+ - "L0, all files 1mb "
+ - "L0.1197[1686850559000000001,1686850957918918910] 1686936871.55s|----------------------------------------L0.1197-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
+ - "L0 "
+ - "L0.?[1686850559000000001,1686850667648648639] 1686936871.55s 360kb|---------L0.?---------| "
+ - "L0.?[1686850667648648640,1686850957918918910] 1686936871.55s 962kb |-----------------------------L0.?------------------------------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 6 files: L0.1159, L0.1163, L0.1194, L0.1197, L1.1383, L1.1384"
+ - " Creating 12 files"
+ - "**** Simulation run 284, type=split(ReduceOverlap)(split_times=[1686849559289331160]). 1 Input Files, 5mb total:"
+ - "L0, all files 5mb "
+ - "L0.1389[1686849506567567561,1686849568759166090] 1686935947.46s|----------------------------------------L0.1389-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 5mb total:"
+ - "L0 "
+ - "L0.?[1686849506567567561,1686849559289331160] 1686935947.46s 4mb|-----------------------------------L0.?-----------------------------------| "
+ - "L0.?[1686849559289331161,1686849568759166090] 1686935947.46s 793kb |---L0.?----| "
+ - "**** Simulation run 285, type=split(ReduceOverlap)(split_times=[1686850773092175839]). 1 Input Files, 24mb total:"
+ - "L0, all files 24mb "
+ - "L0.1395[1686850667648648640,1686850957918918910] 1686935947.46s|----------------------------------------L0.1395-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 24mb total:"
+ - "L0 "
+ - "L0.?[1686850667648648640,1686850773092175839] 1686935947.46s 9mb|-------------L0.?-------------| "
+ - "L0.?[1686850773092175840,1686850957918918910] 1686935947.46s 15mb |-------------------------L0.?--------------------------| "
+ - "**** Simulation run 286, type=split(ReduceOverlap)(split_times=[1686849559289331160]). 1 Input Files, 2mb total:"
+ - "L0, all files 2mb "
+ - "L0.1391[1686849506567567561,1686849779000000000] 1686936871.55s|----------------------------------------L0.1391-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 2mb total:"
+ - "L0 "
+ - "L0.?[1686849506567567561,1686849559289331160] 1686936871.55s 342kb|-----L0.?------| "
+ - "L0.?[1686849559289331161,1686849779000000000] 1686936871.55s 1mb |---------------------------------L0.?---------------------------------| "
+ - "**** Simulation run 287, type=split(ReduceOverlap)(split_times=[1686850773092175839]). 1 Input Files, 962kb total:"
+ - "L0, all files 962kb "
+ - "L0.1397[1686850667648648640,1686850957918918910] 1686936871.55s|----------------------------------------L0.1397-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 962kb total:"
+ - "L0 "
+ - "L0.?[1686850667648648640,1686850773092175839] 1686936871.55s 349kb|-------------L0.?-------------| "
+ - "L0.?[1686850773092175840,1686850957918918910] 1686936871.55s 612kb |-------------------------L0.?--------------------------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 4 files: L0.1389, L0.1391, L0.1395, L0.1397"
+ - " Creating 8 files"
+ - "**** Simulation run 288, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[1686854034336087198, 1686855311077579811]). 14 Input Files, 291mb total:"
+ - "L0 "
+ - "L0.1241[1686853570351351341,1686853686459459447] 1686932677.39s 9mb |L0.1241| "
+ - "L0.1242[1686853686459459448,1686854441162162150] 1686932677.39s 60mb |----L0.1242-----| "
+ - "L0.1247[1686854441162162151,1686854615324324310] 1686932677.39s 14mb |L0.1247| "
+ - "L0.1248[1686854615324324311,1686854819000000000] 1686932677.39s 16mb |L0.1248| "
+ - "L0.1118[1686854819000000001,1686854830189955965] 1686932677.39s 910kb |L0.1118| "
+ - "L0.973[1686854830189955966,1686855311972972960] 1686932677.39s 38mb |-L0.973--| "
+ - "L0.1253[1686855311972972961,1686855544189189173] 1686932677.39s 19mb |L0.1253| "
+ - "L0.1254[1686855544189189174,1686855892513513500] 1686932677.39s 28mb |L0.1254| "
+ - "L0.1119[1686855892513513501,1686856182783783770] 1686932677.39s 24mb |L0.1119| "
+ - "L0.1259[1686856182783783771,1686856473054054036] 1686932677.39s 24mb |L0.1259|"
+ - "L1 "
+ - "L1.1231[1686852757594594585,1686853686459459447] 1686931893.7s 14mb|------L1.1231-------| "
+ - "L1.1232[1686853686459459448,1686854615324324310] 1686931893.7s 14mb |------L1.1232-------| "
+ - "L1.1233[1686854615324324311,1686855544189189173] 1686931893.7s 14mb |------L1.1233-------| "
+ - "L1.1234[1686855544189189174,1686856473054054036] 1686931893.7s 14mb |------L1.1234-------| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 291mb total:"
+ - "L1 "
+ - "L1.?[1686852757594594585,1686854034336087198] 1686932677.39s 100mb|------------L1.?------------| "
+ - "L1.?[1686854034336087199,1686855311077579811] 1686932677.39s 100mb |------------L1.?------------| "
+ - "L1.?[1686855311077579812,1686856473054054036] 1686932677.39s 91mb |-----------L1.?-----------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 14 files: L0.973, L0.1118, L0.1119, L1.1231, L1.1232, L1.1233, L1.1234, L0.1241, L0.1242, L0.1247, L0.1248, L0.1253, L0.1254, L0.1259"
+ - " Creating 3 files"
+ - "**** Simulation run 289, type=split(HighL0OverlapTotalBacklog)(split_times=[1686853500686486475]). 1 Input Files, 100mb total:"
+ - "L1, all files 100mb "
+ - "L1.1406[1686852757594594585,1686854034336087198] 1686932677.39s|----------------------------------------L1.1406-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L1 "
+ - "L1.?[1686852757594594585,1686853500686486475] 1686932677.39s 58mb|-----------------------L1.?-----------------------| "
+ - "L1.?[1686853500686486476,1686854034336087198] 1686932677.39s 42mb |---------------L1.?----------------| "
+ - "**** Simulation run 290, type=split(HighL0OverlapTotalBacklog)(split_times=[1686853500686486475]). 1 Input Files, 14mb total:"
+ - "L0, all files 14mb "
+ - "L0.971[1686853222027027017,1686853570351351340] 1686936871.55s|-----------------------------------------L0.971-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 14mb total:"
+ - "L0 "
+ - "L0.?[1686853222027027017,1686853500686486475] 1686936871.55s 11mb|--------------------------------L0.?---------------------------------| "
+ - "L0.?[1686853500686486476,1686853570351351340] 1686936871.55s 3mb |-----L0.?------| "
+ - "**** Simulation run 291, type=split(HighL0OverlapTotalBacklog)(split_times=[1686853500686486475]). 1 Input Files, 24mb total:"
+ - "L0, all files 24mb "
+ - "L0.969[1686853236700974399,1686853570351351340] 1686934966.48s|-----------------------------------------L0.969-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 24mb total:"
+ - "L0 "
+ - "L0.?[1686853236700974399,1686853500686486475] 1686934966.48s 19mb|--------------------------------L0.?---------------------------------| "
+ - "L0.?[1686853500686486476,1686853570351351340] 1686934966.48s 5mb |------L0.?------| "
+ - "**** Simulation run 292, type=split(HighL0OverlapTotalBacklog)(split_times=[1686854243778378365]). 1 Input Files, 51mb total:"
+ - "L0, all files 51mb "
+ - "L0.1244[1686853686459459448,1686854441162162150] 1686935546.05s|----------------------------------------L0.1244-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 51mb total:"
+ - "L0 "
+ - "L0.?[1686853686459459448,1686854243778378365] 1686935546.05s 38mb|------------------------------L0.?------------------------------| "
+ - "L0.?[1686854243778378366,1686854441162162150] 1686935546.05s 13mb |--------L0.?---------| "
+ - "**** Simulation run 293, type=split(HighL0OverlapTotalBacklog)(split_times=[1686854243778378365]). 1 Input Files, 16mb total:"
+ - "L0, all files 16mb "
+ - "L0.1246[1686853686459459448,1686854441162162150] 1686936871.55s|----------------------------------------L0.1246-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 16mb total:"
+ - "L0 "
+ - "L0.?[1686853686459459448,1686854243778378365] 1686936871.55s 12mb|------------------------------L0.?------------------------------| "
+ - "L0.?[1686854243778378366,1686854441162162150] 1686936871.55s 4mb |--------L0.?---------| "
+ - "**** Simulation run 294, type=split(HighL0OverlapTotalBacklog)(split_times=[1686854243778378365, 1686854986870270255]). 1 Input Files, 100mb total:"
+ - "L1, all files 100mb "
+ - "L1.1407[1686854034336087199,1686855311077579811] 1686932677.39s|----------------------------------------L1.1407-----------------------------------------|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L1 "
+ - "L1.?[1686854034336087199,1686854243778378365] 1686932677.39s 16mb|----L1.?----| "
+ - "L1.?[1686854243778378366,1686854986870270255] 1686932677.39s 58mb |-----------------------L1.?-----------------------| "
+ - "L1.?[1686854986870270256,1686855311077579811] 1686932677.39s 25mb |--------L1.?--------| "
+ - "**** Simulation run 295, type=split(HighL0OverlapTotalBacklog)(split_times=[1686854986870270255]). 1 Input Files, 24mb total:"
+ - "L0, all files 24mb "
+ - "L0.975[1686854963648648637,1686855311972972960] 1686935546.05s|-----------------------------------------L0.975-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 24mb total:"
+ - "L0 "
+ - "L0.?[1686854963648648637,1686854986870270255] 1686935546.05s 2mb|L0.?| "
+ - "L0.?[1686854986870270256,1686855311972972960] 1686935546.05s 22mb |---------------------------------------L0.?---------------------------------------| "
+ - "**** Simulation run 296, type=split(HighL0OverlapTotalBacklog)(split_times=[1686854986870270255]). 1 Input Files, 7mb total:"
+ - "L0, all files 7mb "
+ - "L0.977[1686854963648648637,1686855311972972960] 1686936871.55s|-----------------------------------------L0.977-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 7mb total:"
+ - "L0 "
+ - "L0.?[1686854963648648637,1686854986870270255] 1686936871.55s 499kb|L0.?| "
+ - "L0.?[1686854986870270256,1686855311972972960] 1686936871.55s 7mb |---------------------------------------L0.?---------------------------------------| "
+ - "**** Simulation run 297, type=split(HighL0OverlapTotalBacklog)(split_times=[1686855729962162145]). 1 Input Files, 91mb total:"
+ - "L1, all files 91mb "
+ - "L1.1408[1686855311077579812,1686856473054054036] 1686932677.39s|----------------------------------------L1.1408-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 91mb total:"
+ - "L1 "
+ - "L1.?[1686855311077579812,1686855729962162145] 1686932677.39s 33mb|-------------L1.?-------------| "
+ - "L1.?[1686855729962162146,1686856473054054036] 1686932677.39s 58mb |-------------------------L1.?--------------------------| "
+ - "**** Simulation run 298, type=split(HighL0OverlapTotalBacklog)(split_times=[1686855729962162145]). 1 Input Files, 28mb total:"
+ - "L0, all files 28mb "
+ - "L0.1256[1686855544189189174,1686855892513513500] 1686935742.51s|----------------------------------------L0.1256-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 28mb total:"
+ - "L0 "
+ - "L0.?[1686855544189189174,1686855729962162145] 1686935742.51s 15mb|--------------------L0.?---------------------| "
+ - "L0.?[1686855729962162146,1686855892513513500] 1686935742.51s 13mb |------------------L0.?------------------| "
+ - "**** Simulation run 299, type=split(HighL0OverlapTotalBacklog)(split_times=[1686855729962162145]). 1 Input Files, 3mb total:"
+ - "L0, all files 3mb "
+ - "L0.1258[1686855544189189174,1686855892513513500] 1686936871.55s|----------------------------------------L0.1258-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
+ - "L0 "
+ - "L0.?[1686855544189189174,1686855729962162145] 1686936871.55s 2mb|--------------------L0.?---------------------| "
+ - "L0.?[1686855729962162146,1686855892513513500] 1686936871.55s 2mb |------------------L0.?------------------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 11 files: L0.969, L0.971, L0.975, L0.977, L0.1244, L0.1246, L0.1256, L0.1258, L1.1406, L1.1407, L1.1408"
+ - " Creating 23 files"
+ - "**** Simulation run 300, type=split(ReduceOverlap)(split_times=[1686854034336087198]). 1 Input Files, 38mb total:"
+ - "L0, all files 38mb "
+ - "L0.1415[1686853686459459448,1686854243778378365] 1686935546.05s|----------------------------------------L0.1415-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 38mb total:"
+ - "L0 "
+ - "L0.?[1686853686459459448,1686854034336087198] 1686935546.05s 23mb|-------------------------L0.?-------------------------| "
+ - "L0.?[1686854034336087199,1686854243778378365] 1686935546.05s 14mb |-------------L0.?--------------| "
+ - "**** Simulation run 301, type=split(ReduceOverlap)(split_times=[1686855311077579811]). 1 Input Files, 22mb total:"
+ - "L0, all files 22mb "
+ - "L0.1423[1686854986870270256,1686855311972972960] 1686935546.05s|----------------------------------------L0.1423-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 22mb total:"
+ - "L0 "
+ - "L0.?[1686854986870270256,1686855311077579811] 1686935546.05s 22mb|-----------------------------------------L0.?------------------------------------------| "
+ - "L0.?[1686855311077579812,1686855311972972960] 1686935546.05s 62kb |L0.?|"
+ - "**** Simulation run 302, type=split(ReduceOverlap)(split_times=[1686854034336087198]). 1 Input Files, 12mb total:"
+ - "L0, all files 12mb "
+ - "L0.1417[1686853686459459448,1686854243778378365] 1686936871.55s|----------------------------------------L0.1417-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 12mb total:"
+ - "L0 "
+ - "L0.?[1686853686459459448,1686854034336087198] 1686936871.55s 7mb|-------------------------L0.?-------------------------| "
+ - "L0.?[1686854034336087199,1686854243778378365] 1686936871.55s 4mb |-------------L0.?--------------| "
+ - "**** Simulation run 303, type=split(ReduceOverlap)(split_times=[1686855311077579811]). 1 Input Files, 7mb total:"
+ - "L0, all files 7mb "
+ - "L0.1425[1686854986870270256,1686855311972972960] 1686936871.55s|----------------------------------------L0.1425-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 7mb total:"
+ - "L0 "
+ - "L0.?[1686854986870270256,1686855311077579811] 1686936871.55s 7mb|-----------------------------------------L0.?------------------------------------------| "
+ - "L0.?[1686855311077579812,1686855311972972960] 1686936871.55s 19kb |L0.?|"
+ - "Committing partition 1:"
+ - " Soft Deleting 4 files: L0.1415, L0.1417, L0.1423, L0.1425"
+ - " Creating 8 files"
+ - "**** Simulation run 304, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[1686857724225846697, 1686858975397639357]). 19 Input Files, 297mb total:"
+ - "L0 "
+ - "L0.1260[1686856473054054037,1686856473054054039] 1686932677.39s 1b|L0.1260| "
+ - "L0.1035[1686856473054054040,1686856536496842959] 1686932677.39s 5mb|L0.1035| "
+ - "L0.979[1686856536496842960,1686857053594594580] 1686932677.39s 42mb |--L0.979--| "
+ - "L0.1265[1686857053594594581,1686857401918918899] 1686932677.39s 28mb |L0.1265| "
+ - "L0.1266[1686857401918918900,1686857634135135120] 1686932677.39s 19mb |L0.1266| "
+ - "L0.1121[1686857634135135121,1686857924405405390] 1686932677.39s 24mb |L0.1121| "
+ - "L0.1122[1686857924405405391,1686858214675675659] 1686932677.39s 24mb |L0.1122| "
+ - "L0.1327[1686858214675675660,1686858240168622590] 1686932677.39s 2mb |L0.1327| "
+ - "L0.1328[1686858240168622591,1686858278525917085] 1686932677.39s 3mb |L0.1328| "
+ - "L0.1283[1686858278525917086,1686858330783783762] 1686932677.39s 4mb |L0.1283| "
+ - "L0.1284[1686858330783783763,1686858795216216200] 1686932677.39s 38mb |-L0.1284-| "
+ - "L0.1123[1686858795216216201,1686859019000000000] 1686932677.39s 19mb |L0.1123| "
+ - "L0.1285[1686859019000000001,1686859259648648625] 1686932677.39s 20mb |L0.1285| "
+ - "L0.1286[1686859259648648626,1686859375756756740] 1686932677.39s 10mb |L0.1286| "
+ - "L1 "
+ - "L1.1235[1686856473054054037,1686857401918918899] 1686931893.7s 14mb|------L1.1235-------| "
+ - "L1.1236[1686857401918918900,1686858240168622590] 1686931893.7s 13mb |-----L1.1236------| "
+ - "L1.1273[1686858240168622591,1686858330783783762] 1686931893.7s 1mb |L1.1273| "
+ - "L1.1274[1686858330783783763,1686859259648648625] 1686931893.7s 14mb |------L1.1274-------| "
+ - "L1.1275[1686859259648648626,1686860188513513488] 1686931893.7s 14mb |------L1.1275-------| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 297mb total:"
+ - "L1 "
+ - "L1.?[1686856473054054037,1686857724225846697] 1686932677.39s 100mb|------------L1.?------------| "
+ - "L1.?[1686857724225846698,1686858975397639357] 1686932677.39s 100mb |------------L1.?------------| "
+ - "L1.?[1686858975397639358,1686860188513513488] 1686932677.39s 97mb |-----------L1.?------------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 19 files: L0.979, L0.1035, L0.1121, L0.1122, L0.1123, L1.1235, L1.1236, L0.1260, L0.1265, L0.1266, L1.1273, L1.1274, L1.1275, L0.1283, L0.1284, L0.1285, L0.1286, L0.1327, L0.1328"
+ - " Creating 3 files"
+ - "**** Simulation run 305, type=split(HighL0OverlapTotalBacklog)(split_times=[1686857216145945927]). 1 Input Files, 100mb total:"
+ - "L1, all files 100mb "
+ - "L1.1440[1686856473054054037,1686857724225846697] 1686932677.39s|----------------------------------------L1.1440-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L1 "
+ - "L1.?[1686856473054054037,1686857216145945927] 1686932677.39s 59mb|-----------------------L1.?------------------------| "
+ - "L1.?[1686857216145945928,1686857724225846697] 1686932677.39s 41mb |---------------L1.?---------------| "
+ - "**** Simulation run 306, type=split(HighL0OverlapTotalBacklog)(split_times=[1686857216145945927]). 1 Input Files, 29mb total:"
+ - "L0, all files 29mb "
+ - "L0.1267[1686857053594594581,1686857401918918899] 1686935947.46s|----------------------------------------L0.1267-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 29mb total:"
+ - "L0 "
+ - "L0.?[1686857053594594581,1686857216145945927] 1686935947.46s 14mb|-----------------L0.?------------------| "
+ - "L0.?[1686857216145945928,1686857401918918899] 1686935947.46s 16mb |---------------------L0.?---------------------| "
+ - "**** Simulation run 307, type=split(HighL0OverlapTotalBacklog)(split_times=[1686857216145945927]). 1 Input Files, 2mb total:"
+ - "L0, all files 2mb "
+ - "L0.1269[1686857053594594581,1686857401918918899] 1686936871.55s|----------------------------------------L0.1269-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 2mb total:"
+ - "L0 "
+ - "L0.?[1686857053594594581,1686857216145945927] 1686936871.55s 1mb|-----------------L0.?------------------| "
+ - "L0.?[1686857216145945928,1686857401918918899] 1686936871.55s 1mb |---------------------L0.?---------------------| "
+ - "**** Simulation run 308, type=split(HighL0OverlapTotalBacklog)(split_times=[1686857959237837817, 1686858702329729707]). 1 Input Files, 100mb total:"
+ - "L1, all files 100mb "
+ - "L1.1441[1686857724225846698,1686858975397639357] 1686932677.39s|----------------------------------------L1.1441-----------------------------------------|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L1 "
+ - "L1.?[1686857724225846698,1686857959237837817] 1686932677.39s 19mb|-----L1.?-----| "
+ - "L1.?[1686857959237837818,1686858702329729707] 1686932677.39s 59mb |-----------------------L1.?------------------------| "
+ - "L1.?[1686858702329729708,1686858975397639357] 1686932677.39s 22mb |------L1.?-------| "
+ - "**** Simulation run 309, type=split(HighL0OverlapTotalBacklog)(split_times=[1686857959237837817]). 1 Input Files, 24mb total:"
+ - "L0, all files 24mb "
+ - "L0.1166[1686857924405405391,1686858214675675659] 1686935947.46s|----------------------------------------L0.1166-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 24mb total:"
+ - "L0 "
+ - "L0.?[1686857924405405391,1686857959237837817] 1686935947.46s 3mb|--L0.?--| "
+ - "L0.?[1686857959237837818,1686858214675675659] 1686935947.46s 21mb |------------------------------------L0.?-------------------------------------| "
+ - "**** Simulation run 310, type=split(HighL0OverlapTotalBacklog)(split_times=[1686858702329729707]). 1 Input Files, 3mb total:"
+ - "L0, all files 3mb "
+ - "L0.1272[1686858330783783763,1686858795216216200] 1686936871.55s|----------------------------------------L0.1272-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 3mb total:"
+ - "L0 "
+ - "L0.?[1686858330783783763,1686858702329729707] 1686936871.55s 2mb|--------------------------------L0.?---------------------------------| "
+ - "L0.?[1686858702329729708,1686858795216216200] 1686936871.55s 626kb |------L0.?------| "
+ - "**** Simulation run 311, type=split(HighL0OverlapTotalBacklog)(split_times=[1686859445421621597]). 1 Input Files, 97mb total:"
+ - "L1, all files 97mb "
+ - "L1.1442[1686858975397639358,1686860188513513488] 1686932677.39s|----------------------------------------L1.1442-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 97mb total:"
+ - "L1 "
+ - "L1.?[1686858975397639358,1686859445421621597] 1686932677.39s 38mb|--------------L1.?--------------| "
+ - "L1.?[1686859445421621598,1686860188513513488] 1686932677.39s 59mb |------------------------L1.?-------------------------| "
+ - "**** Simulation run 312, type=split(HighL0OverlapTotalBacklog)(split_times=[1686859445421621597]). 1 Input Files, 10mb total:"
+ - "L0, all files 10mb "
+ - "L0.1125[1686859375756756741,1686859499000000000] 1686932677.39s|----------------------------------------L0.1125----------------------------------------| "
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 10mb total:"
+ - "L0 "
+ - "L0.?[1686859375756756741,1686859445421621597] 1686932677.39s 6mb|----------------------L0.?----------------------| "
+ - "L0.?[1686859445421621598,1686859499000000000] 1686932677.39s 5mb |----------------L0.?-----------------| "
+ - "**** Simulation run 313, type=split(HighL0OverlapTotalBacklog)(split_times=[1686859445421621597]). 1 Input Files, 10mb total:"
+ - "L0, all files 10mb "
+ - "L0.1169[1686859375756756741,1686859499000000000] 1686935947.46s|----------------------------------------L0.1169----------------------------------------| "
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 10mb total:"
+ - "L0 "
+ - "L0.?[1686859375756756741,1686859445421621597] 1686935947.46s 6mb|----------------------L0.?----------------------| "
+ - "L0.?[1686859445421621598,1686859499000000000] 1686935947.46s 4mb |----------------L0.?-----------------| "
+ - "**** Simulation run 314, type=split(HighL0OverlapTotalBacklog)(split_times=[1686859445421621597]). 1 Input Files, 408kb total:"
+ - "L0, all files 408kb "
+ - "L0.1210[1686859375756756741,1686859499000000000] 1686936871.55s|----------------------------------------L0.1210----------------------------------------| "
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 408kb total:"
+ - "L0 "
+ - "L0.?[1686859375756756741,1686859445421621597] 1686936871.55s 231kb|----------------------L0.?----------------------| "
+ - "L0.?[1686859445421621598,1686859499000000000] 1686936871.55s 178kb |----------------L0.?-----------------| "
+ - "**** Simulation run 315, type=split(HighL0OverlapTotalBacklog)(split_times=[1686857959237837817]). 1 Input Files, 2mb total:"
+ - "L0, all files 2mb "
+ - "L0.1207[1686857924405405391,1686858214675675659] 1686936871.55s|----------------------------------------L0.1207-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 2mb total:"
+ - "L0 "
+ - "L0.?[1686857924405405391,1686857959237837817] 1686936871.55s 235kb|--L0.?--| "
+ - "L0.?[1686857959237837818,1686858214675675659] 1686936871.55s 2mb |------------------------------------L0.?-------------------------------------| "
+ - "**** Simulation run 316, type=split(HighL0OverlapTotalBacklog)(split_times=[1686858702329729707]). 1 Input Files, 39mb total:"
+ - "L0, all files 39mb "
+ - "L0.1282[1686858330783783763,1686858795216216200] 1686935947.46s|----------------------------------------L0.1282-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 39mb total:"
+ - "L0 "
+ - "L0.?[1686858330783783763,1686858702329729707] 1686935947.46s 31mb|--------------------------------L0.?---------------------------------| "
+ - "L0.?[1686858702329729708,1686858795216216200] 1686935947.46s 8mb |------L0.?------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 12 files: L0.1125, L0.1166, L0.1169, L0.1207, L0.1210, L0.1267, L0.1269, L0.1272, L0.1282, L1.1440, L1.1441, L1.1442"
+ - " Creating 25 files"
+ - "**** Simulation run 317, type=split(ReduceOverlap)(split_times=[1686857724225846697]). 1 Input Files, 24mb total:"
+ - "L0, all files 24mb "
+ - "L0.1165[1686857634135135121,1686857924405405390] 1686935947.46s|----------------------------------------L0.1165-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 24mb total:"
+ - "L0 "
+ - "L0.?[1686857634135135121,1686857724225846697] 1686935947.46s 8mb|----------L0.?-----------| "
+ - "L0.?[1686857724225846698,1686857924405405390] 1686935947.46s 17mb |----------------------------L0.?----------------------------| "
+ - "**** Simulation run 318, type=split(ReduceOverlap)(split_times=[1686858975397639357]). 1 Input Files, 19mb total:"
+ - "L0, all files 19mb "
+ - "L0.1167[1686858795216216201,1686859019000000000] 1686935947.46s|----------------------------------------L0.1167-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 19mb total:"
+ - "L0 "
+ - "L0.?[1686858795216216201,1686858975397639357] 1686935947.46s 15mb|---------------------------------L0.?---------------------------------| "
+ - "L0.?[1686858975397639358,1686859019000000000] 1686935947.46s 4mb |-----L0.?------| "
+ - "**** Simulation run 319, type=split(ReduceOverlap)(split_times=[1686857724225846697]). 1 Input Files, 2mb total:"
+ - "L0, all files 2mb "
+ - "L0.1206[1686857634135135121,1686857924405405390] 1686936871.55s|----------------------------------------L0.1206-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 2mb total:"
+ - "L0 "
+ - "L0.?[1686857634135135121,1686857724225846697] 1686936871.55s 607kb|----------L0.?-----------| "
+ - "L0.?[1686857724225846698,1686857924405405390] 1686936871.55s 1mb |----------------------------L0.?----------------------------| "
+ - "**** Simulation run 320, type=split(ReduceOverlap)(split_times=[1686858975397639357]). 1 Input Files, 741kb total:"
+ - "L0, all files 741kb "
+ - "L0.1208[1686858795216216201,1686859019000000000] 1686936871.55s|----------------------------------------L0.1208-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 741kb total:"
+ - "L0 "
+ - "L0.?[1686858795216216201,1686858975397639357] 1686936871.55s 597kb|---------------------------------L0.?---------------------------------| "
+ - "L0.?[1686858975397639358,1686859019000000000] 1686936871.55s 144kb |-----L0.?------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 4 files: L0.1165, L0.1167, L0.1206, L0.1208"
+ - " Creating 8 files"
+ - "**** Simulation run 321, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[1686860002800686531, 1686861030203733704]). 14 Input Files, 299mb total:"
+ - "L0 "
+ - "L0.1458[1686859375756756741,1686859445421621597] 1686932677.39s 6mb |L0.1458| "
+ - "L0.1459[1686859445421621598,1686859499000000000] 1686932677.39s 5mb |L0.1459| "
+ - "L0.1126[1686859499000000001,1686859666027027010] 1686932677.39s 14mb |L0.1126| "
+ - "L0.1127[1686859666027027011,1686859956297297279] 1686932677.39s 25mb |L0.1127| "
+ - "L0.1059[1686859956297297280,1686859969989511638] 1686932677.39s 1mb |L0.1059| "
+ - "L0.1293[1686859969989511639,1686860188513513488] 1686932677.39s 19mb |L0.1293| "
+ - "L0.1294[1686860188513513489,1686860536837837820] 1686932677.39s 30mb |L0.1294-| "
+ - "L0.1297[1686860536837837821,1686861117378378351] 1686932677.39s 49mb |----L0.1297----| "
+ - "L0.1298[1686861117378378352,1686861117378378360] 1686932677.39s 1b |L0.1298| "
+ - "L0.1128[1686861117378378361,1686861407648648630] 1686932677.39s 25mb |L0.1128| "
+ - "L1 "
+ - "L1.1456[1686858975397639358,1686859445421621597] 1686932677.39s 38mb|--L1.1456--| "
+ - "L1.1457[1686859445421621598,1686860188513513488] 1686932677.39s 59mb |------L1.1457------| "
+ - "L1.1276[1686860188513513489,1686861117378378351] 1686931893.7s 14mb |---------L1.1276---------| "
+ - "L1.1277[1686861117378378352,1686862046243243214] 1686931893.7s 14mb |---------L1.1277---------| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 299mb total:"
+ - "L1 "
+ - "L1.?[1686858975397639358,1686860002800686531] 1686932677.39s 100mb|------------L1.?------------| "
+ - "L1.?[1686860002800686532,1686861030203733704] 1686932677.39s 100mb |------------L1.?------------| "
+ - "L1.?[1686861030203733705,1686862046243243214] 1686932677.39s 99mb |-----------L1.?------------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 14 files: L0.1059, L0.1126, L0.1127, L0.1128, L1.1276, L1.1277, L0.1293, L0.1294, L0.1297, L0.1298, L1.1456, L1.1457, L0.1458, L0.1459"
+ - " Creating 3 files"
+ - "**** Simulation run 322, type=split(HighL0OverlapTotalBacklog)(split_times=[1686859589566760129]). 1 Input Files, 100mb total:"
+ - "L1, all files 100mb "
+ - "L1.1476[1686858975397639358,1686860002800686531] 1686932677.39s|----------------------------------------L1.1476-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L1 "
+ - "L1.?[1686858975397639358,1686859589566760129] 1686932677.39s 60mb|-----------------------L1.?------------------------| "
+ - "L1.?[1686859589566760130,1686860002800686531] 1686932677.39s 40mb |---------------L1.?---------------| "
+ - "**** Simulation run 323, type=split(HighL0OverlapTotalBacklog)(split_times=[1686859589566760129]). 1 Input Files, 14mb total:"
+ - "L0, all files 14mb "
+ - "L0.1170[1686859499000000001,1686859666027027010] 1686935947.46s|----------------------------------------L0.1170-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 14mb total:"
+ - "L0 "
+ - "L0.?[1686859499000000001,1686859589566760129] 1686935947.46s 8mb|---------------------L0.?---------------------| "
+ - "L0.?[1686859589566760130,1686859666027027010] 1686935947.46s 6mb |-----------------L0.?------------------| "
+ - "**** Simulation run 324, type=split(HighL0OverlapTotalBacklog)(split_times=[1686859589566760129]). 1 Input Files, 553kb total:"
+ - "L0, all files 553kb "
+ - "L0.1211[1686859499000000001,1686859666027027010] 1686936871.55s|----------------------------------------L0.1211-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 553kb total:"
+ - "L0 "
+ - "L0.?[1686859499000000001,1686859589566760129] 1686936871.55s 300kb|---------------------L0.?---------------------| "
+ - "L0.?[1686859589566760130,1686859666027027010] 1686936871.55s 253kb |-----------------L0.?------------------| "
+ - "**** Simulation run 325, type=split(HighL0OverlapTotalBacklog)(split_times=[1686860203735880900, 1686860817905001671]). 1 Input Files, 100mb total:"
+ - "L1, all files 100mb "
+ - "L1.1477[1686860002800686532,1686861030203733704] 1686932677.39s|----------------------------------------L1.1477-----------------------------------------|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L1 "
+ - "L1.?[1686860002800686532,1686860203735880900] 1686932677.39s 20mb|-----L1.?------| "
+ - "L1.?[1686860203735880901,1686860817905001671] 1686932677.39s 60mb |-----------------------L1.?------------------------| "
+ - "L1.?[1686860817905001672,1686861030203733704] 1686932677.39s 21mb |------L1.?------| "
+ - "**** Simulation run 326, type=split(HighL0OverlapTotalBacklog)(split_times=[1686860203735880900]). 1 Input Files, 29mb total:"
+ - "L0, all files 29mb "
+ - "L0.1296[1686860188513513489,1686860536837837820] 1686935947.46s|----------------------------------------L0.1296-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 29mb total:"
+ - "L0 "
+ - "L0.?[1686860188513513489,1686860203735880900] 1686935947.46s 1mb|L0.?| "
+ - "L0.?[1686860203735880901,1686860536837837820] 1686935947.46s 28mb |----------------------------------------L0.?----------------------------------------| "
+ - "**** Simulation run 327, type=split(HighL0OverlapTotalBacklog)(split_times=[1686860203735880900]). 1 Input Files, 1mb total:"
+ - "L0, all files 1mb "
+ - "L0.1292[1686860188513513489,1686860536837837820] 1686936871.55s|----------------------------------------L0.1292-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 1mb total:"
+ - "L0 "
+ - "L0.?[1686860188513513489,1686860203735880900] 1686936871.55s 50kb|L0.?| "
+ - "L0.?[1686860203735880901,1686860536837837820] 1686936871.55s 1mb |----------------------------------------L0.?----------------------------------------| "
+ - "**** Simulation run 328, type=split(HighL0OverlapTotalBacklog)(split_times=[1686860817905001671]). 1 Input Files, 49mb total:"
+ - "L0, all files 49mb "
+ - "L0.1299[1686860536837837821,1686861117378378351] 1686935947.46s|----------------------------------------L0.1299-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 49mb total:"
+ - "L0 "
+ - "L0.?[1686860536837837821,1686860817905001671] 1686935947.46s 24mb|------------------L0.?-------------------| "
+ - "L0.?[1686860817905001672,1686861117378378351] 1686935947.46s 25mb |--------------------L0.?--------------------| "
+ - "**** Simulation run 329, type=split(HighL0OverlapTotalBacklog)(split_times=[1686860817905001671]). 1 Input Files, 2mb total:"
+ - "L0, all files 2mb "
+ - "L0.1301[1686860536837837821,1686861117378378351] 1686936871.55s|----------------------------------------L0.1301-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 2mb total:"
+ - "L0 "
+ - "L0.?[1686860536837837821,1686860817905001671] 1686936871.55s 931kb|------------------L0.?-------------------| "
+ - "L0.?[1686860817905001672,1686861117378378351] 1686936871.55s 992kb |--------------------L0.?--------------------| "
+ - "**** Simulation run 330, type=split(HighL0OverlapTotalBacklog)(split_times=[1686861432074122442]). 1 Input Files, 99mb total:"
+ - "L1, all files 99mb "
+ - "L1.1478[1686861030203733705,1686862046243243214] 1686932677.39s|----------------------------------------L1.1478-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 99mb total:"
+ - "L1 "
+ - "L1.?[1686861030203733705,1686861432074122442] 1686932677.39s 39mb|--------------L1.?---------------| "
+ - "L1.?[1686861432074122443,1686862046243243214] 1686932677.39s 60mb |------------------------L1.?------------------------| "
+ - "**** Simulation run 331, type=split(HighL0OverlapTotalBacklog)(split_times=[1686861432074122442]). 1 Input Files, 25mb total:"
+ - "L0, all files 25mb "
+ - "L0.1129[1686861407648648631,1686861697918918899] 1686932677.39s|----------------------------------------L0.1129-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 25mb total:"
+ - "L0 "
+ - "L0.?[1686861407648648631,1686861432074122442] 1686932677.39s 2mb|L0.?-| "
+ - "L0.?[1686861432074122443,1686861697918918899] 1686932677.39s 23mb |--------------------------------------L0.?--------------------------------------| "
+ - "**** Simulation run 332, type=split(HighL0OverlapTotalBacklog)(split_times=[1686861432074122442]). 1 Input Files, 24mb total:"
+ - "L0, all files 24mb "
+ - "L0.1173[1686861407648648631,1686861697918918899] 1686935947.46s|----------------------------------------L0.1173-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 24mb total:"
+ - "L0 "
+ - "L0.?[1686861407648648631,1686861432074122442] 1686935947.46s 2mb|L0.?-| "
+ - "L0.?[1686861432074122443,1686861697918918899] 1686935947.46s 22mb |--------------------------------------L0.?--------------------------------------| "
+ - "**** Simulation run 333, type=split(HighL0OverlapTotalBacklog)(split_times=[1686861432074122442]). 1 Input Files, 962kb total:"
+ - "L0, all files 962kb "
+ - "L0.1214[1686861407648648631,1686861697918918899] 1686936871.55s|----------------------------------------L0.1214-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 962kb total:"
+ - "L0 "
+ - "L0.?[1686861407648648631,1686861432074122442] 1686936871.55s 81kb|L0.?-| "
+ - "L0.?[1686861432074122443,1686861697918918899] 1686936871.55s 881kb |--------------------------------------L0.?--------------------------------------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 12 files: L0.1129, L0.1170, L0.1173, L0.1211, L0.1214, L0.1292, L0.1296, L0.1299, L0.1301, L1.1476, L1.1477, L1.1478"
+ - " Creating 25 files"
+ - "**** Simulation run 334, type=split(ReduceOverlap)(split_times=[1686860002800686531]). 1 Input Files, 17mb total:"
+ - "L0, all files 17mb "
+ - "L0.1295[1686859988431489231,1686860188513513488] 1686935947.46s|----------------------------------------L0.1295-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 17mb total:"
+ - "L0 "
+ - "L0.?[1686859988431489231,1686860002800686531] 1686935947.46s 1mb|L0.?| "
+ - "L0.?[1686860002800686532,1686860188513513488] 1686935947.46s 16mb |--------------------------------------L0.?---------------------------------------| "
+ - "**** Simulation run 335, type=split(ReduceOverlap)(split_times=[1686861030203733704]). 1 Input Files, 25mb total:"
+ - "L0, all files 25mb "
+ - "L0.1493[1686860817905001672,1686861117378378351] 1686935947.46s|----------------------------------------L0.1493-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 25mb total:"
+ - "L0 "
+ - "L0.?[1686860817905001672,1686861030203733704] 1686935947.46s 18mb|----------------------------L0.?-----------------------------| "
+ - "L0.?[1686861030203733705,1686861117378378351] 1686935947.46s 7mb |----------L0.?----------| "
+ - "**** Simulation run 336, type=split(ReduceOverlap)(split_times=[1686860002800686531]). 1 Input Files, 769kb total:"
+ - "L0, all files 769kb "
+ - "L0.1291[1686859956297297280,1686860188513513488] 1686936871.55s|----------------------------------------L0.1291----------------------------------------| "
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 769kb total:"
+ - "L0 "
+ - "L0.?[1686859956297297280,1686860002800686531] 1686936871.55s 154kb|------L0.?------| "
+ - "L0.?[1686860002800686532,1686860188513513488] 1686936871.55s 615kb |--------------------------------L0.?---------------------------------| "
+ - "**** Simulation run 337, type=split(ReduceOverlap)(split_times=[1686861030203733704]). 1 Input Files, 992kb total:"
+ - "L0, all files 992kb "
+ - "L0.1495[1686860817905001672,1686861117378378351] 1686936871.55s|----------------------------------------L0.1495-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 992kb total:"
+ - "L0 "
+ - "L0.?[1686860817905001672,1686861030203733704] 1686936871.55s 703kb|----------------------------L0.?-----------------------------| "
+ - "L0.?[1686861030203733705,1686861117378378351] 1686936871.55s 289kb |----------L0.?----------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 4 files: L0.1291, L0.1295, L0.1493, L0.1495"
+ - " Creating 8 files"
+ - "**** Simulation run 338, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[1686862070968521403, 1686863111733309101]). 12 Input Files, 276mb total:"
+ - "L0 "
+ - "L0.1498[1686861407648648631,1686861432074122442] 1686932677.39s 2mb |L0.1498| "
+ - "L0.1499[1686861432074122443,1686861697918918899] 1686932677.39s 23mb |L0.1499| "
+ - "L0.1074[1686861697918918900,1686861711611133258] 1686932677.39s 1mb |L0.1074| "
+ - "L0.1305[1686861711611133259,1686862046243243214] 1686932677.39s 28mb |L0.1305-| "
+ - "L0.1306[1686862046243243215,1686862278459459440] 1686932677.39s 20mb |L0.1306| "
+ - "L0.1081[1686862278459459441,1686862858999999980] 1686932677.39s 49mb |----L0.1081-----| "
+ - "L0.1309[1686862858999999981,1686862975108108077] 1686932677.39s 10mb |L0.1309| "
+ - "L0.1310[1686862975108108078,1686863149270270250] 1686932677.39s 15mb |L0.1310| "
+ - "L1 "
+ - "L1.1496[1686861030203733705,1686861432074122442] 1686932677.39s 39mb|-L1.1496--| "
+ - "L1.1497[1686861432074122443,1686862046243243214] 1686932677.39s 60mb |-----L1.1497-----| "
+ - "L1.1278[1686862046243243215,1686862975108108077] 1686931893.7s 14mb |----------L1.1278----------| "
+ - "L1.1279[1686862975108108078,1686863903972972940] 1686931893.7s 14mb |----------L1.1279----------| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 276mb total:"
+ - "L1 "
+ - "L1.?[1686861030203733705,1686862070968521403] 1686932677.39s 100mb|-------------L1.?-------------| "
+ - "L1.?[1686862070968521404,1686863111733309101] 1686932677.39s 100mb |-------------L1.?-------------| "
+ - "L1.?[1686863111733309102,1686863903972972940] 1686932677.39s 76mb |---------L1.?---------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 12 files: L0.1074, L0.1081, L1.1278, L1.1279, L0.1305, L0.1306, L0.1309, L0.1310, L1.1496, L1.1497, L0.1498, L0.1499"
+ - " Creating 3 files"
+ - "**** Simulation run 339, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[1686842547242379893, 1686843715484759786]). 18 Input Files, 298mb total:"
+ - "L0 "
+ - "L0.1149[1686841379000000000,1686842249810810810] 1686935947.46s 72mb|------L0.1149-------| "
+ - "L0.1342[1686842249810810811,1686842540081081080] 1686935947.46s 24mb |L0.1342| "
+ - "L0.1352[1686842540081081081,1686842571022320444] 1686935947.46s 3mb |L0.1352| "
+ - "L0.1353[1686842571022320445,1686842593136179151] 1686935947.46s 2mb |L0.1353| "
+ - "L0.939[1686842593136179152,1686843120621621620] 1686935947.46s 43mb |--L0.939---| "
+ - "L0.1348[1686843120621621621,1686843701162162160] 1686935947.46s 48mb |--L0.1348---| "
+ - "L0.1354[1686843701162162161,1686843763044640888] 1686935947.46s 5mb |L0.1354| "
+ - "L0.1355[1686843763044640889,1686843991432432430] 1686935947.46s 19mb |L0.1355| "
+ - "L0.1152[1686843991432432431,1686844334757800771] 1686935947.46s 28mb |L0.1152| "
+ - "L0.944[1686844334757800772,1686844862243243240] 1686935947.46s 43mb |--L0.944---| "
+ - "L0.1184[1686841379000000000,1686842249810810810] 1686936871.55s 3mb|------L0.1184-------| "
+ - "L0.1344[1686842249810810811,1686842540081081080] 1686936871.55s 962kb |L0.1344| "
+ - "L0.1356[1686842540081081081,1686842571022320444] 1686936871.55s 103kb |L0.1356| "
+ - "L0.1357[1686842571022320445,1686843120621621620] 1686936871.55s 2mb |--L0.1357---| "
+ - "L0.1350[1686843120621621621,1686843701162162160] 1686936871.55s 2mb |--L0.1350---| "
+ - "L0.1358[1686843701162162161,1686843763044640888] 1686936871.55s 205kb |L0.1358| "
+ - "L0.1359[1686843763044640889,1686843991432432430] 1686936871.55s 757kb |L0.1359| "
+ - "L0.1187[1686843991432432431,1686844862243243240] 1686936871.55s 3mb |------L0.1187-------| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 298mb total:"
+ - "L0 "
+ - "L0.?[1686841379000000000,1686842547242379893] 1686936871.55s 100mb|------------L0.?------------| "
+ - "L0.?[1686842547242379894,1686843715484759786] 1686936871.55s 100mb |------------L0.?------------| "
+ - "L0.?[1686843715484759787,1686844862243243240] 1686936871.55s 98mb |-----------L0.?------------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 18 files: L0.939, L0.944, L0.1149, L0.1152, L0.1184, L0.1187, L0.1342, L0.1344, L0.1348, L0.1350, L0.1352, L0.1353, L0.1354, L0.1355, L0.1356, L0.1357, L0.1358, L0.1359"
+ - " Creating 3 files"
+ - "**** Simulation run 340, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[1686846030485623133, 1686847198728003025]). 20 Input Files, 298mb total:"
+ - "L0 "
+ - "L0.1153[1686844862243243241,1686845579000000000] 1686935947.46s 59mb|----L0.1153-----| "
+ - "L0.1154[1686845579000000001,1686845733054054050] 1686935947.46s 13mb |L0.1154| "
+ - "L0.1365[1686845733054054051,1686846023324324320] 1686935947.46s 24mb |L0.1365| "
+ - "L0.1375[1686846023324324321,1686846054770701976] 1686935947.46s 3mb |L0.1375| "
+ - "L0.1376[1686846054770701977,1686846076379422391] 1686935947.46s 2mb |L0.1376| "
+ - "L0.949[1686846076379422392,1686846603864864860] 1686935947.46s 43mb |--L0.949---| "
+ - "L0.1371[1686846603864864861,1686847184405405399] 1686935947.46s 48mb |--L0.1371---| "
+ - "L0.1377[1686847184405405400,1686847247298160711] 1686935947.46s 5mb |L0.1377| "
+ - "L0.1378[1686847247298160712,1686847474675675670] 1686935947.46s 19mb |L0.1378| "
+ - "L0.1157[1686847474675675671,1686847818001044011] 1686935947.46s 28mb |L0.1157| "
+ - "L0.953[1686847818001044012,1686848345486486480] 1686935947.46s 43mb |--L0.953---| "
+ - "L0.1188[1686844862243243241,1686845579000000000] 1686936871.55s 2mb|----L0.1188-----| "
+ - "L0.1189[1686845579000000001,1686845733054054050] 1686936871.55s 510kb |L0.1189| "
+ - "L0.1367[1686845733054054051,1686846023324324320] 1686936871.55s 962kb |L0.1367| "
+ - "L0.1379[1686846023324324321,1686846054770701976] 1686936871.55s 104kb |L0.1379| "
+ - "L0.1380[1686846054770701977,1686846603864864860] 1686936871.55s 2mb |--L0.1380---| "
+ - "L0.1373[1686846603864864861,1686847184405405399] 1686936871.55s 2mb |--L0.1373---| "
+ - "L0.1381[1686847184405405400,1686847247298160711] 1686936871.55s 208kb |L0.1381| "
+ - "L0.1382[1686847247298160712,1686847474675675670] 1686936871.55s 753kb |L0.1382| "
+ - "L0.1192[1686847474675675671,1686848345486486480] 1686936871.55s 3mb |------L0.1192-------| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 298mb total:"
+ - "L0 "
+ - "L0.?[1686844862243243241,1686846030485623133] 1686936871.55s 100mb|------------L0.?------------| "
+ - "L0.?[1686846030485623134,1686847198728003025] 1686936871.55s 100mb |------------L0.?------------| "
+ - "L0.?[1686847198728003026,1686848345486486480] 1686936871.55s 98mb |-----------L0.?------------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.949, L0.953, L0.1153, L0.1154, L0.1157, L0.1188, L0.1189, L0.1192, L0.1365, L0.1367, L0.1371, L0.1373, L0.1375, L0.1376, L0.1377, L0.1378, L0.1379, L0.1380, L0.1381, L0.1382"
+ - " Creating 3 files"
+ - "**** Simulation run 341, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[1686849491497710570, 1686850637508934659]). 19 Input Files, 228mb total:"
+ - "L0 "
+ - "L0.1158[1686848345486486481,1686849216297297290] 1686935947.46s 71mb|----------L0.1158----------| "
+ - "L0.1388[1686849216297297291,1686849506567567560] 1686935947.46s 24mb |L0.1388| "
+ - "L0.1398[1686849506567567561,1686849559289331160] 1686935947.46s 4mb |L0.1398| "
+ - "L0.1399[1686849559289331161,1686849568759166090] 1686935947.46s 793kb |L0.1399| "
+ - "L0.1160[1686849568759166091,1686849779000000000] 1686935947.46s 17mb |L0.1160| "
+ - "L0.1161[1686849779000000001,1686850087108108100] 1686935947.46s 25mb |L0.1161-| "
+ - "L0.1162[1686850087108108101,1686850559000000000] 1686935947.46s 39mb |---L0.1162----| "
+ - "L0.1394[1686850559000000001,1686850667648648639] 1686935947.46s 9mb |L0.1394| "
+ - "L0.1400[1686850667648648640,1686850773092175839] 1686935947.46s 9mb |L0.1400| "
+ - "L0.1401[1686850773092175840,1686850957918918910] 1686935947.46s 15mb |L0.1401|"
+ - "L0.1193[1686848345486486481,1686849216297297290] 1686936871.55s 6mb|----------L0.1193----------| "
+ - "L0.1390[1686849216297297291,1686849506567567560] 1686936871.55s 2mb |L0.1390| "
+ - "L0.1402[1686849506567567561,1686849559289331160] 1686936871.55s 342kb |L0.1402| "
+ - "L0.1403[1686849559289331161,1686849779000000000] 1686936871.55s 1mb |L0.1403| "
+ - "L0.1195[1686849779000000001,1686850087108108100] 1686936871.55s 2mb |L0.1195-| "
+ - "L0.1196[1686850087108108101,1686850559000000000] 1686936871.55s 2mb |---L0.1196----| "
+ - "L0.1396[1686850559000000001,1686850667648648639] 1686936871.55s 360kb |L0.1396| "
+ - "L0.1404[1686850667648648640,1686850773092175839] 1686936871.55s 349kb |L0.1404| "
+ - "L0.1405[1686850773092175840,1686850957918918910] 1686936871.55s 612kb |L0.1405|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 228mb total:"
+ - "L0 "
+ - "L0.?[1686848345486486481,1686849491497710570] 1686936871.55s 100mb|----------------L0.?-----------------| "
+ - "L0.?[1686849491497710571,1686850637508934659] 1686936871.55s 100mb |----------------L0.?-----------------| "
+ - "L0.?[1686850637508934660,1686850957918918910] 1686936871.55s 28mb |--L0.?---| "
+ - "Committing partition 1:"
+ - " Soft Deleting 19 files: L0.1158, L0.1160, L0.1161, L0.1162, L0.1193, L0.1195, L0.1196, L0.1388, L0.1390, L0.1394, L0.1396, L0.1398, L0.1399, L0.1400, L0.1401, L0.1402, L0.1403, L0.1404, L0.1405"
+ - " Creating 3 files"
+ - "**** Simulation run 342, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[1686851943085513215, 1686852928252107519]). 15 Input Files, 277mb total:"
+ - "L0 "
+ - "L0.1140[1686851828729729721,1686852699540540530] 1686934966.48s 62mb |---------L0.1140----------| "
+ - "L0.1237[1686852699540540531,1686852757594594584] 1686934966.48s 4mb |L0.1237| "
+ - "L0.1238[1686852757594594585,1686853236700974398] 1686934966.48s 34mb |---L0.1238---| "
+ - "L0.1413[1686853236700974399,1686853500686486475] 1686934966.48s 19mb |L0.1413| "
+ - "L0.1414[1686853500686486476,1686853570351351340] 1686934966.48s 5mb |L0.1414|"
+ - "L0.1243[1686853570351351341,1686853686459459447] 1686935546.05s 8mb |L0.1243|"
+ - "L0.1164[1686850957918918911,1686851301244287251] 1686935947.46s 28mb|-L0.1164-| "
+ - "L0.963[1686851301244287252,1686851828729729720] 1686935947.46s 43mb |----L0.963-----| "
+ - "L0.1198[1686850957918918911,1686851828729729720] 1686936871.55s 3mb|---------L0.1198----------| "
+ - "L0.1199[1686851828729729721,1686852699540540530] 1686936871.55s 34mb |---------L0.1199----------| "
+ - "L0.1239[1686852699540540531,1686852757594594584] 1686936871.55s 2mb |L0.1239| "
+ - "L0.1240[1686852757594594585,1686853222027027016] 1686936871.55s 18mb |---L0.1240---| "
+ - "L0.1411[1686853222027027017,1686853500686486475] 1686936871.55s 11mb |L0.1411| "
+ - "L0.1412[1686853500686486476,1686853570351351340] 1686936871.55s 3mb |L0.1412|"
+ - "L0.1245[1686853570351351341,1686853686459459447] 1686936871.55s 2mb |L0.1245|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 277mb total:"
+ - "L0 "
+ - "L0.?[1686850957918918911,1686851943085513215] 1686936871.55s 100mb|-------------L0.?-------------| "
+ - "L0.?[1686851943085513216,1686852928252107519] 1686936871.55s 100mb |-------------L0.?-------------| "
+ - "L0.?[1686852928252107520,1686853686459459447] 1686936871.55s 77mb |---------L0.?----------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 15 files: L0.963, L0.1140, L0.1164, L0.1198, L0.1199, L0.1237, L0.1238, L0.1239, L0.1240, L0.1243, L0.1245, L0.1411, L0.1412, L0.1413, L0.1414"
+ - " Creating 3 files"
+ - "**** Simulation run 343, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[1686854918102788682, 1686856149746117916]). 20 Input Files, 226mb total:"
+ - "L0 "
+ - "L0.1432[1686853686459459448,1686854034336087198] 1686935546.05s 23mb|-L0.1432-| "
+ - "L0.1433[1686854034336087199,1686854243778378365] 1686935546.05s 14mb |L0.1433| "
+ - "L0.1416[1686854243778378366,1686854441162162150] 1686935546.05s 13mb |L0.1416| "
+ - "L0.1249[1686854441162162151,1686854615324324310] 1686935546.05s 12mb |L0.1249| "
+ - "L0.1250[1686854615324324311,1686854819000000000] 1686935546.05s 14mb |L0.1250| "
+ - "L0.1146[1686854819000000001,1686854963648648636] 1686935546.05s 10mb |L0.1146| "
+ - "L0.1422[1686854963648648637,1686854986870270255] 1686935546.05s 2mb |L0.1422| "
+ - "L0.1434[1686854986870270256,1686855311077579811] 1686935546.05s 22mb |L0.1434-| "
+ - "L0.1435[1686855311077579812,1686855311972972960] 1686935546.05s 62kb |L0.1435| "
+ - "L0.1255[1686855311972972961,1686855544189189173] 1686935742.51s 19mb |L0.1255| "
+ - "L0.1428[1686855544189189174,1686855729962162145] 1686935742.51s 15mb |L0.1428| "
+ - "L0.1429[1686855729962162146,1686855892513513500] 1686935742.51s 13mb |L0.1429| "
+ - "L0.1147[1686855892513513501,1686856182783783770] 1686935742.51s 23mb |L0.1147| "
+ - "L0.1261[1686856182783783771,1686856473054054036] 1686935742.51s 23mb |L0.1261| "
+ - "L0.1262[1686856473054054037,1686856473054054039] 1686935742.51s 1b |L0.1262|"
+ - "L0.1436[1686853686459459448,1686854034336087198] 1686936871.55s 7mb|-L0.1436-| "
+ - "L0.1437[1686854034336087199,1686854243778378365] 1686936871.55s 4mb |L0.1437| "
+ - "L0.1418[1686854243778378366,1686854441162162150] 1686936871.55s 4mb |L0.1418| "
+ - "L0.1251[1686854441162162151,1686854615324324310] 1686936871.55s 4mb |L0.1251| "
+ - "L0.1252[1686854615324324311,1686854819000000000] 1686936871.55s 4mb |L0.1252| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 226mb total:"
+ - "L0 "
+ - "L0.?[1686853686459459448,1686854918102788682] 1686936871.55s 100mb|----------------L0.?-----------------| "
+ - "L0.?[1686854918102788683,1686856149746117916] 1686936871.55s 100mb |----------------L0.?-----------------| "
+ - "L0.?[1686856149746117917,1686856473054054039] 1686936871.55s 26mb |--L0.?--| "
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.1146, L0.1147, L0.1249, L0.1250, L0.1251, L0.1252, L0.1255, L0.1261, L0.1262, L0.1416, L0.1418, L0.1422, L0.1428, L0.1429, L0.1432, L0.1433, L0.1434, L0.1435, L0.1436, L0.1437"
+ - " Creating 3 files"
+ - "**** Simulation run 344, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[1686856142243243231]). 10 Input Files, 22mb total:"
+ - "L0 "
+ - "L0.1203[1686854819000000001,1686854963648648636] 1686936871.55s 3mb|L0.1203| "
+ - "L0.1424[1686854963648648637,1686854986870270255] 1686936871.55s 499kb |L0.1424| "
+ - "L0.1438[1686854986870270256,1686855311077579811] 1686936871.55s 7mb |----L0.1438----| "
+ - "L0.1439[1686855311077579812,1686855311972972960] 1686936871.55s 19kb |L0.1439| "
+ - "L0.1257[1686855311972972961,1686855544189189173] 1686936871.55s 2mb |-L0.1257--| "
+ - "L0.1430[1686855544189189174,1686855729962162145] 1686936871.55s 2mb |L0.1430-| "
+ - "L0.1431[1686855729962162146,1686855892513513500] 1686936871.55s 2mb |L0.1431| "
+ - "L0.1204[1686855892513513501,1686856182783783770] 1686936871.55s 3mb |---L0.1204---| "
+ - "L0.1263[1686856182783783771,1686856473054054036] 1686936871.55s 3mb |---L0.1263---| "
+ - "L0.1264[1686856473054054037,1686856473054054039] 1686936871.55s 1b |L0.1264|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 22mb total:"
+ - "L0 "
+ - "L0.?[1686854819000000001,1686856142243243231] 1686936871.55s 17mb|--------------------------------L0.?---------------------------------| "
+ - "L0.?[1686856142243243232,1686856473054054039] 1686936871.55s 4mb |-----L0.?------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 10 files: L0.1203, L0.1204, L0.1257, L0.1263, L0.1264, L0.1424, L0.1430, L0.1431, L0.1438, L0.1439"
+ - " Creating 2 files"
+ - "**** Simulation run 345, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[1686857679795016021, 1686858886535978002]). 20 Input Files, 251mb total:"
+ - "L0 "
+ - "L0.1038[1686856473054054040,1686856564304278603] 1686935742.51s 7mb|L0.1038| "
+ - "L0.981[1686856564304278604,1686857053594594580] 1686935742.51s 39mb |---L0.981---| "
+ - "L0.1445[1686857053594594581,1686857216145945927] 1686935947.46s 14mb |L0.1445| "
+ - "L0.1446[1686857216145945928,1686857401918918899] 1686935947.46s 16mb |L0.1446| "
+ - "L0.1268[1686857401918918900,1686857634135135120] 1686935947.46s 19mb |L0.1268| "
+ - "L0.1468[1686857634135135121,1686857724225846697] 1686935947.46s 8mb |L0.1468| "
+ - "L0.1469[1686857724225846698,1686857924405405390] 1686935947.46s 17mb |L0.1469| "
+ - "L0.1452[1686857924405405391,1686857959237837817] 1686935947.46s 3mb |L0.1452| "
+ - "L0.1453[1686857959237837818,1686858214675675659] 1686935947.46s 21mb |L0.1453| "
+ - "L0.1333[1686858214675675660,1686858240168622590] 1686935947.46s 2mb |L0.1333| "
+ - "L0.1334[1686858240168622591,1686858251288003855] 1686935947.46s 951kb |L0.1334| "
+ - "L0.1281[1686858251288003856,1686858330783783762] 1686935947.46s 7mb |L0.1281| "
+ - "L0.1466[1686858330783783763,1686858702329729707] 1686935947.46s 31mb |-L0.1466-| "
+ - "L0.1467[1686858702329729708,1686858795216216200] 1686935947.46s 8mb |L0.1467| "
+ - "L0.1470[1686858795216216201,1686858975397639357] 1686935947.46s 15mb |L0.1470| "
+ - "L0.1471[1686858975397639358,1686859019000000000] 1686935947.46s 4mb |L0.1471| "
+ - "L0.1287[1686859019000000001,1686859259648648625] 1686935947.46s 20mb |L0.1287| "
+ - "L0.1288[1686859259648648626,1686859375756756740] 1686935947.46s 10mb |L0.1288|"
+ - "L0.1460[1686859375756756741,1686859445421621597] 1686935947.46s 6mb |L0.1460|"
+ - "L0.1461[1686859445421621598,1686859499000000000] 1686935947.46s 4mb |L0.1461|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 251mb total:"
+ - "L0 "
+ - "L0.?[1686856473054054040,1686857679795016021] 1686935947.46s 100mb|--------------L0.?---------------| "
+ - "L0.?[1686857679795016022,1686858886535978002] 1686935947.46s 100mb |--------------L0.?---------------| "
+ - "L0.?[1686858886535978003,1686859499000000000] 1686935947.46s 51mb |------L0.?------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.981, L0.1038, L0.1268, L0.1281, L0.1287, L0.1288, L0.1333, L0.1334, L0.1445, L0.1446, L0.1452, L0.1453, L0.1460, L0.1461, L0.1466, L0.1467, L0.1468, L0.1469, L0.1470, L0.1471"
+ - " Creating 3 files"
+ - "**** Simulation run 346, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[1686859027432432416]). 20 Input Files, 33mb total:"
+ - "L0 "
+ - "L0.1481[1686859499000000001,1686859589566760129] 1686935947.46s 8mb |L0.1481|"
+ - "L0.1482[1686859589566760130,1686859666027027010] 1686935947.46s 6mb |L0.1482|"
+ - "L0.1041[1686856473054054040,1686857053594594580] 1686936871.55s 6mb|---L0.1041----| "
+ - "L0.1447[1686857053594594581,1686857216145945927] 1686936871.55s 1mb |L0.1447| "
+ - "L0.1448[1686857216145945928,1686857401918918899] 1686936871.55s 1mb |L0.1448| "
+ - "L0.1270[1686857401918918900,1686857634135135120] 1686936871.55s 2mb |L0.1270| "
+ - "L0.1472[1686857634135135121,1686857724225846697] 1686936871.55s 607kb |L0.1472| "
+ - "L0.1473[1686857724225846698,1686857924405405390] 1686936871.55s 1mb |L0.1473| "
+ - "L0.1464[1686857924405405391,1686857959237837817] 1686936871.55s 235kb |L0.1464| "
+ - "L0.1465[1686857959237837818,1686858214675675659] 1686936871.55s 2mb |L0.1465| "
+ - "L0.1335[1686858214675675660,1686858240168622590] 1686936871.55s 172kb |L0.1335| "
+ - "L0.1336[1686858240168622591,1686858330783783762] 1686936871.55s 611kb |L0.1336| "
+ - "L0.1454[1686858330783783763,1686858702329729707] 1686936871.55s 2mb |L0.1454-| "
+ - "L0.1455[1686858702329729708,1686858795216216200] 1686936871.55s 626kb |L0.1455| "
+ - "L0.1474[1686858795216216201,1686858975397639357] 1686936871.55s 597kb |L0.1474| "
+ - "L0.1475[1686858975397639358,1686859019000000000] 1686936871.55s 144kb |L0.1475| "
+ - "L0.1289[1686859019000000001,1686859259648648625] 1686936871.55s 797kb |L0.1289| "
+ - "L0.1290[1686859259648648626,1686859375756756740] 1686936871.55s 385kb |L0.1290| "
+ - "L0.1462[1686859375756756741,1686859445421621597] 1686936871.55s 231kb |L0.1462|"
+ - "L0.1463[1686859445421621598,1686859499000000000] 1686936871.55s 178kb |L0.1463|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 33mb total:"
+ - "L0 "
+ - "L0.?[1686856473054054040,1686859027432432416] 1686936871.55s 27mb|---------------------------------L0.?---------------------------------| "
+ - "L0.?[1686859027432432417,1686859666027027010] 1686936871.55s 7mb |-----L0.?------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.1041, L0.1270, L0.1289, L0.1290, L0.1335, L0.1336, L0.1447, L0.1448, L0.1454, L0.1455, L0.1462, L0.1463, L0.1464, L0.1465, L0.1472, L0.1473, L0.1474, L0.1475, L0.1481, L0.1482"
+ - " Creating 2 files"
+ - "**** Simulation run 347, type=compact(ManySmallFiles). 2 Input Files, 553kb total:"
+ - "L0 "
+ - "L0.1483[1686859499000000001,1686859589566760129] 1686936871.55s 300kb|-------------------L0.1483--------------------| "
+ - "L0.1484[1686859589566760130,1686859666027027010] 1686936871.55s 253kb |----------------L0.1484----------------| "
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 553kb total:"
+ - "L0, all files 553kb "
+ - "L0.?[1686859499000000001,1686859666027027010] 1686936871.55s|------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 2 files: L0.1483, L0.1484"
+ - " Creating 1 files"
+ - "**** Simulation run 348, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[1686860866085039343, 1686862066143051675]). 20 Input Files, 276mb total:"
+ - "L0 "
+ - "L0.1171[1686859666027027011,1686859956297297279] 1686935947.46s 24mb|L0.1171| "
+ - "L0.1062[1686859956297297280,1686859988431489230] 1686935947.46s 3mb |L0.1062| "
+ - "L0.1504[1686859988431489231,1686860002800686531] 1686935947.46s 1mb |L0.1504| "
+ - "L0.1505[1686860002800686532,1686860188513513488] 1686935947.46s 16mb |L0.1505| "
+ - "L0.1488[1686860188513513489,1686860203735880900] 1686935947.46s 1mb |L0.1488| "
+ - "L0.1489[1686860203735880901,1686860536837837820] 1686935947.46s 28mb |L0.1489| "
+ - "L0.1492[1686860536837837821,1686860817905001671] 1686935947.46s 24mb |L0.1492| "
+ - "L0.1506[1686860817905001672,1686861030203733704] 1686935947.46s 18mb |L0.1506| "
+ - "L0.1507[1686861030203733705,1686861117378378351] 1686935947.46s 7mb |L0.1507| "
+ - "L0.1300[1686861117378378352,1686861117378378360] 1686935947.46s 1b |L0.1300| "
+ - "L0.1172[1686861117378378361,1686861407648648630] 1686935947.46s 24mb |L0.1172| "
+ - "L0.1500[1686861407648648631,1686861432074122442] 1686935947.46s 2mb |L0.1500| "
+ - "L0.1501[1686861432074122443,1686861697918918899] 1686935947.46s 22mb |L0.1501| "
+ - "L0.1077[1686861697918918900,1686861730053110850] 1686935947.46s 3mb |L0.1077| "
+ - "L0.1307[1686861730053110851,1686862046243243214] 1686935947.46s 26mb |L0.1307| "
+ - "L0.1308[1686862046243243215,1686862278459459440] 1686935947.46s 19mb |L0.1308| "
+ - "L0.1084[1686862278459459441,1686862858999999980] 1686935947.46s 46mb |---L0.1084---| "
+ - "L0.1311[1686862858999999981,1686862975108108077] 1686935947.46s 9mb |L0.1311|"
+ - "L0.1212[1686859666027027011,1686859956297297279] 1686936871.55s 962kb|L0.1212| "
+ - "L0.1508[1686859956297297280,1686860002800686531] 1686936871.55s 154kb |L0.1508| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 276mb total:"
+ - "L0 "
+ - "L0.?[1686859666027027011,1686860866085039343] 1686936871.55s 100mb|-------------L0.?-------------| "
+ - "L0.?[1686860866085039344,1686862066143051675] 1686936871.55s 100mb |-------------L0.?-------------| "
+ - "L0.?[1686862066143051676,1686862975108108077] 1686936871.55s 76mb |---------L0.?---------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.1062, L0.1077, L0.1084, L0.1171, L0.1172, L0.1212, L0.1300, L0.1307, L0.1308, L0.1311, L0.1488, L0.1489, L0.1492, L0.1500, L0.1501, L0.1504, L0.1505, L0.1506, L0.1507, L0.1508"
+ - " Creating 3 files"
+ - "**** Simulation run 349, type=compact(ManySmallFiles). 14 Input Files, 12mb total:"
+ - "L0 "
+ - "L0.1509[1686860002800686532,1686860188513513488] 1686936871.55s 615kb|L0.1509| "
+ - "L0.1490[1686860188513513489,1686860203735880900] 1686936871.55s 50kb |L0.1490| "
+ - "L0.1491[1686860203735880901,1686860536837837820] 1686936871.55s 1mb |L0.1491-| "
+ - "L0.1494[1686860536837837821,1686860817905001671] 1686936871.55s 931kb |L0.1494| "
+ - "L0.1510[1686860817905001672,1686861030203733704] 1686936871.55s 703kb |L0.1510| "
+ - "L0.1511[1686861030203733705,1686861117378378351] 1686936871.55s 289kb |L0.1511| "
+ - "L0.1302[1686861117378378352,1686861117378378360] 1686936871.55s 1b |L0.1302| "
+ - "L0.1213[1686861117378378361,1686861407648648630] 1686936871.55s 962kb |L0.1213| "
+ - "L0.1502[1686861407648648631,1686861432074122442] 1686936871.55s 81kb |L0.1502| "
+ - "L0.1503[1686861432074122443,1686861697918918899] 1686936871.55s 881kb |L0.1503| "
+ - "L0.1303[1686861697918918900,1686862046243243214] 1686936871.55s 1mb |L0.1303-| "
+ - "L0.1304[1686862046243243215,1686862278459459440] 1686936871.55s 769kb |L0.1304| "
+ - "L0.1087[1686862278459459441,1686862858999999980] 1686936871.55s 4mb |----L0.1087----| "
+ - "L0.1313[1686862858999999981,1686862975108108077] 1686936871.55s 782kb |L0.1313|"
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 12mb total:"
+ - "L0, all files 12mb "
+ - "L0.?[1686860002800686532,1686862975108108077] 1686936871.55s|------------------------------------------L0.?------------------------------------------|"
+ - "Committing partition 1:"
+ - " Soft Deleting 14 files: L0.1087, L0.1213, L0.1302, L0.1303, L0.1304, L0.1313, L0.1490, L0.1491, L0.1494, L0.1502, L0.1503, L0.1509, L0.1510, L0.1511"
+ - " Creating 1 files"
+ - "**** Simulation run 350, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[1686863763854983772, 1686864552601859466]). 20 Input Files, 243mb total:"
+ - "L0 "
+ - "L0.1131[1686863149270270251,1686863439540540519] 1686932677.39s 25mb |--L0.1131--| "
+ - "L0.1083[1686863439540540520,1686863453232754878] 1686932677.39s 1mb |L0.1083| "
+ - "L0.1132[1686863453232754879,1686863699000000000] 1686932677.39s 21mb |-L0.1132-| "
+ - "L0.1315[1686863699000000001,1686863903972972940] 1686932677.39s 17mb |L0.1315| "
+ - "L0.1316[1686863903972972941,1686864020081081060] 1686932677.39s 10mb |L0.1316| "
+ - "L0.1329[1686864020081081061,1686864651607515459] 1686934966.48s 42mb |----------L0.1329----------| "
+ - "L0.1330[1686864651607515460,1686864832837837803] 1686934966.48s 12mb |L0.1330| "
+ - "L0.1322[1686864832837837804,1686864890891891870] 1686934966.48s 4mb |L0.1322|"
+ - "L0.1312[1686862975108108078,1686863149270270250] 1686935947.46s 14mb|L0.1312| "
+ - "L0.1175[1686863149270270251,1686863439540540519] 1686935947.46s 23mb |--L0.1175--| "
+ - "L0.1086[1686863439540540520,1686863528879205201] 1686935947.46s 7mb |L0.1086| "
+ - "L0.1176[1686863528879205202,1686863699000000000] 1686935947.46s 14mb |L0.1176| "
+ - "L0.1317[1686863699000000001,1686863903972972940] 1686935947.46s 16mb |L0.1317| "
+ - "L0.1318[1686863903972972941,1686864020081081060] 1686935947.46s 9mb |L0.1318| "
+ - "L0.1314[1686862975108108078,1686863149270270250] 1686936871.55s 1mb|L0.1314| "
+ - "L0.1216[1686863149270270251,1686863439540540519] 1686936871.55s 2mb |--L0.1216--| "
+ - "L0.1217[1686863439540540520,1686863699000000000] 1686936871.55s 2mb |-L0.1217--| "
+ - "L0.1319[1686863699000000001,1686863903972972940] 1686936871.55s 1mb |L0.1319| "
+ - "L0.1320[1686863903972972941,1686864020081081060] 1686936871.55s 782kb |L0.1320| "
+ - "L0.1331[1686864020081081061,1686864651607515459] 1686936871.55s 20mb |----------L0.1331----------| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 243mb total:"
+ - "L0 "
+ - "L0.?[1686862975108108078,1686863763854983772] 1686936871.55s 100mb|---------------L0.?----------------| "
+ - "L0.?[1686863763854983773,1686864552601859466] 1686936871.55s 100mb |---------------L0.?----------------| "
+ - "L0.?[1686864552601859467,1686864890891891870] 1686936871.55s 43mb |----L0.?-----| "
+ - "Committing partition 1:"
+ - " Soft Deleting 20 files: L0.1083, L0.1086, L0.1131, L0.1132, L0.1175, L0.1176, L0.1216, L0.1217, L0.1312, L0.1314, L0.1315, L0.1316, L0.1317, L0.1318, L0.1319, L0.1320, L0.1322, L0.1329, L0.1330, L0.1331"
+ - " Creating 3 files"
+ - "**** Simulation run 351, type=compact(ManySmallFiles). 2 Input Files, 8mb total:"
+ - "L0 "
+ - "L0.1332[1686864651607515460,1686864832837837803] 1686936871.55s 6mb|-----------------------------L0.1332------------------------------| "
+ - "L0.1324[1686864832837837804,1686864890891891870] 1686936871.55s 2mb |------L0.1324------| "
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 8mb total:"
+ - "L0, all files 8mb "
+ - "L0.?[1686864651607515460,1686864890891891870] 1686936871.55s|-----------------------------------------L0.?------------------------------------------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 2 files: L0.1324, L0.1332"
+ - " Creating 1 files"
+ - "**** Simulation run 352, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[1686865715561243055, 1686866540230594239]). 7 Input Files, 211mb total:"
+ - "L0 "
+ - "L0.1134[1686865761702702681,1686866632513513490] 1686932677.39s 60mb |-----------------L0.1134------------------| "
+ - "L0.1143[1686864890891891871,1686865413378378356] 1686934966.48s 35mb|--------L0.1143---------| "
+ - "L0.1002[1686865413378378357,1686865761702702680] 1686934966.48s 23mb |----L0.1002----| "
+ - "L0.1178[1686865761702702681,1686866632513513490] 1686935947.46s 59mb |-----------------L0.1178------------------| "
+ - "L0.1220[1686864890891891871,1686865413378378356] 1686936871.55s 16mb|--------L0.1220---------| "
+ - "L0.1004[1686865413378378357,1686865761702702680] 1686936871.55s 11mb |----L0.1004----| "
+ - "L0.1221[1686865761702702681,1686866632513513490] 1686936871.55s 6mb |-----------------L0.1221------------------| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 211mb total:"
+ - "L0 "
+ - "L0.?[1686864890891891871,1686865715561243055] 1686936871.55s 100mb|------------------L0.?------------------| "
+ - "L0.?[1686865715561243056,1686866540230594239] 1686936871.55s 100mb |------------------L0.?------------------| "
+ - "L0.?[1686866540230594240,1686866632513513490] 1686936871.55s 11mb |L0.?|"
+ - "Committing partition 1:"
+ - " Soft Deleting 7 files: L0.1002, L0.1004, L0.1134, L0.1143, L0.1178, L0.1220, L0.1221"
+ - " Creating 3 files"
+ - "**** Simulation run 353, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[1686868931238859876, 1686869543477719751]). 8 Input Files, 293mb total:"
+ - "L0 "
+ - "L0.1139[1686868319000000001,1686868747944483205] 1686933271.57s 34mb|------L0.1139------| "
+ - "L0.1015[1686868747944483206,1686869244945945920] 1686933271.57s 40mb |-------L0.1015--------| "
+ - "L0.1019[1686869244945945921,1686869890068506247] 1686935742.51s 100mb |-----------L0.1019------------| "
+ - "L0.1020[1686869890068506248,1686870115756756730] 1686935742.51s 35mb |-L0.1020-| "
+ - "L0.1183[1686868319000000001,1686868896621621596] 1686935947.46s 38mb|---------L0.1183----------| "
+ - "L0.1017[1686868896621621597,1686869244945945920] 1686935947.46s 23mb |----L0.1017----| "
+ - "L0.1226[1686868319000000001,1686869244945945920] 1686936871.55s 9mb|------------------L0.1226-------------------| "
+ - "L0.1021[1686869244945945921,1686870115756756730] 1686936871.55s 14mb |-----------------L0.1021-----------------| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 293mb total:"
+ - "L0 "
+ - "L0.?[1686868319000000001,1686868931238859876] 1686936871.55s 100mb|------------L0.?------------| "
+ - "L0.?[1686868931238859877,1686869543477719751] 1686936871.55s 100mb |------------L0.?------------| "
+ - "L0.?[1686869543477719752,1686870115756756730] 1686936871.55s 93mb |-----------L0.?-----------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 8 files: L0.1015, L0.1017, L0.1019, L0.1020, L0.1021, L0.1139, L0.1183, L0.1226"
+ - " Creating 3 files"
+ - "**** Simulation run 354, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[1686870677571828433, 1686871239386900135]). 3 Input Files, 255mb total:"
+ - "L0 "
+ - "L0.1022[1686870115756756731,1686870676199779489] 1686936871.55s 100mb|-------------L0.1022-------------| "
+ - "L0.1023[1686870676199779490,1686870986567567540] 1686936871.55s 55mb |-----L0.1023-----| "
+ - "L0.1024[1686870986567567541,1686871550514515284] 1686936871.55s 100mb |-------------L0.1024-------------| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 255mb total:"
+ - "L0 "
+ - "L0.?[1686870115756756731,1686870677571828433] 1686936871.55s 100mb|--------------L0.?---------------| "
+ - "L0.?[1686870677571828434,1686871239386900135] 1686936871.55s 100mb |--------------L0.?---------------| "
+ - "L0.?[1686871239386900136,1686871550514515284] 1686936871.55s 55mb |------L0.?-------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 3 files: L0.1022, L0.1023, L0.1024"
+ - " Creating 3 files"
+ - "**** Simulation run 355, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[1686872106056369133, 1686872661598222981]). 4 Input Files, 212mb total:"
+ - "L0 "
+ - "L0.1025[1686871550514515285,1686871857378378350] 1686936871.55s 54mb|-------L0.1025-------| "
+ - "L0.1026[1686871619000000000,1686871857378378350] 1686936871.55s 1mb |----L0.1026-----| "
+ - "L0.1027[1686871857378378351,1686872413821229216] 1686936871.55s 100mb |----------------L0.1027-----------------| "
+ - "L0.1028[1686872413821229217,1686872728189189160] 1686936871.55s 56mb |-------L0.1028--------| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 212mb total:"
+ - "L0 "
+ - "L0.?[1686871550514515285,1686872106056369133] 1686936871.55s 100mb|------------------L0.?------------------| "
+ - "L0.?[1686872106056369134,1686872661598222981] 1686936871.55s 100mb |------------------L0.?------------------| "
+ - "L0.?[1686872661598222982,1686872728189189160] 1686936871.55s 12mb |L0.?|"
+ - "Committing partition 1:"
+ - " Soft Deleting 4 files: L0.1025, L0.1026, L0.1027, L0.1028"
+ - " Creating 3 files"
+ - "**** Simulation run 356, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[1686873284631629744]). 2 Input Files, 156mb total:"
+ - "L0 "
+ - "L0.1029[1686872728189189161,1686873284631629744] 1686936871.55s 100mb|------------------------L0.1029------------------------| "
+ - "L0.1030[1686873284631629745,1686873599000000000] 1686936871.55s 56mb |-----------L0.1030------------| "
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 156mb total:"
+ - "L0 "
+ - "L0.?[1686872728189189161,1686873284631629744] 1686936871.55s 100mb|-------------------------L0.?--------------------------| "
+ - "L0.?[1686873284631629745,1686873599000000000] 1686936871.55s 56mb |-------------L0.?-------------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 2 files: L0.1029, L0.1030"
+ - " Creating 2 files"
+ - "**** Simulation run 357, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[1686867299592048857, 1686867966670584223]). 14 Input Files, 253mb total:"
+ - "L0 "
+ - "L0.1135[1686866632513513491,1686867209822490496] 1686932677.39s 40mb|----------L0.1135-----------| "
+ - "L0.1006[1686867209822490497,1686867503324324300] 1686932677.39s 20mb |---L0.1006---| "
+ - "L0.1136[1686867503324324301,1686867659000000000] 1686933271.57s 13mb |L0.1136| "
+ - "L0.1137[1686867659000000001,1686867839000000000] 1686933271.57s 14mb |L0.1137| "
+ - "L0.1138[1686867839000000001,1686868319000000000] 1686933271.57s 39mb |--------L0.1138--------| "
+ - "L0.1179[1686866632513513491,1686867154999999976] 1686935947.46s 36mb|---------L0.1179---------| "
+ - "L0.1012[1686867154999999977,1686867503324324300] 1686935947.46s 24mb |----L0.1012-----| "
+ - "L0.1180[1686867503324324301,1686867659000000000] 1686935947.46s 10mb |L0.1180| "
+ - "L0.1181[1686867659000000001,1686867839000000000] 1686935947.46s 12mb |L0.1181| "
+ - "L0.1182[1686867839000000001,1686868319000000000] 1686935947.46s 32mb |--------L0.1182--------| "
+ - "L0.1222[1686866632513513491,1686867503324324300] 1686936871.55s 6mb|------------------L0.1222-------------------| "
+ - "L0.1223[1686867503324324301,1686867659000000000] 1686936871.55s 1mb |L0.1223| "
+ - "L0.1224[1686867659000000001,1686867839000000000] 1686936871.55s 2mb |L0.1224| "
+ - "L0.1225[1686867839000000001,1686868319000000000] 1686936871.55s 5mb |--------L0.1225--------| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 253mb total:"
+ - "L0 "
+ - "L0.?[1686866632513513491,1686867299592048857] 1686936871.55s 100mb|--------------L0.?---------------| "
+ - "L0.?[1686867299592048858,1686867966670584223] 1686936871.55s 100mb |--------------L0.?---------------| "
+ - "L0.?[1686867966670584224,1686868319000000000] 1686936871.55s 53mb |------L0.?------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 14 files: L0.1006, L0.1012, L0.1135, L0.1136, L0.1137, L0.1138, L0.1179, L0.1180, L0.1181, L0.1182, L0.1222, L0.1223, L0.1224, L0.1225"
+ - " Creating 3 files"
+ - "**** Simulation run 358, type=split(HighL0OverlapTotalBacklog)(split_times=[1686842540081081080]). 1 Input Files, 100mb total:"
+ - "L0, all files 100mb "
+ - "L0.1515[1686841379000000000,1686842547242379893] 1686936871.55s|----------------------------------------L0.1515-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L0 "
+ - "L0.?[1686841379000000000,1686842540081081080] 1686936871.55s 99mb|-----------------------------------------L0.?------------------------------------------| "
+ - "L0.?[1686842540081081081,1686842547242379893] 1686936871.55s 628kb |L0.?|"
+ - "**** Simulation run 359, type=split(HighL0OverlapTotalBacklog)(split_times=[1686843701162162160]). 1 Input Files, 100mb total:"
+ - "L0, all files 100mb "
+ - "L0.1516[1686842547242379894,1686843715484759786] 1686936871.55s|----------------------------------------L0.1516-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L0 "
+ - "L0.?[1686842547242379894,1686843701162162160] 1686936871.55s 99mb|-----------------------------------------L0.?-----------------------------------------| "
+ - "L0.?[1686843701162162161,1686843715484759786] 1686936871.55s 1mb |L0.?|"
+ - "**** Simulation run 360, type=split(HighL0OverlapTotalBacklog)(split_times=[1686846023324324320]). 1 Input Files, 100mb total:"
+ - "L0, all files 100mb "
+ - "L0.1518[1686844862243243241,1686846030485623133] 1686936871.55s|----------------------------------------L0.1518-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L0 "
+ - "L0.?[1686844862243243241,1686846023324324320] 1686936871.55s 99mb|-----------------------------------------L0.?------------------------------------------| "
+ - "L0.?[1686846023324324321,1686846030485623133] 1686936871.55s 628kb |L0.?|"
+ - "**** Simulation run 361, type=split(HighL0OverlapTotalBacklog)(split_times=[1686847184405405399]). 1 Input Files, 100mb total:"
+ - "L0, all files 100mb "
+ - "L0.1519[1686846030485623134,1686847198728003025] 1686936871.55s|----------------------------------------L0.1519-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L0 "
+ - "L0.?[1686846030485623134,1686847184405405399] 1686936871.55s 99mb|-----------------------------------------L0.?-----------------------------------------| "
+ - "L0.?[1686847184405405400,1686847198728003025] 1686936871.55s 1mb |L0.?|"
+ - "**** Simulation run 362, type=split(HighL0OverlapTotalBacklog)(split_times=[1686849216297297290]). 1 Input Files, 96mb total:"
+ - "L1, all files 96mb "
+ - "L1.1386[1686848345486486481,1686849506567567560] 1686932677.39s|----------------------------------------L1.1386-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 96mb total:"
+ - "L1 "
+ - "L1.?[1686848345486486481,1686849216297297290] 1686932677.39s 72mb|------------------------------L1.?-------------------------------| "
+ - "L1.?[1686849216297297291,1686849506567567560] 1686932677.39s 24mb |--------L1.?--------| "
+ - "**** Simulation run 363, type=split(HighL0OverlapTotalBacklog)(split_times=[1686849216297297290]). 1 Input Files, 100mb total:"
+ - "L0, all files 100mb "
+ - "L0.1521[1686848345486486481,1686849491497710570] 1686936871.55s|----------------------------------------L0.1521-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L0 "
+ - "L0.?[1686848345486486481,1686849216297297290] 1686936871.55s 76mb|-------------------------------L0.?-------------------------------| "
+ - "L0.?[1686849216297297291,1686849491497710570] 1686936871.55s 24mb |-------L0.?--------| "
+ - "**** Simulation run 364, type=split(HighL0OverlapTotalBacklog)(split_times=[1686850087108108099]). 1 Input Files, 100mb total:"
+ - "L0, all files 100mb "
+ - "L0.1522[1686849491497710571,1686850637508934659] 1686936871.55s|----------------------------------------L0.1522-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L0 "
+ - "L0.?[1686849491497710571,1686850087108108099] 1686936871.55s 52mb|--------------------L0.?--------------------| "
+ - "L0.?[1686850087108108100,1686850637508934659] 1686936871.55s 48mb |------------------L0.?-------------------| "
+ - "**** Simulation run 365, type=split(HighL0OverlapTotalBacklog)(split_times=[1686850087108108099]). 1 Input Files, 91mb total:"
+ - "L1, all files 91mb "
+ - "L1.1392[1686849559289331161,1686850667648648639] 1686932677.39s|----------------------------------------L1.1392-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 91mb total:"
+ - "L1 "
+ - "L1.?[1686849559289331161,1686850087108108099] 1686932677.39s 43mb|------------------L1.?------------------| "
+ - "L1.?[1686850087108108100,1686850667648648639] 1686932677.39s 48mb |--------------------L1.?---------------------| "
+ - "**** Simulation run 366, type=split(HighL0OverlapTotalBacklog)(split_times=[1686850957918918908]). 1 Input Files, 28mb total:"
+ - "L0, all files 28mb "
+ - "L0.1523[1686850637508934660,1686850957918918910] 1686936871.55s|----------------------------------------L0.1523-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 28mb total:"
+ - "L0 "
+ - "L0.?[1686850637508934660,1686850957918918908] 1686936871.55s 28mb|-----------------------------------------L0.?------------------------------------------| "
+ - "L0.?[1686850957918918909,1686850957918918910] 1686936871.55s 1b |L0.?|"
+ - "**** Simulation run 367, type=split(HighL0OverlapTotalBacklog)(split_times=[1686850957918918908, 1686851828729729717]). 1 Input Files, 87mb total:"
+ - "L1, all files 87mb "
+ - "L1.1385[1686850773092175840,1686851828729729720] 1686932677.39s|----------------------------------------L1.1385-----------------------------------------|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 87mb total:"
+ - "L1 "
+ - "L1.?[1686850773092175840,1686850957918918908] 1686932677.39s 15mb|----L1.?-----| "
+ - "L1.?[1686850957918918909,1686851828729729717] 1686932677.39s 72mb |----------------------------------L1.?----------------------------------| "
+ - "L1.?[1686851828729729718,1686851828729729720] 1686932677.39s 1b |L1.?|"
+ - "**** Simulation run 368, type=split(HighL0OverlapTotalBacklog)(split_times=[1686851828729729717]). 1 Input Files, 100mb total:"
+ - "L0, all files 100mb "
+ - "L0.1524[1686850957918918911,1686851943085513215] 1686936871.55s|----------------------------------------L0.1524-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L0 "
+ - "L0.?[1686850957918918911,1686851828729729717] 1686936871.55s 88mb|------------------------------------L0.?-------------------------------------| "
+ - "L0.?[1686851828729729718,1686851943085513215] 1686936871.55s 12mb |--L0.?--| "
+ - "**** Simulation run 369, type=split(HighL0OverlapTotalBacklog)(split_times=[1686852699540540526]). 1 Input Files, 14mb total:"
+ - "L1, all files 14mb "
+ - "L1.1230[1686851828729729721,1686852757594594584] 1686931893.7s|----------------------------------------L1.1230-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 14mb total:"
+ - "L1 "
+ - "L1.?[1686851828729729721,1686852699540540526] 1686931893.7s 14mb|---------------------------------------L1.?---------------------------------------| "
+ - "L1.?[1686852699540540527,1686852757594594584] 1686931893.7s 927kb |L1.?|"
+ - "**** Simulation run 370, type=split(HighL0OverlapTotalBacklog)(split_times=[1686852699540540526]). 1 Input Files, 100mb total:"
+ - "L0, all files 100mb "
+ - "L0.1525[1686851943085513216,1686852928252107519] 1686936871.55s|----------------------------------------L0.1525-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L0 "
+ - "L0.?[1686851943085513216,1686852699540540526] 1686936871.55s 77mb|-------------------------------L0.?--------------------------------| "
+ - "L0.?[1686852699540540527,1686852928252107519] 1686936871.55s 23mb |-------L0.?-------| "
+ - "**** Simulation run 371, type=split(HighL0OverlapTotalBacklog)(split_times=[1686853570351351335]). 1 Input Files, 77mb total:"
+ - "L0, all files 77mb "
+ - "L0.1526[1686852928252107520,1686853686459459447] 1686936871.55s|----------------------------------------L0.1526-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 77mb total:"
+ - "L0 "
+ - "L0.?[1686852928252107520,1686853570351351335] 1686936871.55s 65mb|-----------------------------------L0.?-----------------------------------| "
+ - "L0.?[1686853570351351336,1686853686459459447] 1686936871.55s 12mb |---L0.?----| "
+ - "**** Simulation run 372, type=split(HighL0OverlapTotalBacklog)(split_times=[1686853570351351335]). 1 Input Files, 42mb total:"
+ - "L1, all files 42mb "
+ - "L1.1410[1686853500686486476,1686854034336087198] 1686932677.39s|----------------------------------------L1.1410-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 42mb total:"
+ - "L1 "
+ - "L1.?[1686853500686486476,1686853570351351335] 1686932677.39s 5mb|--L1.?---| "
+ - "L1.?[1686853570351351336,1686854034336087198] 1686932677.39s 36mb |------------------------------------L1.?------------------------------------| "
+ - "**** Simulation run 373, type=split(HighL0OverlapTotalBacklog)(split_times=[1686854441162162144]). 1 Input Files, 100mb total:"
+ - "L0, all files 100mb "
+ - "L0.1527[1686853686459459448,1686854918102788682] 1686936871.55s|----------------------------------------L0.1527-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L0 "
+ - "L0.?[1686853686459459448,1686854441162162144] 1686936871.55s 61mb|------------------------L0.?-------------------------| "
+ - "L0.?[1686854441162162145,1686854918102788682] 1686936871.55s 39mb |--------------L0.?--------------| "
+ - "**** Simulation run 374, type=split(HighL0OverlapTotalBacklog)(split_times=[1686854441162162144]). 1 Input Files, 58mb total:"
+ - "L1, all files 58mb "
+ - "L1.1420[1686854243778378366,1686854986870270255] 1686932677.39s|----------------------------------------L1.1420-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 58mb total:"
+ - "L1 "
+ - "L1.?[1686854243778378366,1686854441162162144] 1686932677.39s 15mb|--------L1.?---------| "
+ - "L1.?[1686854441162162145,1686854986870270255] 1686932677.39s 43mb |------------------------------L1.?------------------------------| "
+ - "**** Simulation run 375, type=split(HighL0OverlapTotalBacklog)(split_times=[1686855311972972953]). 1 Input Files, 17mb total:"
+ - "L0, all files 17mb "
+ - "L0.1530[1686854819000000001,1686856142243243231] 1686936871.55s|----------------------------------------L0.1530-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 17mb total:"
+ - "L0 "
+ - "L0.?[1686854819000000001,1686855311972972953] 1686936871.55s 7mb|-------------L0.?--------------| "
+ - "L0.?[1686855311972972954,1686856142243243231] 1686936871.55s 11mb |-------------------------L0.?-------------------------| "
+ - "**** Simulation run 376, type=split(HighL0OverlapTotalBacklog)(split_times=[1686855311972972953]). 1 Input Files, 100mb total:"
+ - "L0, all files 100mb "
+ - "L0.1528[1686854918102788683,1686856149746117916] 1686936871.55s|----------------------------------------L0.1528-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L0 "
+ - "L0.?[1686854918102788683,1686855311972972953] 1686936871.55s 32mb|-----------L0.?-----------| "
+ - "L0.?[1686855311972972954,1686856149746117916] 1686936871.55s 68mb |---------------------------L0.?----------------------------| "
+ - "**** Simulation run 377, type=split(HighL0OverlapTotalBacklog)(split_times=[1686855311972972953]). 1 Input Files, 33mb total:"
+ - "L1, all files 33mb "
+ - "L1.1426[1686855311077579812,1686855729962162145] 1686932677.39s|----------------------------------------L1.1426----------------------------------------| "
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 33mb total:"
+ - "L1 "
+ - "L1.?[1686855311077579812,1686855311972972953] 1686932677.39s 72kb|L1.?| "
+ - "L1.?[1686855311972972954,1686855729962162145] 1686932677.39s 33mb|-----------------------------------------L1.?------------------------------------------| "
+ - "**** Simulation run 378, type=split(HighL0OverlapTotalBacklog)(split_times=[1686856182783783762]). 1 Input Files, 58mb total:"
+ - "L1, all files 58mb "
+ - "L1.1427[1686855729962162146,1686856473054054036] 1686932677.39s|----------------------------------------L1.1427-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 58mb total:"
+ - "L1 "
+ - "L1.?[1686855729962162146,1686856182783783762] 1686932677.39s 35mb|------------------------L1.?------------------------| "
+ - "L1.?[1686856182783783763,1686856473054054036] 1686932677.39s 23mb |--------------L1.?---------------| "
+ - "**** Simulation run 379, type=split(HighL0OverlapTotalBacklog)(split_times=[1686856182783783762]). 1 Input Files, 4mb total:"
+ - "L0, all files 4mb "
+ - "L0.1531[1686856142243243232,1686856473054054039] 1686936871.55s|----------------------------------------L0.1531-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
+ - "L0 "
+ - "L0.?[1686856142243243232,1686856182783783762] 1686936871.55s 549kb|--L0.?---| "
+ - "L0.?[1686856182783783763,1686856473054054039] 1686936871.55s 4mb |------------------------------------L0.?------------------------------------| "
+ - "**** Simulation run 380, type=split(HighL0OverlapTotalBacklog)(split_times=[1686856182783783762]). 1 Input Files, 26mb total:"
+ - "L0, all files 26mb "
+ - "L0.1529[1686856149746117917,1686856473054054039] 1686936871.55s|----------------------------------------L0.1529-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 26mb total:"
+ - "L0 "
+ - "L0.?[1686856149746117917,1686856182783783762] 1686936871.55s 3mb|-L0.?--| "
+ - "L0.?[1686856182783783763,1686856473054054039] 1686936871.55s 24mb |-------------------------------------L0.?-------------------------------------| "
+ - "**** Simulation run 381, type=split(HighL0OverlapTotalBacklog)(split_times=[1686857053594594571]). 1 Input Files, 59mb total:"
+ - "L1, all files 59mb "
+ - "L1.1443[1686856473054054037,1686857216145945927] 1686932677.39s|----------------------------------------L1.1443-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 59mb total:"
+ - "L1 "
+ - "L1.?[1686856473054054037,1686857053594594571] 1686932677.39s 46mb|--------------------------------L1.?--------------------------------| "
+ - "L1.?[1686857053594594572,1686857216145945927] 1686932677.39s 13mb |------L1.?-------| "
+ - "**** Simulation run 382, type=split(HighL0OverlapTotalBacklog)(split_times=[1686857053594594571]). 1 Input Files, 100mb total:"
+ - "L0, all files 100mb "
+ - "L0.1532[1686856473054054040,1686857679795016021] 1686935947.46s|----------------------------------------L0.1532-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L0 "
+ - "L0.?[1686856473054054040,1686857053594594571] 1686935947.46s 48mb|------------------L0.?-------------------| "
+ - "L0.?[1686857053594594572,1686857679795016021] 1686935947.46s 52mb |--------------------L0.?--------------------| "
+ - "**** Simulation run 383, type=split(HighL0OverlapTotalBacklog)(split_times=[1686857053594594571, 1686857924405405380, 1686858795216216189]). 1 Input Files, 27mb total:"
+ - "L0, all files 27mb "
+ - "L0.1535[1686856473054054040,1686859027432432416] 1686936871.55s|----------------------------------------L0.1535-----------------------------------------|"
+ - "**** 4 Output Files (parquet_file_id not yet assigned), 27mb total:"
+ - "L0 "
+ - "L0.?[1686856473054054040,1686857053594594571] 1686936871.55s 6mb|-------L0.?-------| "
+ - "L0.?[1686857053594594572,1686857924405405380] 1686936871.55s 9mb |------------L0.?------------| "
+ - "L0.?[1686857924405405381,1686858795216216189] 1686936871.55s 9mb |------------L0.?------------| "
+ - "L0.?[1686858795216216190,1686859027432432416] 1686936871.55s 2mb |-L0.?-| "
+ - "**** Simulation run 384, type=split(HighL0OverlapTotalBacklog)(split_times=[1686857924405405380, 1686858795216216189]). 1 Input Files, 100mb total:"
+ - "L0, all files 100mb "
+ - "L0.1533[1686857679795016022,1686858886535978002] 1686935947.46s|----------------------------------------L0.1533-----------------------------------------|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L0 "
+ - "L0.?[1686857679795016022,1686857924405405380] 1686935947.46s 20mb|------L0.?------| "
+ - "L0.?[1686857924405405381,1686858795216216189] 1686935947.46s 72mb |-----------------------------L0.?-----------------------------| "
+ - "L0.?[1686858795216216190,1686858886535978002] 1686935947.46s 8mb |L0.?| "
+ - "**** Simulation run 385, type=split(HighL0OverlapTotalBacklog)(split_times=[1686857924405405380]). 1 Input Files, 19mb total:"
+ - "L1, all files 19mb "
+ - "L1.1449[1686857724225846698,1686857959237837817] 1686932677.39s|----------------------------------------L1.1449----------------------------------------| "
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 19mb total:"
+ - "L1 "
+ - "L1.?[1686857724225846698,1686857924405405380] 1686932677.39s 16mb|-----------------------------------L1.?-----------------------------------| "
+ - "L1.?[1686857924405405381,1686857959237837817] 1686932677.39s 3mb |---L1.?----| "
+ - "**** Simulation run 386, type=split(HighL0OverlapTotalBacklog)(split_times=[1686858795216216189]). 1 Input Files, 22mb total:"
+ - "L1, all files 22mb "
+ - "L1.1451[1686858702329729708,1686858975397639357] 1686932677.39s|----------------------------------------L1.1451-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 22mb total:"
+ - "L1 "
+ - "L1.?[1686858702329729708,1686858795216216189] 1686932677.39s 7mb|------------L1.?------------| "
+ - "L1.?[1686858795216216190,1686858975397639357] 1686932677.39s 14mb |--------------------------L1.?---------------------------| "
+ - "**** Simulation run 387, type=split(HighL0OverlapTotalBacklog)(split_times=[1686859666027026998]). 1 Input Files, 7mb total:"
+ - "L0, all files 7mb "
+ - "L0.1536[1686859027432432417,1686859666027027010] 1686936871.55s|----------------------------------------L0.1536-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 7mb total:"
+ - "L0 "
+ - "L0.?[1686859027432432417,1686859666027026998] 1686936871.55s 7mb|-----------------------------------------L0.?------------------------------------------| "
+ - "L0.?[1686859666027026999,1686859666027027010] 1686936871.55s 1b |L0.?|"
+ - "**** Simulation run 388, type=split(HighL0OverlapTotalBacklog)(split_times=[1686859666027026998]). 1 Input Files, 553kb total:"
+ - "L0, all files 553kb "
+ - "L0.1537[1686859499000000001,1686859666027027010] 1686936871.55s|----------------------------------------L0.1537-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 553kb total:"
+ - "L0 "
+ - "L0.?[1686859499000000001,1686859666027026998] 1686936871.55s 553kb|-----------------------------------------L0.?------------------------------------------| "
+ - "L0.?[1686859666027026999,1686859666027027010] 1686936871.55s 1b |L0.?|"
+ - "**** Simulation run 389, type=split(HighL0OverlapTotalBacklog)(split_times=[1686859666027026998]). 1 Input Files, 40mb total:"
+ - "L1, all files 40mb "
+ - "L1.1480[1686859589566760130,1686860002800686531] 1686932677.39s|----------------------------------------L1.1480-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 40mb total:"
+ - "L1 "
+ - "L1.?[1686859589566760130,1686859666027026998] 1686932677.39s 7mb|-----L1.?-----| "
+ - "L1.?[1686859666027026999,1686860002800686531] 1686932677.39s 33mb |---------------------------------L1.?----------------------------------| "
+ - "**** Simulation run 390, type=split(HighL0OverlapTotalBacklog)(split_times=[1686860536837837807]). 1 Input Files, 100mb total:"
+ - "L0, all files 100mb "
+ - "L0.1538[1686859666027027011,1686860866085039343] 1686936871.55s|----------------------------------------L0.1538-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L0 "
+ - "L0.?[1686859666027027011,1686860536837837807] 1686936871.55s 73mb|-----------------------------L0.?------------------------------| "
+ - "L0.?[1686860536837837808,1686860866085039343] 1686936871.55s 27mb |---------L0.?---------| "
+ - "**** Simulation run 391, type=split(HighL0OverlapTotalBacklog)(split_times=[1686860536837837807, 1686861407648648616, 1686862278459459425]). 1 Input Files, 12mb total:"
+ - "L0, all files 12mb "
+ - "L0.1541[1686860002800686532,1686862975108108077] 1686936871.55s|----------------------------------------L0.1541-----------------------------------------|"
+ - "**** 4 Output Files (parquet_file_id not yet assigned), 12mb total:"
+ - "L0 "
+ - "L0.?[1686860002800686532,1686860536837837807] 1686936871.55s 2mb|-----L0.?-----| "
+ - "L0.?[1686860536837837808,1686861407648648616] 1686936871.55s 4mb |----------L0.?----------| "
+ - "L0.?[1686861407648648617,1686862278459459425] 1686936871.55s 4mb |----------L0.?----------| "
+ - "L0.?[1686862278459459426,1686862975108108077] 1686936871.55s 3mb |-------L0.?--------| "
+ - "**** Simulation run 392, type=split(HighL0OverlapTotalBacklog)(split_times=[1686860536837837807]). 1 Input Files, 60mb total:"
+ - "L1, all files 60mb "
+ - "L1.1486[1686860203735880901,1686860817905001671] 1686932677.39s|----------------------------------------L1.1486-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 60mb total:"
+ - "L1 "
+ - "L1.?[1686860203735880901,1686860536837837807] 1686932677.39s 32mb|---------------------L1.?---------------------| "
+ - "L1.?[1686860536837837808,1686860817905001671] 1686932677.39s 27mb |-----------------L1.?------------------| "
+ - "**** Simulation run 393, type=split(HighL0OverlapTotalBacklog)(split_times=[1686861407648648616]). 1 Input Files, 100mb total:"
+ - "L0, all files 100mb "
+ - "L0.1539[1686860866085039344,1686862066143051675] 1686936871.55s|----------------------------------------L0.1539-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L0 "
+ - "L0.?[1686860866085039344,1686861407648648616] 1686936871.55s 45mb|-----------------L0.?-----------------| "
+ - "L0.?[1686861407648648617,1686862066143051675] 1686936871.55s 55mb |---------------------L0.?----------------------| "
+ - "**** Simulation run 394, type=split(HighL0OverlapTotalBacklog)(split_times=[1686861407648648616]). 1 Input Files, 100mb total:"
+ - "L1, all files 100mb "
+ - "L1.1512[1686861030203733705,1686862070968521403] 1686932677.39s|----------------------------------------L1.1512-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L1 "
+ - "L1.?[1686861030203733705,1686861407648648616] 1686932677.39s 36mb|-------------L1.?-------------| "
+ - "L1.?[1686861407648648617,1686862070968521403] 1686932677.39s 64mb |-------------------------L1.?--------------------------| "
+ - "**** Simulation run 395, type=split(HighL0OverlapTotalBacklog)(split_times=[1686862278459459425]). 1 Input Files, 76mb total:"
+ - "L0, all files 76mb "
+ - "L0.1540[1686862066143051676,1686862975108108077] 1686936871.55s|----------------------------------------L0.1540-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 76mb total:"
+ - "L0 "
+ - "L0.?[1686862066143051676,1686862278459459425] 1686936871.55s 18mb|-------L0.?--------| "
+ - "L0.?[1686862278459459426,1686862975108108077] 1686936871.55s 58mb |-------------------------------L0.?-------------------------------| "
+ - "**** Simulation run 396, type=split(HighL0OverlapTotalBacklog)(split_times=[1686862278459459425]). 1 Input Files, 100mb total:"
+ - "L1, all files 100mb "
+ - "L1.1513[1686862070968521404,1686863111733309101] 1686932677.39s|----------------------------------------L1.1513-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L1 "
+ - "L1.?[1686862070968521404,1686862278459459425] 1686932677.39s 20mb|-----L1.?------| "
+ - "L1.?[1686862278459459426,1686863111733309101] 1686932677.39s 80mb |---------------------------------L1.?---------------------------------| "
+ - "**** Simulation run 397, type=split(HighL0OverlapTotalBacklog)(split_times=[1686863149270270234]). 1 Input Files, 100mb total:"
+ - "L0, all files 100mb "
+ - "L0.1542[1686862975108108078,1686863763854983772] 1686936871.55s|----------------------------------------L0.1542-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L0 "
+ - "L0.?[1686862975108108078,1686863149270270234] 1686936871.55s 22mb|------L0.?-------| "
+ - "L0.?[1686863149270270235,1686863763854983772] 1686936871.55s 78mb |--------------------------------L0.?--------------------------------| "
+ - "**** Simulation run 398, type=split(HighL0OverlapTotalBacklog)(split_times=[1686863149270270234]). 1 Input Files, 76mb total:"
+ - "L1, all files 76mb "
+ - "L1.1514[1686863111733309102,1686863903972972940] 1686932677.39s|----------------------------------------L1.1514-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 76mb total:"
+ - "L1 "
+ - "L1.?[1686863111733309102,1686863149270270234] 1686932677.39s 4mb|L1.?| "
+ - "L1.?[1686863149270270235,1686863903972972940] 1686932677.39s 73mb |---------------------------------------L1.?----------------------------------------| "
+ - "**** Simulation run 399, type=split(HighL0OverlapTotalBacklog)(split_times=[1686864020081081043]). 1 Input Files, 100mb total:"
+ - "L0, all files 100mb "
+ - "L0.1543[1686863763854983773,1686864552601859466] 1686936871.55s|----------------------------------------L0.1543-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L0 "
+ - "L0.?[1686863763854983773,1686864020081081043] 1686936871.55s 32mb|-----------L0.?------------| "
+ - "L0.?[1686864020081081044,1686864552601859466] 1686936871.55s 68mb |---------------------------L0.?---------------------------| "
+ - "**** Simulation run 400, type=split(HighL0OverlapTotalBacklog)(split_times=[1686864020081081043]). 1 Input Files, 12mb total:"
+ - "L1, all files 12mb "
+ - "L1.1280[1686863903972972941,1686864651607515459] 1686931893.7s|----------------------------------------L1.1280-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 12mb total:"
+ - "L1 "
+ - "L1.?[1686863903972972941,1686864020081081043] 1686931893.7s 2mb|---L1.?----| "
+ - "L1.?[1686864020081081044,1686864651607515459] 1686931893.7s 10mb |-----------------------------------L1.?-----------------------------------| "
+ - "**** Simulation run 401, type=split(HighL0OverlapTotalBacklog)(split_times=[1686864890891891852]). 1 Input Files, 43mb total:"
+ - "L0, all files 43mb "
+ - "L0.1544[1686864552601859467,1686864890891891870] 1686936871.55s|----------------------------------------L0.1544-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 43mb total:"
+ - "L0 "
+ - "L0.?[1686864552601859467,1686864890891891852] 1686936871.55s 43mb|-----------------------------------------L0.?------------------------------------------| "
+ - "L0.?[1686864890891891853,1686864890891891870] 1686936871.55s 1b |L0.?|"
+ - "**** Simulation run 402, type=split(HighL0OverlapTotalBacklog)(split_times=[1686864890891891852]). 1 Input Files, 8mb total:"
+ - "L0, all files 8mb "
+ - "L0.1545[1686864651607515460,1686864890891891870] 1686936871.55s|----------------------------------------L0.1545----------------------------------------| "
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 8mb total:"
+ - "L0 "
+ - "L0.?[1686864651607515460,1686864890891891852] 1686936871.55s 8mb|-----------------------------------------L0.?------------------------------------------| "
+ - "L0.?[1686864890891891853,1686864890891891870] 1686936871.55s 1b |L0.?|"
+ - "**** Simulation run 403, type=split(HighL0OverlapTotalBacklog)(split_times=[1686864890891891852, 1686865761702702661]). 1 Input Files, 14mb total:"
+ - "L1, all files 14mb "
+ - "L1.1326[1686864832837837804,1686865761702702680] 1686931893.7s|----------------------------------------L1.1326-----------------------------------------|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 14mb total:"
+ - "L1 "
+ - "L1.?[1686864832837837804,1686864890891891852] 1686931893.7s 927kb|L1.?| "
+ - "L1.?[1686864890891891853,1686865761702702661] 1686931893.7s 14mb |---------------------------------------L1.?---------------------------------------| "
+ - "L1.?[1686865761702702662,1686865761702702680] 1686931893.7s 1b |L1.?|"
+ - "**** Simulation run 404, type=split(HighL0OverlapTotalBacklog)(split_times=[1686865761702702661]). 1 Input Files, 100mb total:"
+ - "L0, all files 100mb "
+ - "L0.1547[1686865715561243056,1686866540230594239] 1686936871.55s|----------------------------------------L0.1547-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L0 "
+ - "L0.?[1686865715561243056,1686865761702702661] 1686936871.55s 6mb|L0.?| "
+ - "L0.?[1686865761702702662,1686866540230594239] 1686936871.55s 94mb |---------------------------------------L0.?---------------------------------------| "
+ - "**** Simulation run 405, type=split(HighL0OverlapTotalBacklog)(split_times=[1686868917918918910]). 1 Input Files, 100mb total:"
+ - "L0, all files 100mb "
+ - "L0.1549[1686868319000000001,1686868931238859876] 1686936871.55s|----------------------------------------L0.1549-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L0 "
+ - "L0.?[1686868319000000001,1686868917918918910] 1686936871.55s 98mb|-----------------------------------------L0.?-----------------------------------------| "
+ - "L0.?[1686868917918918911,1686868931238859876] 1686936871.55s 2mb |L0.?|"
+ - "**** Simulation run 406, type=split(HighL0OverlapTotalBacklog)(split_times=[1686868917918918910]). 1 Input Files, 15mb total:"
+ - "L1, all files 15mb "
+ - "L1.905[1686868379000000000,1686869244945945920] 1686928854.57s|-----------------------------------------L1.905-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 15mb total:"
+ - "L1 "
+ - "L1.?[1686868379000000000,1686868917918918910] 1686928854.57s 9mb|-------------------------L1.?-------------------------| "
+ - "L1.?[1686868917918918911,1686869244945945920] 1686928854.57s 6mb |-------------L1.?--------------| "
+ - "**** Simulation run 407, type=split(HighL0OverlapTotalBacklog)(split_times=[1686869516837837819]). 1 Input Files, 100mb total:"
+ - "L0, all files 100mb "
+ - "L0.1550[1686868931238859877,1686869543477719751] 1686936871.55s|----------------------------------------L0.1550-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L0 "
+ - "L0.?[1686868931238859877,1686869516837837819] 1686936871.55s 96mb|----------------------------------------L0.?----------------------------------------| "
+ - "L0.?[1686869516837837820,1686869543477719751] 1686936871.55s 4mb |L0.?|"
+ - "**** Simulation run 408, type=split(HighL0OverlapTotalBacklog)(split_times=[1686869516837837819]). 1 Input Files, 15mb total:"
+ - "L1, all files 15mb "
+ - "L1.906[1686869244945945921,1686870115756756730] 1686928854.57s|-----------------------------------------L1.906-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 15mb total:"
+ - "L1 "
+ - "L1.?[1686869244945945921,1686869516837837819] 1686928854.57s 5mb|-----------L1.?-----------| "
+ - "L1.?[1686869516837837820,1686870115756756730] 1686928854.57s 10mb |---------------------------L1.?----------------------------| "
+ - "**** Simulation run 409, type=split(HighL0OverlapTotalBacklog)(split_times=[1686870986567567540]). 1 Input Files, 100mb total:"
+ - "L0, all files 100mb "
+ - "L0.1553[1686870677571828434,1686871239386900135] 1686936871.55s|----------------------------------------L0.1553-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L0 "
+ - "L0.?[1686870677571828434,1686870986567567540] 1686936871.55s 55mb|---------------------L0.?----------------------| "
+ - "L0.?[1686870986567567541,1686871239386900135] 1686936871.55s 45mb |-----------------L0.?-----------------| "
+ - "**** Simulation run 410, type=split(HighL0OverlapTotalBacklog)(split_times=[1686871857378378349]). 1 Input Files, 15mb total:"
+ - "L1, all files 15mb "
+ - "L1.908[1686870986567567541,1686871857378378350] 1686928854.57s|-----------------------------------------L1.908-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 15mb total:"
+ - "L1 "
+ - "L1.?[1686870986567567541,1686871857378378349] 1686928854.57s 15mb|-----------------------------------------L1.?------------------------------------------| "
+ - "L1.?[1686871857378378350,1686871857378378350] 1686928854.57s 1b |L1.?|"
+ - "**** Simulation run 411, type=split(HighL0OverlapTotalBacklog)(split_times=[1686871857378378349]). 1 Input Files, 100mb total:"
+ - "L0, all files 100mb "
+ - "L0.1555[1686871550514515285,1686872106056369133] 1686936871.55s|----------------------------------------L0.1555-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L0 "
+ - "L0.?[1686871550514515285,1686871857378378349] 1686936871.55s 55mb|---------------------L0.?----------------------| "
+ - "L0.?[1686871857378378350,1686872106056369133] 1686936871.55s 45mb |-----------------L0.?-----------------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 54 files: L1.905, L1.906, L1.908, L1.1230, L1.1280, L1.1326, L1.1385, L1.1386, L1.1392, L1.1410, L1.1420, L1.1426, L1.1427, L1.1443, L1.1449, L1.1451, L1.1480, L1.1486, L1.1512, L1.1513, L1.1514, L0.1515, L0.1516, L0.1518, L0.1519, L0.1521, L0.1522, L0.1523, L0.1524, L0.1525, L0.1526, L0.1527, L0.1528, L0.1529, L0.1530, L0.1531, L0.1532, L0.1533, L0.1535, L0.1536, L0.1537, L0.1538, L0.1539, L0.1540, L0.1541, L0.1542, L0.1543, L0.1544, L0.1545, L0.1547, L0.1549, L0.1550, L0.1553, L0.1555"
+ - " Creating 115 files"
+ - "**** Simulation run 412, type=split(ReduceOverlap)(split_times=[1686857216145945927]). 1 Input Files, 52mb total:"
+ - "L0, all files 52mb "
+ - "L0.1613[1686857053594594572,1686857679795016021] 1686935947.46s|----------------------------------------L0.1613-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 52mb total:"
+ - "L0 "
+ - "L0.?[1686857053594594572,1686857216145945927] 1686935947.46s 13mb|--------L0.?---------| "
+ - "L0.?[1686857216145945928,1686857679795016021] 1686935947.46s 38mb |------------------------------L0.?------------------------------| "
+ - "**** Simulation run 413, type=split(ReduceOverlap)(split_times=[1686857724225846697]). 1 Input Files, 20mb total:"
+ - "L0, all files 20mb "
+ - "L0.1618[1686857679795016022,1686857924405405380] 1686935947.46s|----------------------------------------L0.1618----------------------------------------| "
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 20mb total:"
+ - "L0 "
+ - "L0.?[1686857679795016022,1686857724225846697] 1686935947.46s 4mb|-----L0.?-----| "
+ - "L0.?[1686857724225846698,1686857924405405380] 1686935947.46s 17mb |---------------------------------L0.?----------------------------------| "
+ - "**** Simulation run 414, type=split(ReduceOverlap)(split_times=[1686857959237837817, 1686858702329729707]). 1 Input Files, 72mb total:"
+ - "L0, all files 72mb "
+ - "L0.1619[1686857924405405381,1686858795216216189] 1686935947.46s|----------------------------------------L0.1619-----------------------------------------|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 72mb total:"
+ - "L0 "
+ - "L0.?[1686857924405405381,1686857959237837817] 1686935947.46s 3mb|L0.?| "
+ - "L0.?[1686857959237837818,1686858702329729707] 1686935947.46s 62mb |-----------------------------------L0.?-----------------------------------| "
+ - "L0.?[1686858702329729708,1686858795216216189] 1686935947.46s 8mb |-L0.?--| "
+ - "**** Simulation run 415, type=split(ReduceOverlap)(split_times=[1686858975397639357]). 1 Input Files, 51mb total:"
+ - "L0, all files 51mb "
+ - "L0.1534[1686858886535978003,1686859499000000000] 1686935947.46s|----------------------------------------L0.1534-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 51mb total:"
+ - "L0 "
+ - "L0.?[1686858886535978003,1686858975397639357] 1686935947.46s 7mb|---L0.?----| "
+ - "L0.?[1686858975397639358,1686859499000000000] 1686935947.46s 43mb |-----------------------------------L0.?-----------------------------------| "
+ - "**** Simulation run 416, type=split(ReduceOverlap)(split_times=[1686842571022320444]). 1 Input Files, 99mb total:"
+ - "L0, all files 99mb "
+ - "L0.1565[1686842547242379894,1686843701162162160] 1686936871.55s|----------------------------------------L0.1565-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 99mb total:"
+ - "L0 "
+ - "L0.?[1686842547242379894,1686842571022320444] 1686936871.55s 2mb|L0.?| "
+ - "L0.?[1686842571022320445,1686843701162162160] 1686936871.55s 97mb |-----------------------------------------L0.?-----------------------------------------| "
+ - "**** Simulation run 417, type=split(ReduceOverlap)(split_times=[1686843763044640888]). 1 Input Files, 98mb total:"
+ - "L0, all files 98mb "
+ - "L0.1517[1686843715484759787,1686844862243243240] 1686936871.55s|----------------------------------------L0.1517-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 98mb total:"
+ - "L0 "
+ - "L0.?[1686843715484759787,1686843763044640888] 1686936871.55s 4mb|L0.?| "
+ - "L0.?[1686843763044640889,1686844862243243240] 1686936871.55s 94mb |----------------------------------------L0.?----------------------------------------| "
+ - "**** Simulation run 418, type=split(ReduceOverlap)(split_times=[1686846054770701976]). 1 Input Files, 99mb total:"
+ - "L0, all files 99mb "
+ - "L0.1569[1686846030485623134,1686847184405405399] 1686936871.55s|----------------------------------------L0.1569-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 99mb total:"
+ - "L0 "
+ - "L0.?[1686846030485623134,1686846054770701976] 1686936871.55s 2mb|L0.?| "
+ - "L0.?[1686846054770701977,1686847184405405399] 1686936871.55s 97mb |-----------------------------------------L0.?-----------------------------------------| "
+ - "**** Simulation run 419, type=split(ReduceOverlap)(split_times=[1686847247298160711]). 1 Input Files, 98mb total:"
+ - "L0, all files 98mb "
+ - "L0.1520[1686847198728003026,1686848345486486480] 1686936871.55s|----------------------------------------L0.1520-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 98mb total:"
+ - "L0 "
+ - "L0.?[1686847198728003026,1686847247298160711] 1686936871.55s 4mb|L0.?| "
+ - "L0.?[1686847247298160712,1686848345486486480] 1686936871.55s 94mb |----------------------------------------L0.?----------------------------------------| "
+ - "**** Simulation run 420, type=split(ReduceOverlap)(split_times=[1686849506567567560, 1686849559289331160]). 1 Input Files, 52mb total:"
+ - "L0, all files 52mb "
+ - "L0.1575[1686849491497710571,1686850087108108099] 1686936871.55s|----------------------------------------L0.1575-----------------------------------------|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 52mb total:"
+ - "L0 "
+ - "L0.?[1686849491497710571,1686849506567567560] 1686936871.55s 1mb|L0.?| "
+ - "L0.?[1686849506567567561,1686849559289331160] 1686936871.55s 5mb |L0.?-| "
+ - "L0.?[1686849559289331161,1686850087108108099] 1686936871.55s 46mb |------------------------------------L0.?-------------------------------------| "
+ - "**** Simulation run 421, type=split(ReduceOverlap)(split_times=[1686850667648648639, 1686850773092175839]). 1 Input Files, 28mb total:"
+ - "L0, all files 28mb "
+ - "L0.1579[1686850637508934660,1686850957918918908] 1686936871.55s|----------------------------------------L0.1579-----------------------------------------|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 28mb total:"
+ - "L0 "
+ - "L0.?[1686850637508934660,1686850667648648639] 1686936871.55s 3mb|-L0.?-| "
+ - "L0.?[1686850667648648640,1686850773092175839] 1686936871.55s 9mb |-----------L0.?------------| "
+ - "L0.?[1686850773092175840,1686850957918918908] 1686936871.55s 16mb |----------------------L0.?-----------------------| "
+ - "**** Simulation run 422, type=split(ReduceOverlap)(split_times=[1686851828729729720]). 1 Input Files, 12mb total:"
+ - "L0, all files 12mb "
+ - "L0.1585[1686851828729729718,1686851943085513215] 1686936871.55s|----------------------------------------L0.1585----------------------------------------| "
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 12mb total:"
+ - "L0 "
+ - "L0.?[1686851828729729718,1686851828729729720] 1686936871.55s 0b|L0.?| "
+ - "L0.?[1686851828729729721,1686851943085513215] 1686936871.55s 12mb|-----------------------------------------L0.?------------------------------------------| "
+ - "**** Simulation run 423, type=split(ReduceOverlap)(split_times=[1686852757594594584]). 1 Input Files, 23mb total:"
+ - "L0, all files 23mb "
+ - "L0.1589[1686852699540540527,1686852928252107519] 1686936871.55s|----------------------------------------L0.1589-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 23mb total:"
+ - "L0 "
+ - "L0.?[1686852699540540527,1686852757594594584] 1686936871.55s 6mb|--------L0.?--------| "
+ - "L0.?[1686852757594594585,1686852928252107519] 1686936871.55s 17mb |------------------------------L0.?-------------------------------| "
+ - "**** Simulation run 424, type=split(ReduceOverlap)(split_times=[1686853500686486475]). 1 Input Files, 65mb total:"
+ - "L0, all files 65mb "
+ - "L0.1590[1686852928252107520,1686853570351351335] 1686936871.55s|----------------------------------------L0.1590-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 65mb total:"
+ - "L0 "
+ - "L0.?[1686852928252107520,1686853500686486475] 1686936871.55s 58mb|-------------------------------------L0.?-------------------------------------| "
+ - "L0.?[1686853500686486476,1686853570351351335] 1686936871.55s 7mb |-L0.?--| "
+ - "**** Simulation run 425, type=split(ReduceOverlap)(split_times=[1686854034336087198, 1686854243778378365]). 1 Input Files, 61mb total:"
+ - "L0, all files 61mb "
+ - "L0.1594[1686853686459459448,1686854441162162144] 1686936871.55s|----------------------------------------L0.1594-----------------------------------------|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 61mb total:"
+ - "L0 "
+ - "L0.?[1686853686459459448,1686854034336087198] 1686936871.55s 28mb|-----------------L0.?------------------| "
+ - "L0.?[1686854034336087199,1686854243778378365] 1686936871.55s 17mb |---------L0.?---------| "
+ - "L0.?[1686854243778378366,1686854441162162144] 1686936871.55s 16mb |--------L0.?---------| "
+ - "**** Simulation run 426, type=split(ReduceOverlap)(split_times=[1686854986870270255, 1686855311077579811]). 1 Input Files, 7mb total:"
+ - "L0, all files 7mb "
+ - "L0.1598[1686854819000000001,1686855311972972953] 1686936871.55s|----------------------------------------L0.1598-----------------------------------------|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 7mb total:"
+ - "L0 "
+ - "L0.?[1686854819000000001,1686854986870270255] 1686936871.55s 2mb|------------L0.?------------| "
+ - "L0.?[1686854986870270256,1686855311077579811] 1686936871.55s 4mb |--------------------------L0.?---------------------------| "
+ - "L0.?[1686855311077579812,1686855311972972953] 1686936871.55s 12kb |L0.?|"
+ - "**** Simulation run 427, type=split(ReduceOverlap)(split_times=[1686854986870270255, 1686855311077579811]). 1 Input Files, 32mb total:"
+ - "L0, all files 32mb "
+ - "L0.1600[1686854918102788683,1686855311972972953] 1686936871.55s|----------------------------------------L0.1600-----------------------------------------|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 32mb total:"
+ - "L0 "
+ - "L0.?[1686854918102788683,1686854986870270255] 1686936871.55s 6mb|----L0.?-----| "
+ - "L0.?[1686854986870270256,1686855311077579811] 1686936871.55s 26mb |----------------------------------L0.?----------------------------------| "
+ - "L0.?[1686855311077579812,1686855311972972953] 1686936871.55s 74kb |L0.?|"
+ - "**** Simulation run 428, type=split(ReduceOverlap)(split_times=[1686855729962162145]). 1 Input Files, 68mb total:"
+ - "L0, all files 68mb "
+ - "L0.1601[1686855311972972954,1686856149746117916] 1686936871.55s|----------------------------------------L0.1601-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 68mb total:"
+ - "L0 "
+ - "L0.?[1686855311972972954,1686855729962162145] 1686936871.55s 34mb|-------------------L0.?-------------------| "
+ - "L0.?[1686855729962162146,1686856149746117916] 1686936871.55s 34mb |-------------------L0.?--------------------| "
+ - "**** Simulation run 429, type=split(ReduceOverlap)(split_times=[1686855729962162145]). 1 Input Files, 11mb total:"
+ - "L0, all files 11mb "
+ - "L0.1599[1686855311972972954,1686856142243243231] 1686936871.55s|----------------------------------------L0.1599-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 11mb total:"
+ - "L0 "
+ - "L0.?[1686855311972972954,1686855729962162145] 1686936871.55s 6mb|-------------------L0.?--------------------| "
+ - "L0.?[1686855729962162146,1686856142243243231] 1686936871.55s 5mb |-------------------L0.?-------------------| "
+ - "**** Simulation run 430, type=split(ReduceOverlap)(split_times=[1686856473054054036]). 1 Input Files, 24mb total:"
+ - "L0, all files 24mb "
+ - "L0.1609[1686856182783783763,1686856473054054039] 1686936871.55s|----------------------------------------L0.1609-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 24mb total:"
+ - "L0 "
+ - "L0.?[1686856182783783763,1686856473054054036] 1686936871.55s 24mb|-----------------------------------------L0.?------------------------------------------| "
+ - "L0.?[1686856473054054037,1686856473054054039] 1686936871.55s 1b |L0.?|"
+ - "**** Simulation run 431, type=split(ReduceOverlap)(split_times=[1686856473054054036]). 1 Input Files, 4mb total:"
+ - "L0, all files 4mb "
+ - "L0.1607[1686856182783783763,1686856473054054039] 1686936871.55s|----------------------------------------L0.1607-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
+ - "L0 "
+ - "L0.?[1686856182783783763,1686856473054054036] 1686936871.55s 4mb|-----------------------------------------L0.?------------------------------------------| "
+ - "L0.?[1686856473054054037,1686856473054054039] 1686936871.55s 1b |L0.?|"
+ - "**** Simulation run 432, type=split(ReduceOverlap)(split_times=[1686857216145945927, 1686857724225846697]). 1 Input Files, 9mb total:"
+ - "L0, all files 9mb "
+ - "L0.1615[1686857053594594572,1686857924405405380] 1686936871.55s|----------------------------------------L0.1615-----------------------------------------|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 9mb total:"
+ - "L0 "
+ - "L0.?[1686857053594594572,1686857216145945927] 1686936871.55s 2mb|-----L0.?-----| "
+ - "L0.?[1686857216145945928,1686857724225846697] 1686936871.55s 5mb |-----------------------L0.?-----------------------| "
+ - "L0.?[1686857724225846698,1686857924405405380] 1686936871.55s 2mb |-------L0.?-------| "
+ - "**** Simulation run 433, type=split(ReduceOverlap)(split_times=[1686857959237837817, 1686858702329729707]). 1 Input Files, 9mb total:"
+ - "L0, all files 9mb "
+ - "L0.1616[1686857924405405381,1686858795216216189] 1686936871.55s|----------------------------------------L0.1616-----------------------------------------|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 9mb total:"
+ - "L0 "
+ - "L0.?[1686857924405405381,1686857959237837817] 1686936871.55s 374kb|L0.?| "
+ - "L0.?[1686857959237837818,1686858702329729707] 1686936871.55s 8mb |-----------------------------------L0.?-----------------------------------| "
+ - "L0.?[1686858702329729708,1686858795216216189] 1686936871.55s 998kb |-L0.?--| "
+ - "**** Simulation run 434, type=split(ReduceOverlap)(split_times=[1686858975397639357]). 1 Input Files, 2mb total:"
+ - "L0, all files 2mb "
+ - "L0.1617[1686858795216216190,1686859027432432416] 1686936871.55s|----------------------------------------L0.1617-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 2mb total:"
+ - "L0 "
+ - "L0.?[1686858795216216190,1686858975397639357] 1686936871.55s 2mb|-------------------------------L0.?--------------------------------| "
+ - "L0.?[1686858975397639358,1686859027432432416] 1686936871.55s 559kb |-------L0.?-------| "
+ - "**** Simulation run 435, type=split(ReduceOverlap)(split_times=[1686859589566760129]). 1 Input Files, 7mb total:"
+ - "L0, all files 7mb "
+ - "L0.1625[1686859027432432417,1686859666027026998] 1686936871.55s|----------------------------------------L0.1625-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 7mb total:"
+ - "L0 "
+ - "L0.?[1686859027432432417,1686859589566760129] 1686936871.55s 6mb|------------------------------------L0.?-------------------------------------| "
+ - "L0.?[1686859589566760130,1686859666027026998] 1686936871.55s 821kb |--L0.?--| "
+ - "**** Simulation run 436, type=split(ReduceOverlap)(split_times=[1686859589566760129]). 1 Input Files, 553kb total:"
+ - "L0, all files 553kb "
+ - "L0.1627[1686859499000000001,1686859666027026998] 1686936871.55s|----------------------------------------L0.1627-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 553kb total:"
+ - "L0 "
+ - "L0.?[1686859499000000001,1686859589566760129] 1686936871.55s 300kb|---------------------L0.?---------------------| "
+ - "L0.?[1686859589566760130,1686859666027026998] 1686936871.55s 253kb |-----------------L0.?------------------| "
+ - "**** Simulation run 437, type=split(ReduceOverlap)(split_times=[1686860002800686531, 1686860203735880900]). 1 Input Files, 73mb total:"
+ - "L0, all files 73mb "
+ - "L0.1631[1686859666027027011,1686860536837837807] 1686936871.55s|----------------------------------------L0.1631-----------------------------------------|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 73mb total:"
+ - "L0 "
+ - "L0.?[1686859666027027011,1686860002800686531] 1686936871.55s 28mb|--------------L0.?--------------| "
+ - "L0.?[1686860002800686532,1686860203735880900] 1686936871.55s 17mb |-------L0.?-------| "
+ - "L0.?[1686860203735880901,1686860536837837807] 1686936871.55s 28mb |--------------L0.?--------------| "
+ - "**** Simulation run 438, type=split(ReduceOverlap)(split_times=[1686860203735880900]). 1 Input Files, 2mb total:"
+ - "L0, all files 2mb "
+ - "L0.1633[1686860002800686532,1686860536837837807] 1686936871.55s|----------------------------------------L0.1633-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 2mb total:"
+ - "L0 "
+ - "L0.?[1686860002800686532,1686860203735880900] 1686936871.55s 827kb|-------------L0.?--------------| "
+ - "L0.?[1686860203735880901,1686860536837837807] 1686936871.55s 1mb |-------------------------L0.?-------------------------| "
+ - "**** Simulation run 439, type=split(ReduceOverlap)(split_times=[1686860817905001671, 1686861030203733704]). 1 Input Files, 4mb total:"
+ - "L0, all files 4mb "
+ - "L0.1634[1686860536837837808,1686861407648648616] 1686936871.55s|----------------------------------------L0.1634-----------------------------------------|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 4mb total:"
+ - "L0 "
+ - "L0.?[1686860536837837808,1686860817905001671] 1686936871.55s 1mb|-----------L0.?------------| "
+ - "L0.?[1686860817905001672,1686861030203733704] 1686936871.55s 874kb |-------L0.?--------| "
+ - "L0.?[1686861030203733705,1686861407648648616] 1686936871.55s 2mb |----------------L0.?-----------------| "
+ - "**** Simulation run 440, type=split(ReduceOverlap)(split_times=[1686860817905001671]). 1 Input Files, 27mb total:"
+ - "L0, all files 27mb "
+ - "L0.1632[1686860536837837808,1686860866085039343] 1686936871.55s|----------------------------------------L0.1632-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 27mb total:"
+ - "L0 "
+ - "L0.?[1686860536837837808,1686860817905001671] 1686936871.55s 23mb|-----------------------------------L0.?-----------------------------------| "
+ - "L0.?[1686860817905001672,1686860866085039343] 1686936871.55s 4mb |---L0.?----| "
+ - "**** Simulation run 441, type=split(ReduceOverlap)(split_times=[1686861030203733704]). 1 Input Files, 45mb total:"
+ - "L0, all files 45mb "
+ - "L0.1639[1686860866085039344,1686861407648648616] 1686936871.55s|----------------------------------------L0.1639-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 45mb total:"
+ - "L0 "
+ - "L0.?[1686860866085039344,1686861030203733704] 1686936871.55s 14mb|----------L0.?-----------| "
+ - "L0.?[1686861030203733705,1686861407648648616] 1686936871.55s 31mb |----------------------------L0.?----------------------------| "
+ - "**** Simulation run 442, type=split(ReduceOverlap)(split_times=[1686862070968521403]). 1 Input Files, 4mb total:"
+ - "L0, all files 4mb "
+ - "L0.1635[1686861407648648617,1686862278459459425] 1686936871.55s|----------------------------------------L0.1635-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 4mb total:"
+ - "L0 "
+ - "L0.?[1686861407648648617,1686862070968521403] 1686936871.55s 3mb|-------------------------------L0.?-------------------------------| "
+ - "L0.?[1686862070968521404,1686862278459459425] 1686936871.55s 854kb |-------L0.?--------| "
+ - "**** Simulation run 443, type=split(ReduceOverlap)(split_times=[1686862070968521403]). 1 Input Files, 18mb total:"
+ - "L0, all files 18mb "
+ - "L0.1643[1686862066143051676,1686862278459459425] 1686936871.55s|----------------------------------------L0.1643-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 18mb total:"
+ - "L0 "
+ - "L0.?[1686862066143051676,1686862070968521403] 1686936871.55s 412kb|L0.?| "
+ - "L0.?[1686862070968521404,1686862278459459425] 1686936871.55s 17mb |----------------------------------------L0.?-----------------------------------------| "
+ - "**** Simulation run 444, type=split(ReduceOverlap)(split_times=[1686863111733309101]). 1 Input Files, 22mb total:"
+ - "L0, all files 22mb "
+ - "L0.1647[1686862975108108078,1686863149270270234] 1686936871.55s|----------------------------------------L0.1647-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 22mb total:"
+ - "L0 "
+ - "L0.?[1686862975108108078,1686863111733309101] 1686936871.55s 17mb|--------------------------------L0.?--------------------------------| "
+ - "L0.?[1686863111733309102,1686863149270270234] 1686936871.55s 5mb |------L0.?-------| "
+ - "**** Simulation run 445, type=split(ReduceOverlap)(split_times=[1686863903972972940]). 1 Input Files, 32mb total:"
+ - "L0, all files 32mb "
+ - "L0.1651[1686863763854983773,1686864020081081043] 1686936871.55s|----------------------------------------L0.1651-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 32mb total:"
+ - "L0 "
+ - "L0.?[1686863763854983773,1686863903972972940] 1686936871.55s 18mb|---------------------L0.?----------------------| "
+ - "L0.?[1686863903972972941,1686864020081081043] 1686936871.55s 15mb |-----------------L0.?-----------------| "
+ - "**** Simulation run 446, type=split(ReduceOverlap)(split_times=[1686864651607515459, 1686864832837837803]). 1 Input Files, 43mb total:"
+ - "L0, all files 43mb "
+ - "L0.1655[1686864552601859467,1686864890891891852] 1686936871.55s|----------------------------------------L0.1655-----------------------------------------|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 43mb total:"
+ - "L0 "
+ - "L0.?[1686864552601859467,1686864651607515459] 1686936871.55s 13mb|----------L0.?----------| "
+ - "L0.?[1686864651607515460,1686864832837837803] 1686936871.55s 23mb |---------------------L0.?---------------------| "
+ - "L0.?[1686864832837837804,1686864890891891852] 1686936871.55s 7mb |----L0.?-----| "
+ - "**** Simulation run 447, type=split(ReduceOverlap)(split_times=[1686864832837837803]). 1 Input Files, 8mb total:"
+ - "L0, all files 8mb "
+ - "L0.1657[1686864651607515460,1686864890891891852] 1686936871.55s|----------------------------------------L0.1657-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 8mb total:"
+ - "L0 "
+ - "L0.?[1686864651607515460,1686864832837837803] 1686936871.55s 6mb|-------------------------------L0.?-------------------------------| "
+ - "L0.?[1686864832837837804,1686864890891891852] 1686936871.55s 2mb |-------L0.?--------| "
+ - "**** Simulation run 448, type=split(ReduceOverlap)(split_times=[1686865761702702680]). 1 Input Files, 94mb total:"
+ - "L0, all files 94mb "
+ - "L0.1663[1686865761702702662,1686866540230594239] 1686936871.55s|----------------------------------------L0.1663----------------------------------------| "
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 94mb total:"
+ - "L0 "
+ - "L0.?[1686865761702702662,1686865761702702680] 1686936871.55s 0b|L0.?| "
+ - "L0.?[1686865761702702681,1686866540230594239] 1686936871.55s 94mb|-----------------------------------------L0.?------------------------------------------| "
+ - "**** Simulation run 449, type=split(ReduceOverlap)(split_times=[1686867503324324300, 1686867659000000000, 1686867839000000000]). 1 Input Files, 100mb total:"
+ - "L0, all files 100mb "
+ - "L0.1561[1686867299592048858,1686867966670584223] 1686936871.55s|----------------------------------------L0.1561-----------------------------------------|"
+ - "**** 4 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L0 "
+ - "L0.?[1686867299592048858,1686867503324324300] 1686936871.55s 31mb|----------L0.?-----------| "
+ - "L0.?[1686867503324324301,1686867659000000000] 1686936871.55s 23mb |-------L0.?--------| "
+ - "L0.?[1686867659000000001,1686867839000000000] 1686936871.55s 27mb |---------L0.?---------| "
+ - "L0.?[1686867839000000001,1686867966670584223] 1686936871.55s 19mb |-----L0.?------| "
+ - "**** Simulation run 450, type=split(ReduceOverlap)(split_times=[1686869244945945920]). 1 Input Files, 96mb total:"
+ - "L0, all files 96mb "
+ - "L0.1668[1686868931238859877,1686869516837837819] 1686936871.55s|----------------------------------------L0.1668-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 96mb total:"
+ - "L0 "
+ - "L0.?[1686868931238859877,1686869244945945920] 1686936871.55s 51mb|---------------------L0.?---------------------| "
+ - "L0.?[1686869244945945921,1686869516837837819] 1686936871.55s 44mb |-----------------L0.?------------------| "
+ - "**** Simulation run 451, type=split(ReduceOverlap)(split_times=[1686871857378378350]). 1 Input Files, 45mb total:"
+ - "L0, all files 45mb "
+ - "L0.1677[1686871857378378350,1686872106056369133] 1686936871.55s|----------------------------------------L0.1677-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 45mb total:"
+ - "L0 "
+ - "L0.?[1686871857378378350,1686871857378378350] 1686936871.55s 0b|L0.?| "
+ - "L0.?[1686871857378378351,1686872106056369133] 1686936871.55s 45mb|-----------------------------------------L0.?------------------------------------------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 40 files: L0.1517, L0.1520, L0.1534, L0.1561, L0.1565, L0.1569, L0.1575, L0.1579, L0.1585, L0.1589, L0.1590, L0.1594, L0.1598, L0.1599, L0.1600, L0.1601, L0.1607, L0.1609, L0.1613, L0.1615, L0.1616, L0.1617, L0.1618, L0.1619, L0.1625, L0.1627, L0.1631, L0.1632, L0.1633, L0.1634, L0.1635, L0.1639, L0.1643, L0.1647, L0.1651, L0.1655, L0.1657, L0.1663, L0.1668, L0.1677"
+ - " Creating 93 files"
+ - "**** Simulation run 452, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[1686857087331457301, 1686857701608860565]). 11 Input Files, 242mb total:"
+ - "L0 "
+ - "L0.1612[1686856473054054040,1686857053594594571] 1686935947.46s 48mb|-------------L0.1612-------------| "
+ - "L0.1678[1686857053594594572,1686857216145945927] 1686935947.46s 13mb |L0.1678| "
+ - "L0.1679[1686857216145945928,1686857679795016021] 1686935947.46s 38mb |---------L0.1679----------| "
+ - "L0.1680[1686857679795016022,1686857724225846697] 1686935947.46s 4mb |L0.1680| "
+ - "L0.1681[1686857724225846698,1686857924405405380] 1686935947.46s 17mb |-L0.1681--| "
+ - "L0.1682[1686857924405405381,1686857959237837817] 1686935947.46s 3mb |L0.1682|"
+ - "L1 "
+ - "L1.1610[1686856473054054037,1686857053594594571] 1686932677.39s 46mb|-------------L1.1610-------------| "
+ - "L1.1611[1686857053594594572,1686857216145945927] 1686932677.39s 13mb |L1.1611| "
+ - "L1.1444[1686857216145945928,1686857724225846697] 1686932677.39s 41mb |----------L1.1444-----------| "
+ - "L1.1621[1686857724225846698,1686857924405405380] 1686932677.39s 16mb |-L1.1621--| "
+ - "L1.1622[1686857924405405381,1686857959237837817] 1686932677.39s 3mb |L1.1622|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 242mb total:"
+ - "L1 "
+ - "L1.?[1686856473054054037,1686857087331457301] 1686935947.46s 100mb|---------------L1.?----------------| "
+ - "L1.?[1686857087331457302,1686857701608860565] 1686935947.46s 100mb |---------------L1.?----------------| "
+ - "L1.?[1686857701608860566,1686857959237837817] 1686935947.46s 42mb |----L1.?-----| "
+ - "Committing partition 1:"
+ - " Soft Deleting 11 files: L1.1444, L1.1610, L1.1611, L0.1612, L1.1621, L1.1622, L0.1678, L0.1679, L0.1680, L0.1681, L0.1682"
+ - " Creating 3 files"
+ - "**** Simulation run 453, type=split(ReduceOverlap)(split_times=[1686857087331457301]). 1 Input Files, 2mb total:"
+ - "L0, all files 2mb "
+ - "L0.1724[1686857053594594572,1686857216145945927] 1686936871.55s|----------------------------------------L0.1724-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 2mb total:"
+ - "L0 "
+ - "L0.?[1686857053594594572,1686857087331457301] 1686936871.55s 362kb|------L0.?------| "
+ - "L0.?[1686857087331457302,1686857216145945927] 1686936871.55s 1mb |--------------------------------L0.?---------------------------------| "
+ - "**** Simulation run 454, type=split(ReduceOverlap)(split_times=[1686857701608860565]). 1 Input Files, 5mb total:"
+ - "L0, all files 5mb "
+ - "L0.1725[1686857216145945928,1686857724225846697] 1686936871.55s|----------------------------------------L0.1725-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 5mb total:"
+ - "L0 "
+ - "L0.?[1686857216145945928,1686857701608860565] 1686936871.55s 5mb|---------------------------------------L0.?----------------------------------------| "
+ - "L0.?[1686857701608860566,1686857724225846697] 1686936871.55s 243kb |L0.?|"
+ - "Committing partition 1:"
+ - " Soft Deleting 2 files: L0.1724, L0.1725"
+ - " Creating 4 files"
+ - "**** Simulation run 455, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[1686858566228295774, 1686859173218753730]). 9 Input Files, 269mb total:"
+ - "L0 "
+ - "L0.1683[1686857959237837818,1686858702329729707] 1686935947.46s 62mb|----------------L0.1683----------------| "
+ - "L0.1684[1686858702329729708,1686858795216216189] 1686935947.46s 8mb |L0.1684| "
+ - "L0.1620[1686858795216216190,1686858886535978002] 1686935947.46s 8mb |L0.1620| "
+ - "L0.1685[1686858886535978003,1686858975397639357] 1686935947.46s 7mb |L0.1685| "
+ - "L0.1686[1686858975397639358,1686859499000000000] 1686935947.46s 43mb |---------L0.1686----------| "
+ - "L1 "
+ - "L1.1450[1686857959237837818,1686858702329729707] 1686932677.39s 59mb|----------------L1.1450----------------| "
+ - "L1.1623[1686858702329729708,1686858795216216189] 1686932677.39s 7mb |L1.1623| "
+ - "L1.1624[1686858795216216190,1686858975397639357] 1686932677.39s 14mb |L1.1624| "
+ - "L1.1479[1686858975397639358,1686859589566760129] 1686932677.39s 60mb |------------L1.1479------------| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 269mb total:"
+ - "L1 "
+ - "L1.?[1686857959237837818,1686858566228295774] 1686935947.46s 100mb|-------------L1.?--------------| "
+ - "L1.?[1686858566228295775,1686859173218753730] 1686935947.46s 100mb |-------------L1.?--------------| "
+ - "L1.?[1686859173218753731,1686859589566760129] 1686935947.46s 69mb |--------L1.?--------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 9 files: L1.1450, L1.1479, L0.1620, L1.1623, L1.1624, L0.1683, L0.1684, L0.1685, L0.1686"
+ - " Creating 3 files"
+ - "**** Simulation run 456, type=split(ReduceOverlap)(split_times=[1686858566228295774]). 1 Input Files, 8mb total:"
+ - "L0, all files 8mb "
+ - "L0.1728[1686857959237837818,1686858702329729707] 1686936871.55s|----------------------------------------L0.1728-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 8mb total:"
+ - "L0 "
+ - "L0.?[1686857959237837818,1686858566228295774] 1686936871.55s 6mb|---------------------------------L0.?----------------------------------| "
+ - "L0.?[1686858566228295775,1686858702329729707] 1686936871.55s 1mb |-----L0.?-----| "
+ - "**** Simulation run 457, type=split(ReduceOverlap)(split_times=[1686859173218753730]). 1 Input Files, 6mb total:"
+ - "L0, all files 6mb "
+ - "L0.1732[1686859027432432417,1686859589566760129] 1686936871.55s|----------------------------------------L0.1732-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 6mb total:"
+ - "L0 "
+ - "L0.?[1686859027432432417,1686859173218753730] 1686936871.55s 2mb|--------L0.?---------| "
+ - "L0.?[1686859173218753731,1686859589566760129] 1686936871.55s 4mb |------------------------------L0.?------------------------------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 2 files: L0.1728, L0.1732"
+ - " Creating 4 files"
+ - "**** Simulation run 458, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[1686841969006279730, 1686842559012559460]). 5 Input Files, 202mb total:"
+ - "L0 "
+ - "L0.1563[1686841379000000000,1686842540081081080] 1686936871.55s 99mb|---------------------------------------L0.1563---------------------------------------| "
+ - "L0.1564[1686842540081081081,1686842547242379893] 1686936871.55s 628kb |L0.1564|"
+ - "L0.1687[1686842547242379894,1686842571022320444] 1686936871.55s 2mb |L0.1687|"
+ - "L1 "
+ - "L1.1340[1686841379000000000,1686842540081081080] 1686932677.39s 97mb|---------------------------------------L1.1340---------------------------------------| "
+ - "L1.1341[1686842540081081081,1686842571022320444] 1686932677.39s 3mb |L1.1341|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 202mb total:"
+ - "L1 "
+ - "L1.?[1686841379000000000,1686841969006279730] 1686936871.55s 100mb|-------------------L1.?-------------------| "
+ - "L1.?[1686841969006279731,1686842559012559460] 1686936871.55s 100mb |-------------------L1.?-------------------| "
+ - "L1.?[1686842559012559461,1686842571022320444] 1686936871.55s 2mb |L1.?|"
+ - "Committing partition 1:"
+ - " Soft Deleting 5 files: L1.1340, L1.1341, L0.1563, L0.1564, L0.1687"
+ - " Creating 3 files"
+ - "**** Simulation run 459, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[1686843161028605744, 1686843751034891043]). 5 Input Files, 202mb total:"
+ - "L0 "
+ - "L0.1688[1686842571022320445,1686843701162162160] 1686936871.55s 97mb|--------------------------------------L0.1688--------------------------------------| "
+ - "L0.1566[1686843701162162161,1686843715484759786] 1686936871.55s 1mb |L0.1566|"
+ - "L0.1689[1686843715484759787,1686843763044640888] 1686936871.55s 4mb |L0.1689|"
+ - "L1 "
+ - "L1.1346[1686842571022320445,1686843701162162160] 1686932677.39s 95mb|--------------------------------------L1.1346--------------------------------------| "
+ - "L1.1347[1686843701162162161,1686843763044640888] 1686932677.39s 5mb |L1.1347|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 202mb total:"
+ - "L1 "
+ - "L1.?[1686842571022320445,1686843161028605744] 1686936871.55s 100mb|-------------------L1.?-------------------| "
+ - "L1.?[1686843161028605745,1686843751034891043] 1686936871.55s 100mb |-------------------L1.?-------------------| "
+ - "L1.?[1686843751034891044,1686843763044640888] 1686936871.55s 2mb |L1.?|"
+ - "Committing partition 1:"
+ - " Soft Deleting 5 files: L1.1346, L1.1347, L0.1566, L0.1688, L0.1689"
+ - " Creating 3 files"
+ - "**** Simulation run 460, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[1686844353050911219]). 2 Input Files, 186mb total:"
+ - "L0 "
+ - "L0.1690[1686843763044640889,1686844862243243240] 1686936871.55s 94mb|----------------------------------------L0.1690-----------------------------------------|"
+ - "L1 "
+ - "L1.1339[1686843763044640889,1686844862243243240] 1686932677.39s 92mb|----------------------------------------L1.1339-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 186mb total:"
+ - "L1 "
+ - "L1.?[1686843763044640889,1686844353050911219] 1686936871.55s 100mb|---------------------L1.?---------------------| "
+ - "L1.?[1686844353050911220,1686844862243243240] 1686936871.55s 86mb |-----------------L1.?------------------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 2 files: L1.1339, L0.1690"
+ - " Creating 2 files"
+ - "**** Simulation run 461, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[1686845452373250763, 1686846042503258285]). 5 Input Files, 202mb total:"
+ - "L0 "
+ - "L0.1567[1686844862243243241,1686846023324324320] 1686936871.55s 99mb|---------------------------------------L0.1567---------------------------------------| "
+ - "L0.1568[1686846023324324321,1686846030485623133] 1686936871.55s 628kb |L0.1568|"
+ - "L0.1691[1686846030485623134,1686846054770701976] 1686936871.55s 2mb |L0.1691|"
+ - "L1 "
+ - "L1.1363[1686844862243243241,1686846023324324320] 1686932677.39s 97mb|---------------------------------------L1.1363---------------------------------------| "
+ - "L1.1364[1686846023324324321,1686846054770701976] 1686932677.39s 3mb |L1.1364|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 202mb total:"
+ - "L1 "
+ - "L1.?[1686844862243243241,1686845452373250763] 1686936871.55s 100mb|-------------------L1.?-------------------| "
+ - "L1.?[1686845452373250764,1686846042503258285] 1686936871.55s 100mb |-------------------L1.?-------------------| "
+ - "L1.?[1686846042503258286,1686846054770701976] 1686936871.55s 2mb |L1.?|"
+ - "Committing partition 1:"
+ - " Soft Deleting 5 files: L1.1363, L1.1364, L0.1567, L0.1568, L0.1691"
+ - " Creating 3 files"
+ - "**** Simulation run 462, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[1686846644900712284, 1686847235030722591]). 5 Input Files, 202mb total:"
+ - "L0 "
+ - "L0.1692[1686846054770701977,1686847184405405399] 1686936871.55s 97mb|--------------------------------------L0.1692--------------------------------------| "
+ - "L0.1570[1686847184405405400,1686847198728003025] 1686936871.55s 1mb |L0.1570|"
+ - "L0.1693[1686847198728003026,1686847247298160711] 1686936871.55s 4mb |L0.1693|"
+ - "L1 "
+ - "L1.1369[1686846054770701977,1686847184405405399] 1686932677.39s 95mb|--------------------------------------L1.1369--------------------------------------| "
+ - "L1.1370[1686847184405405400,1686847247298160711] 1686932677.39s 5mb |L1.1370|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 202mb total:"
+ - "L1 "
+ - "L1.?[1686846054770701977,1686846644900712284] 1686936871.55s 100mb|-------------------L1.?-------------------| "
+ - "L1.?[1686846644900712285,1686847235030722591] 1686936871.55s 100mb |-------------------L1.?-------------------| "
+ - "L1.?[1686847235030722592,1686847247298160711] 1686936871.55s 2mb |L1.?|"
+ - "Committing partition 1:"
+ - " Soft Deleting 5 files: L1.1369, L1.1370, L0.1570, L0.1692, L0.1693"
+ - " Creating 3 files"
+ - "**** Simulation run 463, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[1686847837428156951]). 2 Input Files, 186mb total:"
+ - "L0 "
+ - "L0.1694[1686847247298160712,1686848345486486480] 1686936871.55s 94mb|----------------------------------------L0.1694-----------------------------------------|"
+ - "L1 "
+ - "L1.1362[1686847247298160712,1686848345486486480] 1686932677.39s 92mb|----------------------------------------L1.1362-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 186mb total:"
+ - "L1 "
+ - "L1.?[1686847247298160712,1686847837428156951] 1686936871.55s 100mb|---------------------L1.?---------------------| "
+ - "L1.?[1686847837428156952,1686848345486486480] 1686936871.55s 86mb |-----------------L1.?------------------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 2 files: L1.1362, L0.1694"
+ - " Creating 2 files"
+ - "**** Simulation run 464, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[1686848934953137039, 1686849524419787597]). 9 Input Files, 295mb total:"
+ - "L0 "
+ - "L0.1573[1686848345486486481,1686849216297297290] 1686936871.55s 76mb|------------------L0.1573------------------| "
+ - "L0.1574[1686849216297297291,1686849491497710570] 1686936871.55s 24mb |--L0.1574---| "
+ - "L0.1695[1686849491497710571,1686849506567567560] 1686936871.55s 1mb |L0.1695| "
+ - "L0.1696[1686849506567567561,1686849559289331160] 1686936871.55s 5mb |L0.1696| "
+ - "L0.1697[1686849559289331161,1686850087108108099] 1686936871.55s 46mb |---------L0.1697---------| "
+ - "L1 "
+ - "L1.1571[1686848345486486481,1686849216297297290] 1686932677.39s 72mb|------------------L1.1571------------------| "
+ - "L1.1572[1686849216297297291,1686849506567567560] 1686932677.39s 24mb |--L1.1572---| "
+ - "L1.1387[1686849506567567561,1686849559289331160] 1686932677.39s 4mb |L1.1387| "
+ - "L1.1577[1686849559289331161,1686850087108108099] 1686932677.39s 43mb |---------L1.1577---------| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 295mb total:"
+ - "L1 "
+ - "L1.?[1686848345486486481,1686848934953137039] 1686936871.55s 100mb|------------L1.?------------| "
+ - "L1.?[1686848934953137040,1686849524419787597] 1686936871.55s 100mb |------------L1.?------------| "
+ - "L1.?[1686849524419787598,1686850087108108099] 1686936871.55s 95mb |-----------L1.?------------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 9 files: L1.1387, L1.1571, L1.1572, L0.1573, L0.1574, L1.1577, L0.1695, L0.1696, L0.1697"
+ - " Creating 3 files"
+ - "**** Simulation run 465, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[1686850880662583047, 1686851674217057994]). 9 Input Files, 219mb total:"
+ - "L0 "
+ - "L0.1576[1686850087108108100,1686850637508934659] 1686936871.55s 48mb|---------L0.1576----------| "
+ - "L0.1698[1686850637508934660,1686850667648648639] 1686936871.55s 3mb |L0.1698| "
+ - "L0.1699[1686850667648648640,1686850773092175839] 1686936871.55s 9mb |L0.1699| "
+ - "L0.1700[1686850773092175840,1686850957918918908] 1686936871.55s 16mb |L0.1700| "
+ - "L0.1580[1686850957918918909,1686850957918918910] 1686936871.55s 1b |L0.1580| "
+ - "L1 "
+ - "L1.1578[1686850087108108100,1686850667648648639] 1686932677.39s 48mb|----------L1.1578-----------| "
+ - "L1.1393[1686850667648648640,1686850773092175839] 1686932677.39s 9mb |L1.1393| "
+ - "L1.1581[1686850773092175840,1686850957918918908] 1686932677.39s 15mb |L1.1581| "
+ - "L1.1582[1686850957918918909,1686851828729729717] 1686932677.39s 72mb |-----------------L1.1582------------------| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 219mb total:"
+ - "L1 "
+ - "L1.?[1686850087108108100,1686850880662583047] 1686936871.55s 100mb|-----------------L1.?------------------| "
+ - "L1.?[1686850880662583048,1686851674217057994] 1686936871.55s 100mb |-----------------L1.?------------------| "
+ - "L1.?[1686851674217057995,1686851828729729717] 1686936871.55s 19mb |L1.?-| "
+ - "Committing partition 1:"
+ - " Soft Deleting 9 files: L1.1393, L0.1576, L1.1578, L0.1580, L1.1581, L1.1582, L0.1698, L0.1699, L0.1700"
+ - " Creating 3 files"
+ - "**** Simulation run 466, type=split(ReduceOverlap)(split_times=[1686851674217057994]). 1 Input Files, 88mb total:"
+ - "L0, all files 88mb "
+ - "L0.1584[1686850957918918911,1686851828729729717] 1686936871.55s|----------------------------------------L0.1584-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 88mb total:"
+ - "L0 "
+ - "L0.?[1686850957918918911,1686851674217057994] 1686936871.55s 73mb|----------------------------------L0.?----------------------------------| "
+ - "L0.?[1686851674217057995,1686851828729729717] 1686936871.55s 16mb |----L0.?-----| "
+ - "Committing partition 1:"
+ - " Soft Deleting 1 files: L0.1584"
+ - " Creating 2 files"
+ - "**** Simulation run 467, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[1686851661119027532, 1686852441575472016]). 8 Input Files, 233mb total:"
+ - "L0 "
+ - "L0.1807[1686850957918918911,1686851674217057994] 1686936871.55s 73mb |-------------L0.1807-------------| "
+ - "L0.1808[1686851674217057995,1686851828729729717] 1686936871.55s 16mb |L0.1808| "
+ - "L0.1701[1686851828729729718,1686851828729729720] 1686936871.55s 0b |L0.1701| "
+ - "L0.1702[1686851828729729721,1686851943085513215] 1686936871.55s 12mb |L0.1702| "
+ - "L1 "
+ - "L1.1805[1686850880662583048,1686851674217057994] 1686936871.55s 100mb|---------------L1.1805---------------| "
+ - "L1.1806[1686851674217057995,1686851828729729717] 1686936871.55s 19mb |L1.1806| "
+ - "L1.1583[1686851828729729718,1686851828729729720] 1686932677.39s 1b |L1.1583| "
+ - "L1.1586[1686851828729729721,1686852699540540526] 1686931893.7s 14mb |-----------------L1.1586-----------------| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 233mb total:"
+ - "L1 "
+ - "L1.?[1686850880662583048,1686851661119027532] 1686936871.55s 100mb|----------------L1.?----------------| "
+ - "L1.?[1686851661119027533,1686852441575472016] 1686936871.55s 100mb |----------------L1.?----------------| "
+ - "L1.?[1686852441575472017,1686852699540540526] 1686936871.55s 33mb |---L1.?---| "
+ - "Committing partition 1:"
+ - " Soft Deleting 8 files: L1.1583, L1.1586, L0.1701, L0.1702, L1.1805, L1.1806, L0.1807, L0.1808"
+ - " Creating 3 files"
+ - "**** Simulation run 468, type=split(ReduceOverlap)(split_times=[1686852441575472016]). 1 Input Files, 77mb total:"
+ - "L0, all files 77mb "
+ - "L0.1588[1686851943085513216,1686852699540540526] 1686936871.55s|----------------------------------------L0.1588-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 77mb total:"
+ - "L0 "
+ - "L0.?[1686851943085513216,1686852441575472016] 1686936871.55s 51mb|--------------------------L0.?---------------------------| "
+ - "L0.?[1686852441575472017,1686852699540540526] 1686936871.55s 26mb |------------L0.?------------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 1 files: L0.1588"
+ - " Creating 2 files"
+ - "**** Simulation run 469, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[1686852290761155116, 1686852920403282699]). 8 Input Files, 292mb total:"
+ - "L0 "
+ - "L0.1812[1686851943085513216,1686852441575472016] 1686936871.55s 51mb |-------L0.1812--------| "
+ - "L0.1813[1686852441575472017,1686852699540540526] 1686936871.55s 26mb |-L0.1813--| "
+ - "L0.1703[1686852699540540527,1686852757594594584] 1686936871.55s 6mb |L0.1703| "
+ - "L0.1704[1686852757594594585,1686852928252107519] 1686936871.55s 17mb |L0.1704| "
+ - "L1 "
+ - "L1.1810[1686851661119027533,1686852441575472016] 1686936871.55s 100mb|--------------L1.1810---------------| "
+ - "L1.1811[1686852441575472017,1686852699540540526] 1686936871.55s 33mb |-L1.1811--| "
+ - "L1.1587[1686852699540540527,1686852757594594584] 1686931893.7s 927kb |L1.1587| "
+ - "L1.1409[1686852757594594585,1686853500686486475] 1686932677.39s 58mb |-------------L1.1409--------------| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 292mb total:"
+ - "L1 "
+ - "L1.?[1686851661119027533,1686852290761155116] 1686936871.55s 100mb|------------L1.?------------| "
+ - "L1.?[1686852290761155117,1686852920403282699] 1686936871.55s 100mb |------------L1.?------------| "
+ - "L1.?[1686852920403282700,1686853500686486475] 1686936871.55s 92mb |-----------L1.?-----------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 8 files: L1.1409, L1.1587, L0.1703, L0.1704, L1.1810, L1.1811, L0.1812, L0.1813"
+ - " Creating 3 files"
+ - "**** Simulation run 470, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[1686853405911193904, 1686853891419105108]). 9 Input Files, 273mb total:"
+ - "L0 "
+ - "L0.1705[1686852928252107520,1686853500686486475] 1686936871.55s 58mb|--------------L0.1705---------------| "
+ - "L0.1706[1686853500686486476,1686853570351351335] 1686936871.55s 7mb |L0.1706| "
+ - "L0.1591[1686853570351351336,1686853686459459447] 1686936871.55s 12mb |L0.1591| "
+ - "L0.1707[1686853686459459448,1686854034336087198] 1686936871.55s 28mb |-------L0.1707-------| "
+ - "L0.1708[1686854034336087199,1686854243778378365] 1686936871.55s 17mb |--L0.1708---| "
+ - "L1 "
+ - "L1.1816[1686852920403282700,1686853500686486475] 1686936871.55s 92mb|---------------L1.1816---------------| "
+ - "L1.1592[1686853500686486476,1686853570351351335] 1686932677.39s 5mb |L1.1592| "
+ - "L1.1593[1686853570351351336,1686854034336087198] 1686932677.39s 36mb |-----------L1.1593-----------| "
+ - "L1.1419[1686854034336087199,1686854243778378365] 1686932677.39s 16mb |--L1.1419---| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 273mb total:"
+ - "L1 "
+ - "L1.?[1686852920403282700,1686853405911193904] 1686936871.55s 100mb|-------------L1.?--------------| "
+ - "L1.?[1686853405911193905,1686853891419105108] 1686936871.55s 100mb |-------------L1.?--------------| "
+ - "L1.?[1686853891419105109,1686854243778378365] 1686936871.55s 73mb |--------L1.?---------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 9 files: L1.1419, L0.1591, L1.1592, L1.1593, L0.1705, L0.1706, L0.1707, L0.1708, L1.1816"
+ - " Creating 3 files"
+ - "**** Simulation run 471, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[1686854840368603300, 1686855436958828234]). 15 Input Files, 249mb total:"
+ - "L0 "
+ - "L0.1709[1686854243778378366,1686854441162162144] 1686936871.55s 16mb|-L0.1709-| "
+ - "L0.1595[1686854441162162145,1686854918102788682] 1686936871.55s 39mb |---------L0.1595----------| "
+ - "L0.1710[1686854819000000001,1686854986870270255] 1686936871.55s 2mb |L0.1710-| "
+ - "L0.1713[1686854918102788683,1686854986870270255] 1686936871.55s 6mb |L0.1713| "
+ - "L0.1711[1686854986870270256,1686855311077579811] 1686936871.55s 4mb |-----L0.1711-----| "
+ - "L0.1714[1686854986870270256,1686855311077579811] 1686936871.55s 26mb |-----L0.1714-----| "
+ - "L0.1712[1686855311077579812,1686855311972972953] 1686936871.55s 12kb |L0.1712| "
+ - "L0.1715[1686855311077579812,1686855311972972953] 1686936871.55s 74kb |L0.1715| "
+ - "L0.1716[1686855311972972954,1686855729962162145] 1686936871.55s 34mb |--------L0.1716--------| "
+ - "L0.1718[1686855311972972954,1686855729962162145] 1686936871.55s 6mb |--------L0.1718--------| "
+ - "L1 "
+ - "L1.1596[1686854243778378366,1686854441162162144] 1686932677.39s 15mb|-L1.1596-| "
+ - "L1.1597[1686854441162162145,1686854986870270255] 1686932677.39s 43mb |------------L1.1597------------| "
+ - "L1.1421[1686854986870270256,1686855311077579811] 1686932677.39s 25mb |-----L1.1421-----| "
+ - "L1.1602[1686855311077579812,1686855311972972953] 1686932677.39s 72kb |L1.1602| "
+ - "L1.1603[1686855311972972954,1686855729962162145] 1686932677.39s 33mb |--------L1.1603--------| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 249mb total:"
+ - "L1 "
+ - "L1.?[1686854243778378366,1686854840368603300] 1686936871.55s 100mb|---------------L1.?---------------| "
+ - "L1.?[1686854840368603301,1686855436958828234] 1686936871.55s 100mb |---------------L1.?---------------| "
+ - "L1.?[1686855436958828235,1686855729962162145] 1686936871.55s 49mb |-----L1.?------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 15 files: L1.1421, L0.1595, L1.1596, L1.1597, L1.1602, L1.1603, L0.1709, L0.1710, L0.1711, L0.1712, L0.1713, L0.1714, L0.1715, L0.1716, L0.1718"
+ - " Creating 3 files"
+ - "**** Simulation run 472, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[1686856308052485466, 1686856886142808786]). 13 Input Files, 235mb total:"
+ - "L0 "
+ - "L0.1719[1686855729962162146,1686856142243243231] 1686936871.55s 5mb|---------L0.1719---------| "
+ - "L0.1717[1686855729962162146,1686856149746117916] 1686936871.55s 34mb|---------L0.1717---------| "
+ - "L0.1606[1686856142243243232,1686856182783783762] 1686936871.55s 549kb |L0.1606| "
+ - "L0.1608[1686856149746117917,1686856182783783762] 1686936871.55s 3mb |L0.1608| "
+ - "L0.1722[1686856182783783763,1686856473054054036] 1686936871.55s 4mb |-----L0.1722-----| "
+ - "L0.1720[1686856182783783763,1686856473054054036] 1686936871.55s 24mb |-----L0.1720-----| "
+ - "L0.1723[1686856473054054037,1686856473054054039] 1686936871.55s 1b |L0.1723| "
+ - "L0.1721[1686856473054054037,1686856473054054039] 1686936871.55s 1b |L0.1721| "
+ - "L0.1614[1686856473054054040,1686857053594594571] 1686936871.55s 6mb |--------------L0.1614---------------| "
+ - "L0.1774[1686857053594594572,1686857087331457301] 1686936871.55s 362kb |L0.1774|"
+ - "L1 "
+ - "L1.1604[1686855729962162146,1686856182783783762] 1686932677.39s 35mb|----------L1.1604-----------| "
+ - "L1.1605[1686856182783783763,1686856473054054036] 1686932677.39s 23mb |-----L1.1605-----| "
+ - "L1.1771[1686856473054054037,1686857087331457301] 1686935947.46s 100mb |---------------L1.1771----------------| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 235mb total:"
+ - "L1 "
+ - "L1.?[1686855729962162146,1686856308052485466] 1686936871.55s 100mb|----------------L1.?----------------| "
+ - "L1.?[1686856308052485467,1686856886142808786] 1686936871.55s 100mb |----------------L1.?----------------| "
+ - "L1.?[1686856886142808787,1686857087331457301] 1686936871.55s 35mb |---L1.?----| "
+ - "Committing partition 1:"
+ - " Soft Deleting 13 files: L1.1604, L1.1605, L0.1606, L0.1608, L0.1614, L0.1717, L0.1719, L0.1720, L0.1721, L0.1722, L0.1723, L1.1771, L0.1774"
+ - " Creating 3 files"
+ - "**** Simulation run 473, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[1686857661762616884, 1686858236193776466]). 9 Input Files, 257mb total:"
+ - "L0 "
+ - "L0.1775[1686857087331457302,1686857216145945927] 1686936871.55s 1mb|L0.1775| "
+ - "L0.1776[1686857216145945928,1686857701608860565] 1686936871.55s 5mb |----------L0.1776----------| "
+ - "L0.1777[1686857701608860566,1686857724225846697] 1686936871.55s 243kb |L0.1777| "
+ - "L0.1726[1686857724225846698,1686857924405405380] 1686936871.55s 2mb |-L0.1726--| "
+ - "L0.1727[1686857924405405381,1686857959237837817] 1686936871.55s 374kb |L0.1727| "
+ - "L0.1781[1686857959237837818,1686858566228295774] 1686936871.55s 6mb |-------------L0.1781--------------| "
+ - "L1 "
+ - "L1.1772[1686857087331457302,1686857701608860565] 1686935947.46s 100mb|--------------L1.1772--------------| "
+ - "L1.1773[1686857701608860566,1686857959237837817] 1686935947.46s 42mb |---L1.1773---| "
+ - "L1.1778[1686857959237837818,1686858566228295774] 1686935947.46s 100mb |-------------L1.1778--------------| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 257mb total:"
+ - "L1 "
+ - "L1.?[1686857087331457302,1686857661762616884] 1686936871.55s 100mb|--------------L1.?--------------| "
+ - "L1.?[1686857661762616885,1686858236193776466] 1686936871.55s 100mb |--------------L1.?--------------| "
+ - "L1.?[1686858236193776467,1686858566228295774] 1686936871.55s 57mb |-------L1.?-------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 9 files: L0.1726, L0.1727, L1.1772, L1.1773, L0.1775, L0.1776, L0.1777, L1.1778, L0.1781"
+ - " Creating 3 files"
+ - "**** Simulation run 474, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[1686859138657133582, 1686859711085971389]). 19 Input Files, 286mb total:"
+ - "L0 "
+ - "L0.1782[1686858566228295775,1686858702329729707] 1686936871.55s 1mb|L0.1782| "
+ - "L0.1729[1686858702329729708,1686858795216216189] 1686936871.55s 998kb |L0.1729| "
+ - "L0.1730[1686858795216216190,1686858975397639357] 1686936871.55s 2mb |L0.1730| "
+ - "L0.1731[1686858975397639358,1686859027432432416] 1686936871.55s 559kb |L0.1731| "
+ - "L0.1783[1686859027432432417,1686859173218753730] 1686936871.55s 2mb |L0.1783| "
+ - "L0.1784[1686859173218753731,1686859589566760129] 1686936871.55s 4mb |------L0.1784-------| "
+ - "L0.1734[1686859499000000001,1686859589566760129] 1686936871.55s 300kb |L0.1734| "
+ - "L0.1735[1686859589566760130,1686859666027026998] 1686936871.55s 253kb |L0.1735| "
+ - "L0.1733[1686859589566760130,1686859666027026998] 1686936871.55s 821kb |L0.1733| "
+ - "L0.1626[1686859666027026999,1686859666027027010] 1686936871.55s 1b |L0.1626| "
+ - "L0.1628[1686859666027026999,1686859666027027010] 1686936871.55s 1b |L0.1628| "
+ - "L0.1736[1686859666027027011,1686860002800686531] 1686936871.55s 28mb |----L0.1736-----| "
+ - "L0.1739[1686860002800686532,1686860203735880900] 1686936871.55s 827kb |-L0.1739-| "
+ - "L0.1737[1686860002800686532,1686860203735880900] 1686936871.55s 17mb |-L0.1737-| "
+ - "L1 "
+ - "L1.1779[1686858566228295775,1686859173218753730] 1686935947.46s 100mb|------------L1.1779------------| "
+ - "L1.1780[1686859173218753731,1686859589566760129] 1686935947.46s 69mb |------L1.1780-------| "
+ - "L1.1629[1686859589566760130,1686859666027026998] 1686932677.39s 7mb |L1.1629| "
+ - "L1.1630[1686859666027026999,1686860002800686531] 1686932677.39s 33mb |----L1.1630-----| "
+ - "L1.1485[1686860002800686532,1686860203735880900] 1686932677.39s 20mb |-L1.1485-| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 286mb total:"
+ - "L1 "
+ - "L1.?[1686858566228295775,1686859138657133582] 1686936871.55s 100mb|------------L1.?-------------| "
+ - "L1.?[1686859138657133583,1686859711085971389] 1686936871.55s 100mb |------------L1.?-------------| "
+ - "L1.?[1686859711085971390,1686860203735880900] 1686936871.55s 86mb |----------L1.?-----------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 19 files: L1.1485, L0.1626, L0.1628, L1.1629, L1.1630, L0.1729, L0.1730, L0.1731, L0.1733, L0.1734, L0.1735, L0.1736, L0.1737, L0.1739, L1.1779, L1.1780, L0.1782, L0.1783, L0.1784"
+ - " Creating 3 files"
+ - "**** Simulation run 475, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[1686860851476331520, 1686861499216782139]). 15 Input Files, 288mb total:"
+ - "L0 "
+ - "L0.1738[1686860203735880901,1686860536837837807] 1686936871.55s 28mb|---L0.1738----| "
+ - "L0.1740[1686860203735880901,1686860536837837807] 1686936871.55s 1mb|---L0.1740----| "
+ - "L0.1741[1686860536837837808,1686860817905001671] 1686936871.55s 1mb |--L0.1741--| "
+ - "L0.1744[1686860536837837808,1686860817905001671] 1686936871.55s 23mb |--L0.1744--| "
+ - "L0.1742[1686860817905001672,1686861030203733704] 1686936871.55s 874kb |L0.1742-| "
+ - "L0.1745[1686860817905001672,1686860866085039343] 1686936871.55s 4mb |L0.1745| "
+ - "L0.1746[1686860866085039344,1686861030203733704] 1686936871.55s 14mb |L0.1746| "
+ - "L0.1743[1686861030203733705,1686861407648648616] 1686936871.55s 2mb |----L0.1743-----| "
+ - "L0.1747[1686861030203733705,1686861407648648616] 1686936871.55s 31mb |----L0.1747-----| "
+ - "L0.1748[1686861407648648617,1686862070968521403] 1686936871.55s 3mb |-----------L0.1748-----------| "
+ - "L1 "
+ - "L1.1637[1686860203735880901,1686860536837837807] 1686932677.39s 32mb|---L1.1637----| "
+ - "L1.1638[1686860536837837808,1686860817905001671] 1686932677.39s 27mb |--L1.1638--| "
+ - "L1.1487[1686860817905001672,1686861030203733704] 1686932677.39s 21mb |L1.1487-| "
+ - "L1.1641[1686861030203733705,1686861407648648616] 1686932677.39s 36mb |----L1.1641-----| "
+ - "L1.1642[1686861407648648617,1686862070968521403] 1686932677.39s 64mb |-----------L1.1642-----------| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 288mb total:"
+ - "L1 "
+ - "L1.?[1686860203735880901,1686860851476331520] 1686936871.55s 100mb|------------L1.?-------------| "
+ - "L1.?[1686860851476331521,1686861499216782139] 1686936871.55s 100mb |------------L1.?-------------| "
+ - "L1.?[1686861499216782140,1686862070968521403] 1686936871.55s 88mb |----------L1.?-----------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 15 files: L1.1487, L1.1637, L1.1638, L1.1641, L1.1642, L0.1738, L0.1740, L0.1741, L0.1742, L0.1743, L0.1744, L0.1745, L0.1746, L0.1747, L0.1748"
+ - " Creating 3 files"
+ - "**** Simulation run 476, type=split(ReduceOverlap)(split_times=[1686861499216782139]). 1 Input Files, 55mb total:"
+ - "L0, all files 55mb "
+ - "L0.1640[1686861407648648617,1686862066143051675] 1686936871.55s|----------------------------------------L0.1640-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 55mb total:"
+ - "L0 "
+ - "L0.?[1686861407648648617,1686861499216782139] 1686936871.55s 8mb|---L0.?---| "
+ - "L0.?[1686861499216782140,1686862066143051675] 1686936871.55s 47mb |-----------------------------------L0.?------------------------------------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 1 files: L0.1640"
+ - " Creating 2 files"
+ - "**** Simulation run 477, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[1686861358211972492, 1686861864947613463]). 8 Input Files, 282mb total:"
+ - "L0 "
+ - "L0.1835[1686861407648648617,1686861499216782139] 1686936871.55s 8mb |L0.1835| "
+ - "L0.1836[1686861499216782140,1686862066143051675] 1686936871.55s 47mb |-------------L0.1836-------------| "
+ - "L0.1750[1686862066143051676,1686862070968521403] 1686936871.55s 412kb |L0.1750| "
+ - "L0.1749[1686862070968521404,1686862278459459425] 1686936871.55s 854kb |--L0.1749--| "
+ - "L0.1751[1686862070968521404,1686862278459459425] 1686936871.55s 17mb |--L0.1751--| "
+ - "L1 "
+ - "L1.1833[1686860851476331521,1686861499216782139] 1686936871.55s 100mb|---------------L1.1833----------------| "
+ - "L1.1834[1686861499216782140,1686862070968521403] 1686936871.55s 88mb |-------------L1.1834--------------| "
+ - "L1.1645[1686862070968521404,1686862278459459425] 1686932677.39s 20mb |--L1.1645--| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 282mb total:"
+ - "L1 "
+ - "L1.?[1686860851476331521,1686861358211972492] 1686936871.55s 100mb|------------L1.?-------------| "
+ - "L1.?[1686861358211972493,1686861864947613463] 1686936871.55s 100mb |------------L1.?-------------| "
+ - "L1.?[1686861864947613464,1686862278459459425] 1686936871.55s 82mb |----------L1.?----------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 8 files: L1.1645, L0.1749, L0.1750, L0.1751, L1.1833, L1.1834, L0.1835, L0.1836"
+ - " Creating 3 files"
+ - "**** Simulation run 478, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[1686862801147318435]). 6 Input Files, 167mb total:"
+ - "L0 "
+ - "L0.1636[1686862278459459426,1686862975108108077] 1686936871.55s 3mb|-------------------------------L0.1636--------------------------------| "
+ - "L0.1644[1686862278459459426,1686862975108108077] 1686936871.55s 58mb|-------------------------------L0.1644--------------------------------| "
+ - "L0.1752[1686862975108108078,1686863111733309101] 1686936871.55s 17mb |--L0.1752---| "
+ - "L0.1753[1686863111733309102,1686863149270270234] 1686936871.55s 5mb |L0.1753|"
+ - "L1 "
+ - "L1.1646[1686862278459459426,1686863111733309101] 1686932677.39s 80mb|--------------------------------------L1.1646---------------------------------------| "
+ - "L1.1649[1686863111733309102,1686863149270270234] 1686932677.39s 4mb |L1.1649|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 167mb total:"
+ - "L1 "
+ - "L1.?[1686862278459459426,1686862801147318435] 1686936871.55s 100mb|------------------------L1.?------------------------| "
+ - "L1.?[1686862801147318436,1686863149270270234] 1686936871.55s 67mb |--------------L1.?---------------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 6 files: L0.1636, L0.1644, L1.1646, L1.1649, L0.1752, L0.1753"
+ - " Creating 2 files"
+ - "**** Simulation run 479, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[1686863696277675850, 1686864243285081465]). 8 Input Files, 275mb total:"
+ - "L0 "
+ - "L0.1648[1686863149270270235,1686863763854983772] 1686936871.55s 78mb|-------------L0.1648--------------| "
+ - "L0.1754[1686863763854983773,1686863903972972940] 1686936871.55s 18mb |L0.1754| "
+ - "L0.1755[1686863903972972941,1686864020081081043] 1686936871.55s 15mb |L0.1755| "
+ - "L0.1652[1686864020081081044,1686864552601859466] 1686936871.55s 68mb |-----------L0.1652-----------| "
+ - "L0.1756[1686864552601859467,1686864651607515459] 1686936871.55s 13mb |L0.1756|"
+ - "L1 "
+ - "L1.1650[1686863149270270235,1686863903972972940] 1686932677.39s 73mb|------------------L1.1650------------------| "
+ - "L1.1653[1686863903972972941,1686864020081081043] 1686931893.7s 2mb |L1.1653| "
+ - "L1.1654[1686864020081081044,1686864651607515459] 1686931893.7s 10mb |--------------L1.1654--------------| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 275mb total:"
+ - "L1 "
+ - "L1.?[1686863149270270235,1686863696277675850] 1686936871.55s 100mb|-------------L1.?-------------| "
+ - "L1.?[1686863696277675851,1686864243285081465] 1686936871.55s 100mb |-------------L1.?-------------| "
+ - "L1.?[1686864243285081466,1686864651607515459] 1686936871.55s 75mb |---------L1.?---------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 8 files: L0.1648, L1.1650, L0.1652, L1.1653, L1.1654, L0.1754, L0.1755, L0.1756"
+ - " Creating 3 files"
+ - "**** Simulation run 480, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[1686865392302667070, 1686866132997818680]). 16 Input Files, 267mb total:"
+ - "L0 "
+ - "L0.1759[1686864651607515460,1686864832837837803] 1686936871.55s 6mb|L0.1759| "
+ - "L0.1757[1686864651607515460,1686864832837837803] 1686936871.55s 23mb|L0.1757| "
+ - "L0.1760[1686864832837837804,1686864890891891852] 1686936871.55s 2mb |L0.1760| "
+ - "L0.1758[1686864832837837804,1686864890891891852] 1686936871.55s 7mb |L0.1758| "
+ - "L0.1656[1686864890891891853,1686864890891891870] 1686936871.55s 1b |L0.1656| "
+ - "L0.1658[1686864890891891853,1686864890891891870] 1686936871.55s 1b |L0.1658| "
+ - "L0.1546[1686864890891891871,1686865715561243055] 1686936871.55s 100mb |--------------L0.1546--------------| "
+ - "L0.1662[1686865715561243056,1686865761702702661] 1686936871.55s 6mb |L0.1662| "
+ - "L0.1761[1686865761702702662,1686865761702702680] 1686936871.55s 0b |L0.1761| "
+ - "L0.1762[1686865761702702681,1686866540230594239] 1686936871.55s 94mb |-------------L0.1762-------------| "
+ - "L0.1548[1686866540230594240,1686866632513513490] 1686936871.55s 11mb |L0.1548|"
+ - "L1 "
+ - "L1.1325[1686864651607515460,1686864832837837803] 1686931893.7s 3mb|L1.1325| "
+ - "L1.1659[1686864832837837804,1686864890891891852] 1686931893.7s 927kb |L1.1659| "
+ - "L1.1660[1686864890891891853,1686865761702702661] 1686931893.7s 14mb |---------------L1.1660---------------| "
+ - "L1.1661[1686865761702702662,1686865761702702680] 1686931893.7s 1b |L1.1661| "
+ - "L1.761[1686865761702702681,1686866632513513490] 1686928854.57s 1mb |---------------L1.761----------------| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 267mb total:"
+ - "L1 "
+ - "L1.?[1686864651607515460,1686865392302667070] 1686936871.55s 100mb|-------------L1.?--------------| "
+ - "L1.?[1686865392302667071,1686866132997818680] 1686936871.55s 100mb |-------------L1.?--------------| "
+ - "L1.?[1686866132997818681,1686866632513513490] 1686936871.55s 67mb |--------L1.?--------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 16 files: L1.761, L1.1325, L0.1546, L0.1548, L0.1656, L0.1658, L1.1659, L1.1660, L1.1661, L0.1662, L0.1757, L0.1758, L0.1759, L0.1760, L0.1761, L0.1762"
+ - " Creating 3 files"
+ - "**** Simulation run 481, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[1686867294213029769, 1686867955912546047]). 10 Input Files, 255mb total:"
+ - "L0 "
+ - "L0.1560[1686866632513513491,1686867299592048857] 1686936871.55s 100mb|-------------L0.1560-------------| "
+ - "L0.1763[1686867299592048858,1686867503324324300] 1686936871.55s 31mb |L0.1763-| "
+ - "L0.1764[1686867503324324301,1686867659000000000] 1686936871.55s 23mb |L0.1764| "
+ - "L0.1765[1686867659000000001,1686867839000000000] 1686936871.55s 27mb |L0.1765| "
+ - "L0.1766[1686867839000000001,1686867966670584223] 1686936871.55s 19mb |L0.1766| "
+ - "L0.1562[1686867966670584224,1686868319000000000] 1686936871.55s 53mb |----L0.1562-----| "
+ - "L1 "
+ - "L1.762[1686866632513513491,1686867503324324300] 1686928854.57s 1mb|-------------------L1.762-------------------| "
+ - "L1.763[1686867503324324301,1686867659000000000] 1686928854.57s 196kb |L1.763| "
+ - "L1.73[1686867719000000000,1686867839000000000] 1686928854.57s 225kb |L1.73| "
+ - "L1.75[1686867899000000000,1686868319000000000] 1686928854.57s 588kb |-------L1.75--------| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 255mb total:"
+ - "L1 "
+ - "L1.?[1686866632513513491,1686867294213029769] 1686936871.55s 100mb|--------------L1.?---------------| "
+ - "L1.?[1686867294213029770,1686867955912546047] 1686936871.55s 100mb |--------------L1.?---------------| "
+ - "L1.?[1686867955912546048,1686868319000000000] 1686936871.55s 55mb |------L1.?-------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 10 files: L1.73, L1.75, L1.762, L1.763, L0.1560, L0.1562, L0.1763, L0.1764, L0.1765, L0.1766"
+ - " Creating 3 files"
+ - "**** Simulation run 482, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[1686869101428723112, 1686869883857446223]). 9 Input Files, 230mb total:"
+ - "L0 "
+ - "L0.1664[1686868319000000001,1686868917918918910] 1686936871.55s 98mb|----------L0.1664----------| "
+ - "L0.1665[1686868917918918911,1686868931238859876] 1686936871.55s 2mb |L0.1665| "
+ - "L0.1767[1686868931238859877,1686869244945945920] 1686936871.55s 51mb |---L0.1767---| "
+ - "L0.1768[1686869244945945921,1686869516837837819] 1686936871.55s 44mb |--L0.1768--| "
+ - "L0.1669[1686869516837837820,1686869543477719751] 1686936871.55s 4mb |L0.1669| "
+ - "L1 "
+ - "L1.1666[1686868379000000000,1686868917918918910] 1686928854.57s 9mb |--------L1.1666---------| "
+ - "L1.1667[1686868917918918911,1686869244945945920] 1686928854.57s 6mb |---L1.1667----| "
+ - "L1.1670[1686869244945945921,1686869516837837819] 1686928854.57s 5mb |--L1.1670--| "
+ - "L1.1671[1686869516837837820,1686870115756756730] 1686928854.57s 10mb |----------L1.1671-----------| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 230mb total:"
+ - "L1 "
+ - "L1.?[1686868319000000001,1686869101428723112] 1686936871.55s 100mb|----------------L1.?-----------------| "
+ - "L1.?[1686869101428723113,1686869883857446223] 1686936871.55s 100mb |----------------L1.?-----------------| "
+ - "L1.?[1686869883857446224,1686870115756756730] 1686936871.55s 30mb |--L1.?---| "
+ - "Committing partition 1:"
+ - " Soft Deleting 9 files: L0.1664, L0.1665, L1.1666, L1.1667, L0.1669, L1.1670, L1.1671, L0.1767, L0.1768"
+ - " Creating 3 files"
+ - "**** Simulation run 483, type=split(ReduceOverlap)(split_times=[1686869883857446223]). 1 Input Files, 93mb total:"
+ - "L0, all files 93mb "
+ - "L0.1551[1686869543477719752,1686870115756756730] 1686936871.55s|----------------------------------------L0.1551-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 93mb total:"
+ - "L0 "
+ - "L0.?[1686869543477719752,1686869883857446223] 1686936871.55s 56mb|-----------------------L0.?------------------------| "
+ - "L0.?[1686869883857446224,1686870115756756730] 1686936871.55s 38mb |---------------L0.?---------------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 1 files: L0.1551"
+ - " Creating 2 files"
+ - "**** Simulation run 484, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[1686869556056907425, 1686870010685091737]). 4 Input Files, 223mb total:"
+ - "L0 "
+ - "L0.1854[1686869543477719752,1686869883857446223] 1686936871.55s 56mb |----------L0.1854-----------| "
+ - "L0.1855[1686869883857446224,1686870115756756730] 1686936871.55s 38mb |-----L0.1855------| "
+ - "L1 "
+ - "L1.1852[1686869101428723113,1686869883857446223] 1686936871.55s 100mb|------------------------------L1.1852------------------------------| "
+ - "L1.1853[1686869883857446224,1686870115756756730] 1686936871.55s 30mb |-----L1.1853------| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 223mb total:"
+ - "L1 "
+ - "L1.?[1686869101428723113,1686869556056907425] 1686936871.55s 100mb|-----------------L1.?-----------------| "
+ - "L1.?[1686869556056907426,1686870010685091737] 1686936871.55s 100mb |-----------------L1.?-----------------| "
+ - "L1.?[1686870010685091738,1686870115756756730] 1686936871.55s 23mb |-L1.?--| "
+ - "Committing partition 1:"
+ - " Soft Deleting 4 files: L1.1852, L1.1853, L0.1854, L0.1855"
+ - " Creating 3 files"
+ - "**** Simulation run 485, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[1686870726636810267, 1686871337516863803]). 6 Input Files, 285mb total:"
+ - "L0 "
+ - "L0.1552[1686870115756756731,1686870677571828433] 1686936871.55s 100mb|----------L0.1552----------| "
+ - "L0.1672[1686870677571828434,1686870986567567540] 1686936871.55s 55mb |---L0.1672---| "
+ - "L0.1673[1686870986567567541,1686871239386900135] 1686936871.55s 45mb |--L0.1673--| "
+ - "L0.1554[1686871239386900136,1686871550514515284] 1686936871.55s 55mb |---L0.1554----| "
+ - "L1 "
+ - "L1.907[1686870115756756731,1686870986567567540] 1686928854.57s 15mb|------------------L1.907-------------------| "
+ - "L1.1674[1686870986567567541,1686871857378378349] 1686928854.57s 15mb |-----------------L1.1674------------------| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 285mb total:"
+ - "L1 "
+ - "L1.?[1686870115756756731,1686870726636810267] 1686936871.55s 100mb|------------L1.?-------------| "
+ - "L1.?[1686870726636810268,1686871337516863803] 1686936871.55s 100mb |------------L1.?-------------| "
+ - "L1.?[1686871337516863804,1686871857378378349] 1686936871.55s 85mb |----------L1.?----------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 6 files: L1.907, L0.1552, L0.1554, L0.1672, L0.1673, L1.1674"
+ - " Creating 3 files"
+ - "**** Simulation run 486, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[1686871801134370324, 1686872264751876844]). 7 Input Files, 300mb total:"
+ - "L0 "
+ - "L0.1676[1686871550514515285,1686871857378378349] 1686936871.55s 55mb |-----L0.1676-----| "
+ - "L0.1769[1686871857378378350,1686871857378378350] 1686936871.55s 0b |L0.1769| "
+ - "L0.1770[1686871857378378351,1686872106056369133] 1686936871.55s 45mb |---L0.1770----| "
+ - "L0.1556[1686872106056369134,1686872661598222981] 1686936871.55s 100mb |-------------L0.1556-------------| "
+ - "L1 "
+ - "L1.1861[1686871337516863804,1686871857378378349] 1686936871.55s 85mb|------------L1.1861------------| "
+ - "L1.1675[1686871857378378350,1686871857378378350] 1686928854.57s 1b |L1.1675| "
+ - "L1.909[1686871857378378351,1686872728189189160] 1686928854.57s 15mb |------------------------L1.909------------------------| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 300mb total:"
+ - "L1 "
+ - "L1.?[1686871337516863804,1686871801134370324] 1686936871.55s 100mb|------------L1.?------------| "
+ - "L1.?[1686871801134370325,1686872264751876844] 1686936871.55s 100mb |------------L1.?------------| "
+ - "L1.?[1686872264751876845,1686872728189189160] 1686936871.55s 100mb |-----------L1.?------------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 7 files: L1.909, L0.1556, L1.1675, L0.1676, L0.1769, L0.1770, L1.1861"
+ - " Creating 3 files"
+ - "**** Simulation run 487, type=split(CompactAndSplitOutput(TotalSizeLessThanMaxCompactSize))(split_times=[1686872735710689569, 1686873206669502293]). 5 Input Files, 283mb total:"
+ - "L0 "
+ - "L0.1559[1686873284631629745,1686873599000000000] 1686936871.55s 56mb |------L0.1559------| "
+ - "L0.1558[1686872728189189161,1686873284631629744] 1686936871.55s 100mb |--------------L0.1558--------------| "
+ - "L0.1557[1686872661598222982,1686872728189189160] 1686936871.55s 12mb |L0.1557| "
+ - "L1 "
+ - "L1.1864[1686872264751876845,1686872728189189160] 1686936871.55s 100mb|-----------L1.1864-----------| "
+ - "L1.910[1686872728189189161,1686873599000000000] 1686928854.57s 15mb |-------------------------L1.910-------------------------| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 283mb total:"
+ - "L1 "
+ - "L1.?[1686872264751876845,1686872735710689569] 1686936871.55s 100mb|------------L1.?-------------| "
+ - "L1.?[1686872735710689570,1686873206669502293] 1686936871.55s 100mb |------------L1.?-------------| "
+ - "L1.?[1686873206669502294,1686873599000000000] 1686936871.55s 83mb |----------L1.?----------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 5 files: L1.910, L0.1557, L0.1558, L0.1559, L1.1864"
+ - " Creating 3 files"
+ - "**** Simulation run 488, type=split(ReduceOverlap)(split_times=[1686867839000000000]). 1 Input Files, 100mb total:"
+ - "L1, all files 100mb "
+ - "L1.1849[1686867294213029770,1686867955912546047] 1686936871.55s|----------------------------------------L1.1849-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L1 "
+ - "L1.?[1686867294213029770,1686867839000000000] 1686936871.55s 82mb|----------------------------------L1.?----------------------------------| "
+ - "L1.?[1686867839000000001,1686867955912546047] 1686936871.55s 18mb |----L1.?-----| "
+ - "**** Simulation run 489, type=split(ReduceOverlap)(split_times=[1686863699000000000]). 1 Input Files, 100mb total:"
+ - "L1, all files 100mb "
+ - "L1.1843[1686863696277675851,1686864243285081465] 1686936871.55s|----------------------------------------L1.1843-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L1 "
+ - "L1.?[1686863696277675851,1686863699000000000] 1686936871.55s 510kb|L1.?| "
+ - "L1.?[1686863699000000001,1686864243285081465] 1686936871.55s 100mb|-----------------------------------------L1.?------------------------------------------| "
+ - "**** Simulation run 490, type=split(ReduceOverlap)(split_times=[1686859499000000000]). 1 Input Files, 100mb total:"
+ - "L1, all files 100mb "
+ - "L1.1830[1686859138657133583,1686859711085971389] 1686936871.55s|----------------------------------------L1.1830-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L1 "
+ - "L1.?[1686859138657133583,1686859499000000000] 1686936871.55s 63mb|-------------------------L1.?-------------------------| "
+ - "L1.?[1686859499000000001,1686859711085971389] 1686936871.55s 37mb |-------------L1.?--------------| "
+ - "**** Simulation run 491, type=split(ReduceOverlap)(split_times=[1686859019000000000]). 1 Input Files, 100mb total:"
+ - "L1, all files 100mb "
+ - "L1.1829[1686858566228295775,1686859138657133582] 1686936871.55s|----------------------------------------L1.1829-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L1 "
+ - "L1.?[1686858566228295775,1686859019000000000] 1686936871.55s 79mb|--------------------------------L1.?---------------------------------| "
+ - "L1.?[1686859019000000001,1686859138657133582] 1686936871.55s 21mb |------L1.?------| "
+ - "**** Simulation run 492, type=split(ReduceOverlap)(split_times=[1686850559000000000]). 1 Input Files, 100mb total:"
+ - "L1, all files 100mb "
+ - "L1.1804[1686850087108108100,1686850880662583047] 1686936871.55s|----------------------------------------L1.1804----------------------------------------| "
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L1 "
+ - "L1.?[1686850087108108100,1686850559000000000] 1686936871.55s 59mb|-----------------------L1.?------------------------| "
+ - "L1.?[1686850559000000001,1686850880662583047] 1686936871.55s 41mb |---------------L1.?---------------| "
+ - "**** Simulation run 493, type=split(ReduceOverlap)(split_times=[1686849779000000000]). 1 Input Files, 95mb total:"
+ - "L1, all files 95mb "
+ - "L1.1803[1686849524419787598,1686850087108108099] 1686936871.55s|----------------------------------------L1.1803-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 95mb total:"
+ - "L1 "
+ - "L1.?[1686849524419787598,1686849779000000000] 1686936871.55s 43mb|-----------------L1.?-----------------| "
+ - "L1.?[1686849779000000001,1686850087108108099] 1686936871.55s 52mb |---------------------L1.?----------------------| "
+ - "**** Simulation run 494, type=split(ReduceOverlap)(split_times=[1686845579000000000]). 1 Input Files, 100mb total:"
+ - "L1, all files 100mb "
+ - "L1.1794[1686845452373250764,1686846042503258285] 1686936871.55s|----------------------------------------L1.1794-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L1 "
+ - "L1.?[1686845452373250764,1686845579000000000] 1686936871.55s 21mb|------L1.?-------| "
+ - "L1.?[1686845579000000001,1686846042503258285] 1686936871.55s 79mb |--------------------------------L1.?--------------------------------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 7 files: L1.1794, L1.1803, L1.1804, L1.1829, L1.1830, L1.1843, L1.1849"
+ - " Creating 14 files"
+ - "**** Simulation run 495, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[1686842786390926609, 1686844193781853218]). 3 Input Files, 298mb total:"
+ - "L1 "
+ - "L1.1785[1686841379000000000,1686841969006279730] 1686936871.55s 100mb|-L1.1785--| "
+ - "L1.1786[1686841969006279731,1686842559012559460] 1686936871.55s 100mb |-L1.1786--| "
+ - "L2 "
+ - "L2.2[1686841379000000000,1686845579000000000] 1686928811.43s 98mb|------------------------------------------L2.2------------------------------------------|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 298mb total:"
+ - "L2 "
+ - "L2.?[1686841379000000000,1686842786390926609] 1686936871.55s 100mb|------------L2.?------------| "
+ - "L2.?[1686842786390926610,1686844193781853218] 1686936871.55s 100mb |------------L2.?------------| "
+ - "L2.?[1686844193781853219,1686845579000000000] 1686936871.55s 98mb |-----------L2.?------------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 3 files: L2.2, L1.1785, L1.1786"
+ - " Creating 3 files"
+ - "**** Simulation run 496, type=split(ReduceOverlap)(split_times=[1686844193781853218]). 1 Input Files, 100mb total:"
+ - "L1, all files 100mb "
+ - "L1.1791[1686843763044640889,1686844353050911219] 1686936871.55s|----------------------------------------L1.1791-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L1 "
+ - "L1.?[1686843763044640889,1686844193781853218] 1686936871.55s 73mb|-----------------------------L1.?------------------------------| "
+ - "L1.?[1686844193781853219,1686844353050911219] 1686936871.55s 27mb |---------L1.?---------| "
+ - "**** Simulation run 497, type=split(ReduceOverlap)(split_times=[1686842786390926609]). 1 Input Files, 100mb total:"
+ - "L1, all files 100mb "
+ - "L1.1788[1686842571022320445,1686843161028605744] 1686936871.55s|----------------------------------------L1.1788-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L1 "
+ - "L1.?[1686842571022320445,1686842786390926609] 1686936871.55s 37mb|-------------L1.?-------------| "
+ - "L1.?[1686842786390926610,1686843161028605744] 1686936871.55s 63mb |-------------------------L1.?--------------------------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 2 files: L1.1788, L1.1791"
+ - " Creating 4 files"
+ - "**** Simulation run 498, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[1686842394885830950]). 3 Input Files, 139mb total:"
+ - "L1 "
+ - "L1.1787[1686842559012559461,1686842571022320444] 1686936871.55s 2mb |L1.1787| "
+ - "L1.1887[1686842571022320445,1686842786390926609] 1686936871.55s 37mb |--L1.1887--| "
+ - "L2 "
+ - "L2.1882[1686841379000000000,1686842786390926609] 1686936871.55s 100mb|----------------------------------------L2.1882-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 139mb total:"
+ - "L2 "
+ - "L2.?[1686841379000000000,1686842394885830950] 1686936871.55s 100mb|-----------------------------L2.?-----------------------------| "
+ - "L2.?[1686842394885830951,1686842786390926609] 1686936871.55s 39mb |---------L2.?----------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 3 files: L1.1787, L2.1882, L1.1887"
+ - " Creating 2 files"
+ - "**** Simulation run 499, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[1686843316416264410, 1686843846441602210]). 4 Input Files, 266mb total:"
+ - "L1 "
+ - "L1.1888[1686842786390926610,1686843161028605744] 1686936871.55s 63mb|-------L1.1888-------| "
+ - "L1.1789[1686843161028605745,1686843751034891043] 1686936871.55s 100mb |--------------L1.1789--------------| "
+ - "L1.1790[1686843751034891044,1686843763044640888] 1686936871.55s 2mb |L1.1790| "
+ - "L2 "
+ - "L2.1883[1686842786390926610,1686844193781853218] 1686936871.55s 100mb|----------------------------------------L2.1883-----------------------------------------|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 266mb total:"
+ - "L2 "
+ - "L2.?[1686842786390926610,1686843316416264410] 1686936871.55s 100mb|-------------L2.?--------------| "
+ - "L2.?[1686843316416264411,1686843846441602210] 1686936871.55s 100mb |-------------L2.?--------------| "
+ - "L2.?[1686843846441602211,1686844193781853218] 1686936871.55s 66mb |--------L2.?--------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 4 files: L1.1789, L1.1790, L2.1883, L1.1888"
+ - " Creating 3 files"
+ - "**** Simulation run 500, type=split(ReduceOverlap)(split_times=[1686843846441602210]). 1 Input Files, 73mb total:"
+ - "L1, all files 73mb "
+ - "L1.1885[1686843763044640889,1686844193781853218] 1686936871.55s|----------------------------------------L1.1885-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 73mb total:"
+ - "L1 "
+ - "L1.?[1686843763044640889,1686843846441602210] 1686936871.55s 14mb|-----L1.?------| "
+ - "L1.?[1686843846441602211,1686844193781853218] 1686936871.55s 59mb |---------------------------------L1.?---------------------------------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 1 files: L1.1885"
+ - " Creating 2 files"
+ - "**** Simulation run 501, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[1686843684225379958, 1686844052034495505]). 4 Input Files, 239mb total:"
+ - "L1 "
+ - "L1.1894[1686843763044640889,1686843846441602210] 1686936871.55s 14mb |L1.1894| "
+ - "L1.1895[1686843846441602211,1686844193781853218] 1686936871.55s 59mb |-------------L1.1895-------------| "
+ - "L2 "
+ - "L2.1892[1686843316416264411,1686843846441602210] 1686936871.55s 100mb|----------------------L2.1892-----------------------| "
+ - "L2.1893[1686843846441602211,1686844193781853218] 1686936871.55s 66mb |-------------L2.1893-------------| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 239mb total:"
+ - "L2 "
+ - "L2.?[1686843316416264411,1686843684225379958] 1686936871.55s 100mb|---------------L2.?----------------| "
+ - "L2.?[1686843684225379959,1686844052034495505] 1686936871.55s 100mb |---------------L2.?----------------| "
+ - "L2.?[1686844052034495506,1686844193781853218] 1686936871.55s 39mb |----L2.?----| "
+ - "Committing partition 1:"
+ - " Soft Deleting 4 files: L2.1892, L2.1893, L1.1894, L1.1895"
+ - " Creating 3 files"
+ - "**** Simulation run 502, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[1686844848044941008, 1686845502308028797]). 3 Input Files, 212mb total:"
+ - "L1 "
+ - "L1.1886[1686844193781853219,1686844353050911219] 1686936871.55s 27mb|L1.1886-| "
+ - "L1.1792[1686844353050911220,1686844862243243240] 1686936871.55s 86mb |------------L1.1792------------| "
+ - "L2 "
+ - "L2.1884[1686844193781853219,1686845579000000000] 1686936871.55s 98mb|----------------------------------------L2.1884-----------------------------------------|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 212mb total:"
+ - "L2 "
+ - "L2.?[1686844193781853219,1686844848044941008] 1686936871.55s 100mb|------------------L2.?------------------| "
+ - "L2.?[1686844848044941009,1686845502308028797] 1686936871.55s 100mb |------------------L2.?------------------| "
+ - "L2.?[1686845502308028798,1686845579000000000] 1686936871.55s 12mb |L2.?|"
+ - "Committing partition 1:"
+ - " Soft Deleting 3 files: L1.1792, L2.1884, L1.1886"
+ - " Creating 3 files"
+ - "**** Simulation run 503, type=split(ReduceOverlap)(split_times=[1686845502308028797]). 1 Input Files, 21mb total:"
+ - "L1, all files 21mb "
+ - "L1.1880[1686845452373250764,1686845579000000000] 1686936871.55s|----------------------------------------L1.1880-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 21mb total:"
+ - "L1 "
+ - "L1.?[1686845452373250764,1686845502308028797] 1686936871.55s 8mb|--------------L1.?---------------| "
+ - "L1.?[1686845502308028798,1686845579000000000] 1686936871.55s 13mb |------------------------L1.?------------------------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 1 files: L1.1880"
+ - " Creating 2 files"
+ - "**** Simulation run 504, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[1686845161518308591, 1686845474991676173]). 5 Input Files, 233mb total:"
+ - "L1 "
+ - "L1.1793[1686844862243243241,1686845452373250763] 1686936871.55s 100mb |-------------------------------L1.1793--------------------------------| "
+ - "L1.1902[1686845452373250764,1686845502308028797] 1686936871.55s 8mb |L1.1902| "
+ - "L1.1903[1686845502308028798,1686845579000000000] 1686936871.55s 13mb |L1.1903| "
+ - "L2 "
+ - "L2.1900[1686844848044941009,1686845502308028797] 1686936871.55s 100mb|-----------------------------------L2.1900------------------------------------| "
+ - "L2.1901[1686845502308028798,1686845579000000000] 1686936871.55s 12mb |L2.1901| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 233mb total:"
+ - "L2 "
+ - "L2.?[1686844848044941009,1686845161518308591] 1686936871.55s 100mb|----------------L2.?----------------| "
+ - "L2.?[1686845161518308592,1686845474991676173] 1686936871.55s 100mb |----------------L2.?----------------| "
+ - "L2.?[1686845474991676174,1686845579000000000] 1686936871.55s 33mb |---L2.?---| "
+ - "Committing partition 1:"
+ - " Soft Deleting 5 files: L1.1793, L2.1900, L2.1901, L1.1902, L1.1903"
+ - " Creating 3 files"
+ - "**** Simulation run 505, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[1686847090988653050, 1686848602977306099]). 4 Input Files, 278mb total:"
+ - "L1 "
+ - "L1.1881[1686845579000000001,1686846042503258285] 1686936871.55s 79mb|L1.1881| "
+ - "L1.1795[1686846042503258286,1686846054770701976] 1686936871.55s 2mb |L1.1795| "
+ - "L1.1796[1686846054770701977,1686846644900712284] 1686936871.55s 100mb |-L1.1796--| "
+ - "L2 "
+ - "L2.25[1686845639000000000,1686849779000000000] 1686928811.43s 97mb |----------------------------------------L2.25-----------------------------------------| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 278mb total:"
+ - "L2 "
+ - "L2.?[1686845579000000001,1686847090988653050] 1686936871.55s 100mb|-------------L2.?-------------| "
+ - "L2.?[1686847090988653051,1686848602977306099] 1686936871.55s 100mb |-------------L2.?-------------| "
+ - "L2.?[1686848602977306100,1686849779000000000] 1686936871.55s 78mb |---------L2.?----------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 4 files: L2.25, L1.1795, L1.1796, L1.1881"
+ - " Creating 3 files"
+ - "**** Simulation run 506, type=split(ReduceOverlap)(split_times=[1686848602977306099]). 1 Input Files, 100mb total:"
+ - "L1, all files 100mb "
+ - "L1.1801[1686848345486486481,1686848934953137039] 1686936871.55s|----------------------------------------L1.1801-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L1 "
+ - "L1.?[1686848345486486481,1686848602977306099] 1686936871.55s 44mb|----------------L1.?-----------------| "
+ - "L1.?[1686848602977306100,1686848934953137039] 1686936871.55s 56mb |----------------------L1.?----------------------| "
+ - "**** Simulation run 507, type=split(ReduceOverlap)(split_times=[1686847090988653050]). 1 Input Files, 100mb total:"
+ - "L1, all files 100mb "
+ - "L1.1797[1686846644900712285,1686847235030722591] 1686936871.55s|----------------------------------------L1.1797-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L1 "
+ - "L1.?[1686846644900712285,1686847090988653050] 1686936871.55s 76mb|-------------------------------L1.?-------------------------------| "
+ - "L1.?[1686847090988653051,1686847235030722591] 1686936871.55s 24mb |-------L1.?--------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 2 files: L1.1797, L1.1801"
+ - " Creating 4 files"
+ - "**** Simulation run 508, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[1686846586992441776, 1686847594984883551]). 4 Input Files, 300mb total:"
+ - "L1 "
+ - "L1.1912[1686846644900712285,1686847090988653050] 1686936871.55s 76mb |--L1.1912--| "
+ - "L1.1913[1686847090988653051,1686847235030722591] 1686936871.55s 24mb |L1.1913| "
+ - "L2 "
+ - "L2.1907[1686845579000000001,1686847090988653050] 1686936871.55s 100mb|------------------L2.1907------------------| "
+ - "L2.1908[1686847090988653051,1686848602977306099] 1686936871.55s 100mb |-----------------L2.1908------------------| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 300mb total:"
+ - "L2 "
+ - "L2.?[1686845579000000001,1686846586992441776] 1686936871.55s 100mb|------------L2.?------------| "
+ - "L2.?[1686846586992441777,1686847594984883551] 1686936871.55s 100mb |------------L2.?------------| "
+ - "L2.?[1686847594984883552,1686848602977306099] 1686936871.55s 100mb |-----------L2.?------------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 4 files: L2.1907, L2.1908, L1.1912, L1.1913"
+ - " Creating 3 files"
+ - "**** Simulation run 509, type=split(ReduceOverlap)(split_times=[1686847594984883551]). 1 Input Files, 100mb total:"
+ - "L1, all files 100mb "
+ - "L1.1799[1686847247298160712,1686847837428156951] 1686936871.55s|----------------------------------------L1.1799-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L1 "
+ - "L1.?[1686847247298160712,1686847594984883551] 1686936871.55s 59mb|-----------------------L1.?------------------------| "
+ - "L1.?[1686847594984883552,1686847837428156951] 1686936871.55s 41mb |---------------L1.?---------------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 1 files: L1.1799"
+ - " Creating 2 files"
+ - "**** Simulation run 510, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[1686847213091270336]). 3 Input Files, 161mb total:"
+ - "L1 "
+ - "L1.1798[1686847235030722592,1686847247298160711] 1686936871.55s 2mb |L1.1798| "
+ - "L1.1917[1686847247298160712,1686847594984883551] 1686936871.55s 59mb |-----------L1.1917-----------| "
+ - "L2 "
+ - "L2.1915[1686846586992441777,1686847594984883551] 1686936871.55s 100mb|----------------------------------------L2.1915-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 161mb total:"
+ - "L2 "
+ - "L2.?[1686846586992441777,1686847213091270336] 1686936871.55s 100mb|------------------------L2.?-------------------------| "
+ - "L2.?[1686847213091270337,1686847594984883551] 1686936871.55s 61mb |--------------L2.?--------------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 3 files: L1.1798, L2.1915, L1.1917"
+ - " Creating 2 files"
+ - "**** Simulation run 511, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[1686847967133302591, 1686848339281721630]). 4 Input Files, 271mb total:"
+ - "L1 "
+ - "L1.1918[1686847594984883552,1686847837428156951] 1686936871.55s 41mb|------L1.1918------| "
+ - "L1.1800[1686847837428156952,1686848345486486480] 1686936871.55s 86mb |------------------L1.1800------------------| "
+ - "L1.1910[1686848345486486481,1686848602977306099] 1686936871.55s 44mb |------L1.1910-------| "
+ - "L2 "
+ - "L2.1916[1686847594984883552,1686848602977306099] 1686936871.55s 100mb|----------------------------------------L2.1916-----------------------------------------|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 271mb total:"
+ - "L2 "
+ - "L2.?[1686847594984883552,1686847967133302591] 1686936871.55s 100mb|-------------L2.?--------------| "
+ - "L2.?[1686847967133302592,1686848339281721630] 1686936871.55s 100mb |-------------L2.?--------------| "
+ - "L2.?[1686848339281721631,1686848602977306099] 1686936871.55s 71mb |--------L2.?---------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 4 files: L1.1800, L1.1910, L2.1916, L1.1918"
+ - " Creating 3 files"
+ - "**** Simulation run 512, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[1686849027096194358, 1686849451215082616]). 4 Input Files, 277mb total:"
+ - "L1 "
+ - "L1.1911[1686848602977306100,1686848934953137039] 1686936871.55s 56mb|--------L1.1911--------| "
+ - "L1.1802[1686848934953137040,1686849524419787597] 1686936871.55s 100mb |------------------L1.1802------------------| "
+ - "L1.1878[1686849524419787598,1686849779000000000] 1686936871.55s 43mb |-----L1.1878-----| "
+ - "L2 "
+ - "L2.1909[1686848602977306100,1686849779000000000] 1686936871.55s 78mb|----------------------------------------L2.1909-----------------------------------------|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 277mb total:"
+ - "L2 "
+ - "L2.?[1686848602977306100,1686849027096194358] 1686936871.55s 100mb|-------------L2.?-------------| "
+ - "L2.?[1686849027096194359,1686849451215082616] 1686936871.55s 100mb |-------------L2.?-------------| "
+ - "L2.?[1686849451215082617,1686849779000000000] 1686936871.55s 77mb |---------L2.?----------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 4 files: L1.1802, L1.1878, L2.1909, L1.1911"
+ - " Creating 3 files"
+ - "**** Simulation run 513, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[1686851639207134472, 1686853499414268943]). 5 Input Files, 271mb total:"
+ - "L1 "
+ - "L1.1879[1686849779000000001,1686850087108108099] 1686936871.55s 52mb|L1.1879| "
+ - "L1.1876[1686850087108108100,1686850559000000000] 1686936871.55s 59mb |L1.1876| "
+ - "L1.1877[1686850559000000001,1686850880662583047] 1686936871.55s 41mb |L1.1877| "
+ - "L2 "
+ - "L2.27[1686849839000000000,1686850559000000000] 1686928811.43s 20mb |--L2.27---| "
+ - "L2.30[1686850619000000000,1686854819000000000] 1686928811.43s 98mb |----------------------------------L2.30----------------------------------| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 271mb total:"
+ - "L2 "
+ - "L2.?[1686849779000000001,1686851639207134472] 1686936871.55s 100mb|-------------L2.?--------------| "
+ - "L2.?[1686851639207134473,1686853499414268943] 1686936871.55s 100mb |-------------L2.?--------------| "
+ - "L2.?[1686853499414268944,1686854819000000000] 1686936871.55s 71mb |--------L2.?---------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 5 files: L2.27, L2.30, L1.1876, L1.1877, L1.1879"
+ - " Creating 3 files"
+ - "**** Simulation run 514, type=split(ReduceOverlap)(split_times=[1686853499414268943]). 1 Input Files, 100mb total:"
+ - "L1, all files 100mb "
+ - "L1.1818[1686853405911193905,1686853891419105108] 1686936871.55s|----------------------------------------L1.1818-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L1 "
+ - "L1.?[1686853405911193905,1686853499414268943] 1686936871.55s 19mb|-----L1.?------| "
+ - "L1.?[1686853499414268944,1686853891419105108] 1686936871.55s 81mb |---------------------------------L1.?---------------------------------| "
+ - "**** Simulation run 515, type=split(ReduceOverlap)(split_times=[1686851639207134472]). 1 Input Files, 100mb total:"
+ - "L1, all files 100mb "
+ - "L1.1809[1686850880662583048,1686851661119027532] 1686936871.55s|----------------------------------------L1.1809-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L1 "
+ - "L1.?[1686850880662583048,1686851639207134472] 1686936871.55s 97mb|----------------------------------------L1.?-----------------------------------------| "
+ - "L1.?[1686851639207134473,1686851661119027532] 1686936871.55s 3mb |L1.?|"
+ - "Committing partition 1:"
+ - " Soft Deleting 2 files: L1.1809, L1.1818"
+ - " Creating 4 files"
+ - "**** Simulation run 516, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[1686851019138093591, 1686852259276187181]). 4 Input Files, 300mb total:"
+ - "L1 "
+ - "L1.1932[1686850880662583048,1686851639207134472] 1686936871.55s 97mb |----L1.1932-----| "
+ - "L1.1933[1686851639207134473,1686851661119027532] 1686936871.55s 3mb |L1.1933| "
+ - "L2 "
+ - "L2.1927[1686849779000000001,1686851639207134472] 1686936871.55s 100mb|------------------L2.1927------------------| "
+ - "L2.1928[1686851639207134473,1686853499414268943] 1686936871.55s 100mb |-----------------L2.1928------------------| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 300mb total:"
+ - "L2 "
+ - "L2.?[1686849779000000001,1686851019138093591] 1686936871.55s 100mb|------------L2.?------------| "
+ - "L2.?[1686851019138093592,1686852259276187181] 1686936871.55s 100mb |------------L2.?------------| "
+ - "L2.?[1686852259276187182,1686853499414268943] 1686936871.55s 100mb |-----------L2.?------------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 4 files: L2.1927, L2.1928, L1.1932, L1.1933"
+ - " Creating 3 files"
+ - "**** Simulation run 517, type=split(ReduceOverlap)(split_times=[1686852259276187181]). 1 Input Files, 100mb total:"
+ - "L1, all files 100mb "
+ - "L1.1814[1686851661119027533,1686852290761155116] 1686936871.55s|----------------------------------------L1.1814-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L1 "
+ - "L1.?[1686851661119027533,1686852259276187181] 1686936871.55s 95mb|---------------------------------------L1.?----------------------------------------| "
+ - "L1.?[1686852259276187182,1686852290761155116] 1686936871.55s 5mb |L1.?|"
+ - "Committing partition 1:"
+ - " Soft Deleting 1 files: L1.1814"
+ - " Creating 2 files"
+ - "**** Simulation run 518, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[1686851845896821338, 1686852672655549084]). 4 Input Files, 300mb total:"
+ - "L1 "
+ - "L1.1937[1686851661119027533,1686852259276187181] 1686936871.55s 95mb |------L1.1937------| "
+ - "L1.1938[1686852259276187182,1686852290761155116] 1686936871.55s 5mb |L1.1938| "
+ - "L2 "
+ - "L2.1935[1686851019138093592,1686852259276187181] 1686936871.55s 100mb|------------------L2.1935------------------| "
+ - "L2.1936[1686852259276187182,1686853499414268943] 1686936871.55s 100mb |-----------------L2.1936------------------| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 300mb total:"
+ - "L2 "
+ - "L2.?[1686851019138093592,1686851845896821338] 1686936871.55s 100mb|------------L2.?------------| "
+ - "L2.?[1686851845896821339,1686852672655549084] 1686936871.55s 100mb |------------L2.?------------| "
+ - "L2.?[1686852672655549085,1686853499414268943] 1686936871.55s 100mb |-----------L2.?------------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 4 files: L2.1935, L2.1936, L1.1937, L1.1938"
+ - " Creating 3 files"
+ - "**** Simulation run 519, type=split(ReduceOverlap)(split_times=[1686852672655549084]). 1 Input Files, 100mb total:"
+ - "L1, all files 100mb "
+ - "L1.1815[1686852290761155117,1686852920403282699] 1686936871.55s|----------------------------------------L1.1815-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L1 "
+ - "L1.?[1686852290761155117,1686852672655549084] 1686936871.55s 61mb|------------------------L1.?------------------------| "
+ - "L1.?[1686852672655549085,1686852920403282699] 1686936871.55s 39mb |--------------L1.?---------------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 1 files: L1.1815"
+ - " Creating 2 files"
+ - "**** Simulation run 520, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[1686852397069307378, 1686852948241793417]). 4 Input Files, 300mb total:"
+ - "L1 "
+ - "L1.1942[1686852290761155117,1686852672655549084] 1686936871.55s 61mb |-----L1.1942------| "
+ - "L1.1943[1686852672655549085,1686852920403282699] 1686936871.55s 39mb |--L1.1943--| "
+ - "L2 "
+ - "L2.1940[1686851845896821339,1686852672655549084] 1686936871.55s 100mb|------------------L2.1940------------------| "
+ - "L2.1941[1686852672655549085,1686853499414268943] 1686936871.55s 100mb |-----------------L2.1941------------------| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 300mb total:"
+ - "L2 "
+ - "L2.?[1686851845896821339,1686852397069307378] 1686936871.55s 100mb|------------L2.?------------| "
+ - "L2.?[1686852397069307379,1686852948241793417] 1686936871.55s 100mb |------------L2.?------------| "
+ - "L2.?[1686852948241793418,1686853499414268943] 1686936871.55s 100mb |-----------L2.?------------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 4 files: L2.1940, L2.1941, L1.1942, L1.1943"
+ - " Creating 3 files"
+ - "**** Simulation run 521, type=split(ReduceOverlap)(split_times=[1686852948241793417]). 1 Input Files, 100mb total:"
+ - "L1, all files 100mb "
+ - "L1.1817[1686852920403282700,1686853405911193904] 1686936871.55s|----------------------------------------L1.1817-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L1 "
+ - "L1.?[1686852920403282700,1686852948241793417] 1686936871.55s 6mb|L1.?| "
+ - "L1.?[1686852948241793418,1686853405911193904] 1686936871.55s 94mb |---------------------------------------L1.?---------------------------------------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 1 files: L1.1817"
+ - " Creating 2 files"
+ - "**** Simulation run 522, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[1686852764517630237, 1686853131965953095]). 4 Input Files, 300mb total:"
+ - "L1 "
+ - "L1.1947[1686852920403282700,1686852948241793417] 1686936871.55s 6mb |L1.1947| "
+ - "L1.1948[1686852948241793418,1686853405911193904] 1686936871.55s 94mb |--------------L1.1948--------------| "
+ - "L2 "
+ - "L2.1945[1686852397069307379,1686852948241793417] 1686936871.55s 100mb|------------------L2.1945------------------| "
+ - "L2.1946[1686852948241793418,1686853499414268943] 1686936871.55s 100mb |-----------------L2.1946------------------| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 300mb total:"
+ - "L2 "
+ - "L2.?[1686852397069307379,1686852764517630237] 1686936871.55s 100mb|------------L2.?------------| "
+ - "L2.?[1686852764517630238,1686853131965953095] 1686936871.55s 100mb |------------L2.?------------| "
+ - "L2.?[1686853131965953096,1686853499414268943] 1686936871.55s 100mb |-----------L2.?------------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 4 files: L2.1945, L2.1946, L1.1947, L1.1948"
+ - " Creating 3 files"
+ - "**** Simulation run 523, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[1686853754631187460, 1686854377296421824]). 4 Input Files, 271mb total:"
+ - "L1 "
+ - "L1.1930[1686853405911193905,1686853499414268943] 1686936871.55s 19mb |L1.1930| "
+ - "L1.1931[1686853499414268944,1686853891419105108] 1686936871.55s 81mb |-----L1.1931------| "
+ - "L2 "
+ - "L2.1951[1686853131965953096,1686853499414268943] 1686936871.55s 100mb|-----L2.1951-----| "
+ - "L2.1929[1686853499414268944,1686854819000000000] 1686936871.55s 71mb |------------------------------L2.1929-------------------------------| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 271mb total:"
+ - "L2 "
+ - "L2.?[1686853131965953096,1686853754631187460] 1686936871.55s 100mb|-------------L2.?--------------| "
+ - "L2.?[1686853754631187461,1686854377296421824] 1686936871.55s 100mb |-------------L2.?--------------| "
+ - "L2.?[1686854377296421825,1686854819000000000] 1686936871.55s 71mb |--------L2.?---------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 4 files: L2.1929, L1.1930, L1.1931, L2.1951"
+ - " Creating 3 files"
+ - "**** Simulation run 524, type=split(ReduceOverlap)(split_times=[1686854377296421824, 1686854819000000000]). 1 Input Files, 100mb total:"
+ - "L1, all files 100mb "
+ - "L1.1820[1686854243778378366,1686854840368603300] 1686936871.55s|----------------------------------------L1.1820-----------------------------------------|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L1 "
+ - "L1.?[1686854243778378366,1686854377296421824] 1686936871.55s 22mb|-------L1.?-------| "
+ - "L1.?[1686854377296421825,1686854819000000000] 1686936871.55s 74mb |------------------------------L1.?------------------------------| "
+ - "L1.?[1686854819000000001,1686854840368603300] 1686936871.55s 4mb |L1.?|"
+ - "Committing partition 1:"
+ - " Soft Deleting 1 files: L1.1820"
+ - " Creating 3 files"
+ - "**** Simulation run 525, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[1686854074019438293]). 3 Input Files, 195mb total:"
+ - "L1 "
+ - "L1.1819[1686853891419105109,1686854243778378365] 1686936871.55s 73mb |--------------------L1.1819---------------------| "
+ - "L1.1955[1686854243778378366,1686854377296421824] 1686936871.55s 22mb |-----L1.1955-----| "
+ - "L2 "
+ - "L2.1953[1686853754631187461,1686854377296421824] 1686936871.55s 100mb|----------------------------------------L2.1953-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 195mb total:"
+ - "L2 "
+ - "L2.?[1686853754631187461,1686854074019438293] 1686936871.55s 100mb|--------------------L2.?--------------------| "
+ - "L2.?[1686854074019438294,1686854377296421824] 1686936871.55s 95mb |------------------L2.?-------------------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 3 files: L1.1819, L2.1953, L1.1955"
+ - " Creating 2 files"
+ - "**** Simulation run 526, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[1686854689009102312]). 3 Input Files, 149mb total:"
+ - "L1 "
+ - "L1.1956[1686854377296421825,1686854819000000000] 1686936871.55s 74mb|--------------------------------------L1.1956--------------------------------------| "
+ - "L1.1957[1686854819000000001,1686854840368603300] 1686936871.55s 4mb |L1.1957|"
+ - "L2 "
+ - "L2.1954[1686854377296421825,1686854819000000000] 1686936871.55s 71mb|--------------------------------------L2.1954--------------------------------------| "
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 149mb total:"
+ - "L2 "
+ - "L2.?[1686854377296421825,1686854689009102312] 1686936871.55s 100mb|---------------------------L2.?---------------------------| "
+ - "L2.?[1686854689009102313,1686854840368603300] 1686936871.55s 49mb |-----------L2.?------------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 3 files: L2.1954, L1.1956, L1.1957"
+ - " Creating 2 files"
+ - "**** Simulation run 527, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[1686856536982788349, 1686858233596973397]). 3 Input Files, 246mb total:"
+ - "L1 "
+ - "L1.1821[1686854840368603301,1686855436958828234] 1686936871.55s 100mb|-L1.1821--| "
+ - "L1.1822[1686855436958828235,1686855729962162145] 1686936871.55s 49mb |L1.1822| "
+ - "L2 "
+ - "L2.46[1686854879000000000,1686859019000000000] 1686928811.43s 97mb|-----------------------------------------L2.46-----------------------------------------| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 246mb total:"
+ - "L2 "
+ - "L2.?[1686854840368603301,1686856536982788349] 1686936871.55s 100mb|---------------L2.?---------------| "
+ - "L2.?[1686856536982788350,1686858233596973397] 1686936871.55s 100mb |---------------L2.?---------------| "
+ - "L2.?[1686858233596973398,1686859019000000000] 1686936871.55s 46mb |-----L2.?-----| "
+ - "Committing partition 1:"
+ - " Soft Deleting 3 files: L2.46, L1.1821, L1.1822"
+ - " Creating 3 files"
+ - "**** Simulation run 528, type=split(ReduceOverlap)(split_times=[1686858233596973397]). 1 Input Files, 100mb total:"
+ - "L1, all files 100mb "
+ - "L1.1827[1686857661762616885,1686858236193776466] 1686936871.55s|----------------------------------------L1.1827-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L1 "
+ - "L1.?[1686857661762616885,1686858233596973397] 1686936871.55s 100mb|-----------------------------------------L1.?------------------------------------------| "
+ - "L1.?[1686858233596973398,1686858236193776466] 1686936871.55s 463kb |L1.?|"
+ - "**** Simulation run 529, type=split(ReduceOverlap)(split_times=[1686856536982788349]). 1 Input Files, 100mb total:"
+ - "L1, all files 100mb "
+ - "L1.1824[1686856308052485467,1686856886142808786] 1686936871.55s|----------------------------------------L1.1824-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L1 "
+ - "L1.?[1686856308052485467,1686856536982788349] 1686936871.55s 40mb|--------------L1.?---------------| "
+ - "L1.?[1686856536982788350,1686856886142808786] 1686936871.55s 60mb |------------------------L1.?------------------------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 2 files: L1.1824, L1.1827"
+ - " Creating 4 files"
+ - "**** Simulation run 530, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[1686855548468013502, 1686856256567423703]). 3 Input Files, 240mb total:"
+ - "L1 "
+ - "L1.1823[1686855729962162146,1686856308052485466] 1686936871.55s 100mb |----------L1.1823-----------| "
+ - "L1.1967[1686856308052485467,1686856536982788349] 1686936871.55s 40mb |-L1.1967--| "
+ - "L2 "
+ - "L2.1962[1686854840368603301,1686856536982788349] 1686936871.55s 100mb|----------------------------------------L2.1962-----------------------------------------|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 240mb total:"
+ - "L2 "
+ - "L2.?[1686854840368603301,1686855548468013502] 1686936871.55s 100mb|---------------L2.?----------------| "
+ - "L2.?[1686855548468013503,1686856256567423703] 1686936871.55s 100mb |---------------L2.?----------------| "
+ - "L2.?[1686856256567423704,1686856536982788349] 1686936871.55s 40mb |----L2.?----| "
+ - "Committing partition 1:"
+ - " Soft Deleting 3 files: L1.1823, L2.1962, L1.1967"
+ - " Creating 3 files"
+ - "**** Simulation run 531, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[1686857111714340888, 1686857686445893426]). 4 Input Files, 295mb total:"
+ - "L1 "
+ - "L1.1968[1686856536982788350,1686856886142808786] 1686936871.55s 60mb|----L1.1968-----| "
+ - "L1.1825[1686856886142808787,1686857087331457301] 1686936871.55s 35mb |L1.1825-| "
+ - "L1.1826[1686857087331457302,1686857661762616884] 1686936871.55s 100mb |----------L1.1826-----------| "
+ - "L2 "
+ - "L2.1963[1686856536982788350,1686858233596973397] 1686936871.55s 100mb|----------------------------------------L2.1963-----------------------------------------|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 295mb total:"
+ - "L2 "
+ - "L2.?[1686856536982788350,1686857111714340888] 1686936871.55s 100mb|------------L2.?------------| "
+ - "L2.?[1686857111714340889,1686857686445893426] 1686936871.55s 100mb |------------L2.?------------| "
+ - "L2.?[1686857686445893427,1686858233596973397] 1686936871.55s 95mb |-----------L2.?------------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 4 files: L1.1825, L1.1826, L2.1963, L1.1968"
+ - " Creating 3 files"
+ - "**** Simulation run 532, type=split(ReduceOverlap)(split_times=[1686857686445893426]). 1 Input Files, 100mb total:"
+ - "L1, all files 100mb "
+ - "L1.1965[1686857661762616885,1686858233596973397] 1686936871.55s|----------------------------------------L1.1965-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L1 "
+ - "L1.?[1686857661762616885,1686857686445893426] 1686936871.55s 4mb|L1.?| "
+ - "L1.?[1686857686445893427,1686858233596973397] 1686936871.55s 95mb |----------------------------------------L1.?----------------------------------------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 1 files: L1.1965"
+ - " Creating 2 files"
+ - "**** Simulation run 533, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[1686857492337275263, 1686857872960209637]). 4 Input Files, 295mb total:"
+ - "L1 "
+ - "L1.1975[1686857661762616885,1686857686445893426] 1686936871.55s 4mb |L1.1975| "
+ - "L1.1976[1686857686445893427,1686858233596973397] 1686936871.55s 95mb |-----------------L1.1976-----------------| "
+ - "L2 "
+ - "L2.1973[1686857111714340889,1686857686445893426] 1686936871.55s 100mb|------------------L2.1973-------------------| "
+ - "L2.1974[1686857686445893427,1686858233596973397] 1686936871.55s 95mb |-----------------L2.1974-----------------| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 295mb total:"
+ - "L2 "
+ - "L2.?[1686857111714340889,1686857492337275263] 1686936871.55s 100mb|------------L2.?------------| "
+ - "L2.?[1686857492337275264,1686857872960209637] 1686936871.55s 100mb |------------L2.?------------| "
+ - "L2.?[1686857872960209638,1686858233596973397] 1686936871.55s 95mb |-----------L2.?-----------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 4 files: L2.1973, L2.1974, L1.1975, L1.1976"
+ - " Creating 3 files"
+ - "**** Simulation run 534, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[1686858684102523465, 1686859134608073532]). 7 Input Files, 281mb total:"
+ - "L1 "
+ - "L1.1966[1686858233596973398,1686858236193776466] 1686936871.55s 463kb|L1.1966| "
+ - "L1.1828[1686858236193776467,1686858566228295774] 1686936871.55s 57mb|-------L1.1828-------| "
+ - "L1.1874[1686858566228295775,1686859019000000000] 1686936871.55s 79mb |-----------L1.1874------------| "
+ - "L1.1875[1686859019000000001,1686859138657133582] 1686936871.55s 21mb |L1.1875| "
+ - "L1.1872[1686859138657133583,1686859499000000000] 1686936871.55s 63mb |--------L1.1872--------| "
+ - "L2 "
+ - "L2.1964[1686858233596973398,1686859019000000000] 1686936871.55s 46mb|-----------------------L2.1964-----------------------| "
+ - "L2.54[1686859079000000000,1686859499000000000] 1686928811.43s 14mb |-----------L2.54-----------| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 281mb total:"
+ - "L2 "
+ - "L2.?[1686858233596973398,1686858684102523465] 1686936871.55s 100mb|-------------L2.?-------------| "
+ - "L2.?[1686858684102523466,1686859134608073532] 1686936871.55s 100mb |-------------L2.?-------------| "
+ - "L2.?[1686859134608073533,1686859499000000000] 1686936871.55s 81mb |---------L2.?----------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 7 files: L2.54, L1.1828, L1.1872, L1.1874, L1.1875, L2.1964, L1.1966"
+ - " Creating 3 files"
+ - "**** Simulation run 535, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[1686861405608233334, 1686863312216466667]). 3 Input Files, 220mb total:"
+ - "L1 "
+ - "L1.1873[1686859499000000001,1686859711085971389] 1686936871.55s 37mb|L1.1873| "
+ - "L1.1831[1686859711085971390,1686860203735880900] 1686936871.55s 86mb |L1.1831-| "
+ - "L2 "
+ - "L2.56[1686859559000000000,1686863699000000000] 1686928811.43s 97mb |----------------------------------------L2.56-----------------------------------------| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 220mb total:"
+ - "L2 "
+ - "L2.?[1686859499000000001,1686861405608233334] 1686936871.55s 100mb|-----------------L2.?-----------------| "
+ - "L2.?[1686861405608233335,1686863312216466667] 1686936871.55s 100mb |-----------------L2.?-----------------| "
+ - "L2.?[1686863312216466668,1686863699000000000] 1686936871.55s 20mb |-L2.?-| "
+ - "Committing partition 1:"
+ - " Soft Deleting 3 files: L2.56, L1.1831, L1.1873"
+ - " Creating 3 files"
+ - "**** Simulation run 536, type=split(ReduceOverlap)(split_times=[1686863312216466667]). 1 Input Files, 100mb total:"
+ - "L1, all files 100mb "
+ - "L1.1842[1686863149270270235,1686863696277675850] 1686936871.55s|----------------------------------------L1.1842-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L1 "
+ - "L1.?[1686863149270270235,1686863312216466667] 1686936871.55s 30mb|----------L1.?----------| "
+ - "L1.?[1686863312216466668,1686863696277675850] 1686936871.55s 70mb |----------------------------L1.?-----------------------------| "
+ - "**** Simulation run 537, type=split(ReduceOverlap)(split_times=[1686861405608233334]). 1 Input Files, 100mb total:"
+ - "L1, all files 100mb "
+ - "L1.1838[1686861358211972493,1686861864947613463] 1686936871.55s|----------------------------------------L1.1838-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L1 "
+ - "L1.?[1686861358211972493,1686861405608233334] 1686936871.55s 9mb|-L1.?-| "
+ - "L1.?[1686861405608233335,1686861864947613463] 1686936871.55s 91mb |-------------------------------------L1.?--------------------------------------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 2 files: L1.1838, L1.1842"
+ - " Creating 4 files"
+ - "**** Simulation run 538, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[1686860134536077779, 1686860770072155557]). 3 Input Files, 300mb total:"
+ - "L1, all files 100mb "
+ - "L1.1832[1686860203735880901,1686860851476331520] 1686936871.55s |----------L1.1832-----------| "
+ - "L1.1837[1686860851476331521,1686861358211972492] 1686936871.55s |-------L1.1837-------| "
+ - "L2, all files 100mb "
+ - "L2.1983[1686859499000000001,1686861405608233334] 1686936871.55s|----------------------------------------L2.1983-----------------------------------------|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 300mb total:"
+ - "L2 "
+ - "L2.?[1686859499000000001,1686860134536077779] 1686936871.55s 100mb|------------L2.?------------| "
+ - "L2.?[1686860134536077780,1686860770072155557] 1686936871.55s 100mb |-----------L2.?------------| "
+ - "L2.?[1686860770072155558,1686861405608233334] 1686936871.55s 100mb |-----------L2.?------------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 3 files: L1.1832, L1.1837, L2.1983"
+ - " Creating 3 files"
+ - "**** Simulation run 539, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[1686861617453595289, 1686862464835035020]). 4 Input Files, 300mb total:"
+ - "L1 "
+ - "L1.1988[1686861358211972493,1686861405608233334] 1686936871.55s 9mb |L1.1988| "
+ - "L1.1989[1686861405608233335,1686861864947613463] 1686936871.55s 91mb |---L1.1989----| "
+ - "L2 "
+ - "L2.1992[1686860770072155558,1686861405608233334] 1686936871.55s 100mb|------L2.1992-------| "
+ - "L2.1984[1686861405608233335,1686863312216466667] 1686936871.55s 100mb |-----------------------------L2.1984-----------------------------| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 300mb total:"
+ - "L2 "
+ - "L2.?[1686860770072155558,1686861617453595289] 1686936871.55s 100mb|------------L2.?------------| "
+ - "L2.?[1686861617453595290,1686862464835035020] 1686936871.55s 100mb |------------L2.?------------| "
+ - "L2.?[1686862464835035021,1686863312216466667] 1686936871.55s 100mb |-----------L2.?------------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 4 files: L2.1984, L1.1988, L1.1989, L2.1992"
+ - " Creating 3 files"
+ - "**** Simulation run 540, type=split(ReduceOverlap)(split_times=[1686862464835035020]). 1 Input Files, 100mb total:"
+ - "L1, all files 100mb "
+ - "L1.1840[1686862278459459426,1686862801147318435] 1686936871.55s|----------------------------------------L1.1840-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L1 "
+ - "L1.?[1686862278459459426,1686862464835035020] 1686936871.55s 36mb|-------------L1.?-------------| "
+ - "L1.?[1686862464835035021,1686862801147318435] 1686936871.55s 64mb |-------------------------L1.?--------------------------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 1 files: L1.1840"
+ - " Creating 2 files"
+ - "**** Simulation run 541, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[1686862007484245554, 1686862397514895818]). 3 Input Files, 217mb total:"
+ - "L1 "
+ - "L1.1839[1686861864947613464,1686862278459459425] 1686936871.55s 82mb |-----------------L1.1839-----------------| "
+ - "L1.1996[1686862278459459426,1686862464835035020] 1686936871.55s 36mb |-----L1.1996-----| "
+ - "L2 "
+ - "L2.1994[1686861617453595290,1686862464835035020] 1686936871.55s 100mb|----------------------------------------L2.1994-----------------------------------------|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 217mb total:"
+ - "L2 "
+ - "L2.?[1686861617453595290,1686862007484245554] 1686936871.55s 100mb|-----------------L2.?------------------| "
+ - "L2.?[1686862007484245555,1686862397514895818] 1686936871.55s 100mb |-----------------L2.?------------------| "
+ - "L2.?[1686862397514895819,1686862464835035020] 1686936871.55s 17mb |L2.?-| "
+ - "Committing partition 1:"
+ - " Soft Deleting 3 files: L1.1839, L2.1994, L1.1996"
+ - " Creating 3 files"
+ - "**** Simulation run 542, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[1686862789833508891, 1686863114831982761]). 4 Input Files, 261mb total:"
+ - "L1 "
+ - "L1.1997[1686862464835035021,1686862801147318435] 1686936871.55s 64mb|-------------L1.1997-------------| "
+ - "L1.1841[1686862801147318436,1686863149270270234] 1686936871.55s 67mb |-------------L1.1841--------------| "
+ - "L1.1986[1686863149270270235,1686863312216466667] 1686936871.55s 30mb |----L1.1986----| "
+ - "L2 "
+ - "L2.1995[1686862464835035021,1686863312216466667] 1686936871.55s 100mb|----------------------------------------L2.1995-----------------------------------------|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 261mb total:"
+ - "L2 "
+ - "L2.?[1686862464835035021,1686862789833508891] 1686936871.55s 100mb|--------------L2.?--------------| "
+ - "L2.?[1686862789833508892,1686863114831982761] 1686936871.55s 100mb |--------------L2.?--------------| "
+ - "L2.?[1686863114831982762,1686863312216466667] 1686936871.55s 61mb |-------L2.?-------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 4 files: L1.1841, L1.1986, L2.1995, L1.1997"
+ - " Creating 3 files"
+ - "**** Simulation run 543, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[1686864893143269255, 1686866474070071842]). 5 Input Files, 286mb total:"
+ - "L1 "
+ - "L1.1987[1686863312216466668,1686863696277675850] 1686936871.55s 70mb|L1.1987| "
+ - "L1.1870[1686863696277675851,1686863699000000000] 1686936871.55s 510kb |L1.1870| "
+ - "L1.1871[1686863699000000001,1686864243285081465] 1686936871.55s 100mb |L1.1871-| "
+ - "L2 "
+ - "L2.1985[1686863312216466668,1686863699000000000] 1686936871.55s 20mb|L2.1985| "
+ - "L2.59[1686863759000000000,1686867839000000000] 1686928811.43s 96mb |-------------------------------------L2.59-------------------------------------| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 286mb total:"
+ - "L2 "
+ - "L2.?[1686863312216466668,1686864893143269255] 1686936871.55s 100mb|------------L2.?-------------| "
+ - "L2.?[1686864893143269256,1686866474070071842] 1686936871.55s 100mb |------------L2.?-------------| "
+ - "L2.?[1686866474070071843,1686867839000000000] 1686936871.55s 86mb |----------L2.?-----------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 5 files: L2.59, L1.1870, L1.1871, L2.1985, L1.1987"
+ - " Creating 3 files"
+ - "**** Simulation run 544, type=split(ReduceOverlap)(split_times=[1686866474070071842]). 1 Input Files, 67mb total:"
+ - "L1, all files 67mb "
+ - "L1.1847[1686866132997818681,1686866632513513490] 1686936871.55s|----------------------------------------L1.1847-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 67mb total:"
+ - "L1 "
+ - "L1.?[1686866132997818681,1686866474070071842] 1686936871.55s 46mb|---------------------------L1.?----------------------------| "
+ - "L1.?[1686866474070071843,1686866632513513490] 1686936871.55s 21mb |-----------L1.?-----------| "
+ - "**** Simulation run 545, type=split(ReduceOverlap)(split_times=[1686864893143269255]). 1 Input Files, 100mb total:"
+ - "L1, all files 100mb "
+ - "L1.1845[1686864651607515460,1686865392302667070] 1686936871.55s|----------------------------------------L1.1845-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L1 "
+ - "L1.?[1686864651607515460,1686864893143269255] 1686936871.55s 33mb|-----------L1.?------------| "
+ - "L1.?[1686864893143269256,1686865392302667070] 1686936871.55s 67mb |---------------------------L1.?---------------------------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 2 files: L1.1845, L1.1847"
+ - " Creating 4 files"
+ - "**** Simulation run 546, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[1686864075006108740, 1686864837795750812]). 3 Input Files, 207mb total:"
+ - "L1 "
+ - "L1.1844[1686864243285081466,1686864651607515459] 1686936871.55s 75mb |-------L1.1844-------| "
+ - "L1.2009[1686864651607515460,1686864893143269255] 1686936871.55s 33mb |--L1.2009--| "
+ - "L2 "
+ - "L2.2004[1686863312216466668,1686864893143269255] 1686936871.55s 100mb|----------------------------------------L2.2004-----------------------------------------|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 207mb total:"
+ - "L2 "
+ - "L2.?[1686863312216466668,1686864075006108740] 1686936871.55s 100mb|------------------L2.?-------------------| "
+ - "L2.?[1686864075006108741,1686864837795750812] 1686936871.55s 100mb |------------------L2.?-------------------| "
+ - "L2.?[1686864837795750813,1686864893143269255] 1686936871.55s 7mb |L2.?|"
+ - "Committing partition 1:"
+ - " Soft Deleting 3 files: L1.1844, L2.2004, L1.2009"
+ - " Creating 3 files"
+ - "**** Simulation run 547, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[1686865484385600871, 1686866075627932486]). 3 Input Files, 267mb total:"
+ - "L1 "
+ - "L1.2010[1686864893143269256,1686865392302667070] 1686936871.55s 67mb|---------L1.2010----------| "
+ - "L1.1846[1686865392302667071,1686866132997818680] 1686936871.55s 100mb |----------------L1.1846-----------------| "
+ - "L2 "
+ - "L2.2005[1686864893143269256,1686866474070071842] 1686936871.55s 100mb|----------------------------------------L2.2005-----------------------------------------|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 267mb total:"
+ - "L2 "
+ - "L2.?[1686864893143269256,1686865484385600871] 1686936871.55s 100mb|-------------L2.?--------------| "
+ - "L2.?[1686865484385600872,1686866075627932486] 1686936871.55s 100mb |-------------L2.?--------------| "
+ - "L2.?[1686866075627932487,1686866474070071842] 1686936871.55s 67mb |--------L2.?--------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 3 files: L1.1846, L2.2005, L1.2010"
+ - " Creating 3 files"
+ - "**** Simulation run 548, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[1686866872932211465, 1686867670236490443]). 4 Input Files, 221mb total:"
+ - "L1 "
+ - "L1.2007[1686866132997818681,1686866474070071842] 1686936871.55s 46mb |----L1.2007----| "
+ - "L1.2008[1686866474070071843,1686866632513513490] 1686936871.55s 21mb |L1.2008| "
+ - "L2 "
+ - "L2.2016[1686866075627932487,1686866474070071842] 1686936871.55s 67mb|-----L2.2016------| "
+ - "L2.2006[1686866474070071843,1686867839000000000] 1686936871.55s 86mb |------------------------------L2.2006------------------------------| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 221mb total:"
+ - "L2 "
+ - "L2.?[1686866075627932487,1686866872932211465] 1686936871.55s 100mb|-----------------L2.?-----------------| "
+ - "L2.?[1686866872932211466,1686867670236490443] 1686936871.55s 100mb |-----------------L2.?-----------------| "
+ - "L2.?[1686867670236490444,1686867839000000000] 1686936871.55s 21mb |-L2.?-| "
+ - "Committing partition 1:"
+ - " Soft Deleting 4 files: L2.2006, L1.2007, L1.2008, L2.2016"
+ - " Creating 3 files"
+ - "**** Simulation run 549, type=split(ReduceOverlap)(split_times=[1686867670236490443]). 1 Input Files, 82mb total:"
+ - "L1, all files 82mb "
+ - "L1.1868[1686867294213029770,1686867839000000000] 1686936871.55s|----------------------------------------L1.1868-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 82mb total:"
+ - "L1 "
+ - "L1.?[1686867294213029770,1686867670236490443] 1686936871.55s 57mb|----------------------------L1.?----------------------------| "
+ - "L1.?[1686867670236490444,1686867839000000000] 1686936871.55s 26mb |----------L1.?-----------| "
+ - "**** Simulation run 550, type=split(ReduceOverlap)(split_times=[1686866872932211465]). 1 Input Files, 100mb total:"
+ - "L1, all files 100mb "
+ - "L1.1848[1686866632513513491,1686867294213029769] 1686936871.55s|----------------------------------------L1.1848-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L1 "
+ - "L1.?[1686866632513513491,1686866872932211465] 1686936871.55s 36mb|-------------L1.?-------------| "
+ - "L1.?[1686866872932211466,1686867294213029769] 1686936871.55s 64mb |-------------------------L1.?--------------------------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 2 files: L1.1848, L1.1868"
+ - " Creating 4 files"
+ - "**** Simulation run 551, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[1686866607164120163, 1686867138700307839]). 4 Input Files, 300mb total:"
+ - "L1 "
+ - "L1.2022[1686866632513513491,1686866872932211465] 1686936871.55s 36mb |--L1.2022--| "
+ - "L1.2023[1686866872932211466,1686867294213029769] 1686936871.55s 64mb |-------L1.2023-------| "
+ - "L2 "
+ - "L2.2017[1686866075627932487,1686866872932211465] 1686936871.55s 100mb|------------------L2.2017------------------| "
+ - "L2.2018[1686866872932211466,1686867670236490443] 1686936871.55s 100mb |-----------------L2.2018------------------| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 300mb total:"
+ - "L2 "
+ - "L2.?[1686866075627932487,1686866607164120163] 1686936871.55s 100mb|------------L2.?------------| "
+ - "L2.?[1686866607164120164,1686867138700307839] 1686936871.55s 100mb |------------L2.?------------| "
+ - "L2.?[1686867138700307840,1686867670236490443] 1686936871.55s 100mb |-----------L2.?------------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 4 files: L2.2017, L2.2018, L1.2022, L1.2023"
+ - " Creating 3 files"
+ - "**** Simulation run 552, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[1686867545868269737, 1686867953036231634]). 7 Input Files, 290mb total:"
+ - "L1 "
+ - "L1.2020[1686867294213029770,1686867670236490443] 1686936871.55s 57mb |---------L1.2020----------| "
+ - "L1.2021[1686867670236490444,1686867839000000000] 1686936871.55s 26mb |-L1.2021--| "
+ - "L1.1869[1686867839000000001,1686867955912546047] 1686936871.55s 18mb |L1.1869| "
+ - "L1.1850[1686867955912546048,1686868319000000000] 1686936871.55s 55mb |---------L1.1850---------| "
+ - "L2 "
+ - "L2.2026[1686867138700307840,1686867670236490443] 1686936871.55s 100mb|---------------L2.2026----------------| "
+ - "L2.2019[1686867670236490444,1686867839000000000] 1686936871.55s 21mb |-L2.2019--| "
+ - "L2.74[1686867899000000000,1686868319000000000] 1686928811.43s 14mb |------------L2.74-------------| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 290mb total:"
+ - "L2 "
+ - "L2.?[1686867138700307840,1686867545868269737] 1686936871.55s 100mb|------------L2.?-------------| "
+ - "L2.?[1686867545868269738,1686867953036231634] 1686936871.55s 100mb |------------L2.?-------------| "
+ - "L2.?[1686867953036231635,1686868319000000000] 1686936871.55s 90mb |----------L2.?-----------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 7 files: L2.74, L1.1850, L1.1869, L2.2019, L1.2020, L1.2021, L2.2026"
+ - " Creating 3 files"
+ - "**** Simulation run 553, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[1686870526488100069, 1686872733976200137]). 3 Input Files, 239mb total:"
+ - "L1 "
+ - "L1.1851[1686868319000000001,1686869101428723112] 1686936871.55s 100mb|--L1.1851--| "
+ - "L1.1856[1686869101428723113,1686869556056907425] 1686936871.55s 100mb |L1.1856| "
+ - "L2 "
+ - "L2.78[1686868379000000000,1686873599000000000] 1686928118.43s 39mb |----------------------------------------L2.78-----------------------------------------| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 239mb total:"
+ - "L2 "
+ - "L2.?[1686868319000000001,1686870526488100069] 1686936871.55s 100mb|---------------L2.?----------------| "
+ - "L2.?[1686870526488100070,1686872733976200137] 1686936871.55s 100mb |---------------L2.?----------------| "
+ - "L2.?[1686872733976200138,1686873599000000000] 1686936871.55s 39mb |----L2.?----| "
+ - "Committing partition 1:"
+ - " Soft Deleting 3 files: L2.78, L1.1851, L1.1856"
+ - " Creating 3 files"
+ - "**** Simulation run 554, type=split(ReduceOverlap)(split_times=[1686872733976200137]). 1 Input Files, 100mb total:"
+ - "L1, all files 100mb "
+ - "L1.1865[1686872264751876845,1686872735710689569] 1686936871.55s|----------------------------------------L1.1865-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L1 "
+ - "L1.?[1686872264751876845,1686872733976200137] 1686936871.55s 100mb|-----------------------------------------L1.?------------------------------------------| "
+ - "L1.?[1686872733976200138,1686872735710689569] 1686936871.55s 377kb |L1.?|"
+ - "**** Simulation run 555, type=split(ReduceOverlap)(split_times=[1686870526488100069]). 1 Input Files, 100mb total:"
+ - "L1, all files 100mb "
+ - "L1.1859[1686870115756756731,1686870726636810267] 1686936871.55s|----------------------------------------L1.1859-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L1 "
+ - "L1.?[1686870115756756731,1686870526488100069] 1686936871.55s 67mb|---------------------------L1.?---------------------------| "
+ - "L1.?[1686870526488100070,1686870726636810267] 1686936871.55s 33mb |-----------L1.?------------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 2 files: L1.1859, L1.1865"
+ - " Creating 4 files"
+ - "**** Simulation run 556, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[1686869079291584458, 1686869839583168915]). 4 Input Files, 290mb total:"
+ - "L1 "
+ - "L1.1857[1686869556056907426,1686870010685091737] 1686936871.55s 100mb |----L1.1857-----| "
+ - "L1.1858[1686870010685091738,1686870115756756730] 1686936871.55s 23mb |L1.1858| "
+ - "L1.2035[1686870115756756731,1686870526488100069] 1686936871.55s 67mb |---L1.2035----| "
+ - "L2 "
+ - "L2.2030[1686868319000000001,1686870526488100069] 1686936871.55s 100mb|----------------------------------------L2.2030-----------------------------------------|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 290mb total:"
+ - "L2 "
+ - "L2.?[1686868319000000001,1686869079291584458] 1686936871.55s 100mb|------------L2.?------------| "
+ - "L2.?[1686869079291584459,1686869839583168915] 1686936871.55s 100mb |------------L2.?------------| "
+ - "L2.?[1686869839583168916,1686870526488100069] 1686936871.55s 90mb |-----------L2.?-----------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 4 files: L1.1857, L1.1858, L2.2030, L1.2035"
+ - " Creating 3 files"
+ - "**** Simulation run 557, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[1686871474868504238, 1686872423248908406]). 3 Input Files, 233mb total:"
+ - "L1 "
+ - "L1.2036[1686870526488100070,1686870726636810267] 1686936871.55s 33mb|L1.2036| "
+ - "L1.1860[1686870726636810268,1686871337516863803] 1686936871.55s 100mb |-------L1.1860--------| "
+ - "L2 "
+ - "L2.2031[1686870526488100070,1686872733976200137] 1686936871.55s 100mb|----------------------------------------L2.2031-----------------------------------------|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 233mb total:"
+ - "L2 "
+ - "L2.?[1686870526488100070,1686871474868504238] 1686936871.55s 100mb|----------------L2.?----------------| "
+ - "L2.?[1686871474868504239,1686872423248908406] 1686936871.55s 100mb |----------------L2.?----------------| "
+ - "L2.?[1686872423248908407,1686872733976200137] 1686936871.55s 33mb |---L2.?---| "
+ - "Committing partition 1:"
+ - " Soft Deleting 3 files: L1.1860, L2.2031, L1.2036"
+ - " Creating 3 files"
+ - "**** Simulation run 558, type=split(ReduceOverlap)(split_times=[1686872423248908406]). 1 Input Files, 100mb total:"
+ - "L1, all files 100mb "
+ - "L1.2033[1686872264751876845,1686872733976200137] 1686936871.55s|----------------------------------------L1.2033-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L1 "
+ - "L1.?[1686872264751876845,1686872423248908406] 1686936871.55s 34mb|------------L1.?------------| "
+ - "L1.?[1686872423248908407,1686872733976200137] 1686936871.55s 66mb |--------------------------L1.?---------------------------| "
+ - "**** Simulation run 559, type=split(ReduceOverlap)(split_times=[1686871474868504238]). 1 Input Files, 100mb total:"
+ - "L1, all files 100mb "
+ - "L1.1862[1686871337516863804,1686871801134370324] 1686936871.55s|----------------------------------------L1.1862-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 100mb total:"
+ - "L1 "
+ - "L1.?[1686871337516863804,1686871474868504238] 1686936871.55s 30mb|----------L1.?----------| "
+ - "L1.?[1686871474868504239,1686871801134370324] 1686936871.55s 70mb |----------------------------L1.?-----------------------------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 2 files: L1.1862, L1.2033"
+ - " Creating 4 files"
+ - "**** Simulation run 560, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[1686871158741704859, 1686871790995309648]). 4 Input Files, 300mb total:"
+ - "L1 "
+ - "L1.2045[1686871337516863804,1686871474868504238] 1686936871.55s 30mb |L1.2045| "
+ - "L1.2046[1686871474868504239,1686871801134370324] 1686936871.55s 70mb |---L1.2046---| "
+ - "L2 "
+ - "L2.2040[1686870526488100070,1686871474868504238] 1686936871.55s 100mb|------------------L2.2040------------------| "
+ - "L2.2041[1686871474868504239,1686872423248908406] 1686936871.55s 100mb |-----------------L2.2041------------------| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 300mb total:"
+ - "L2 "
+ - "L2.?[1686870526488100070,1686871158741704859] 1686936871.55s 100mb|------------L2.?------------| "
+ - "L2.?[1686871158741704860,1686871790995309648] 1686936871.55s 100mb |------------L2.?------------| "
+ - "L2.?[1686871790995309649,1686872423248908406] 1686936871.55s 100mb |-----------L2.?------------| "
+ - "Committing partition 1:"
+ - " Soft Deleting 4 files: L2.2040, L2.2041, L1.2045, L1.2046"
+ - " Creating 3 files"
+ - "**** Simulation run 561, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[1686872061589130317, 1686872332182950985]). 3 Input Files, 234mb total:"
+ - "L1 "
+ - "L1.1863[1686871801134370325,1686872264751876844] 1686936871.55s 100mb |----------------------------L1.1863----------------------------| "
+ - "L1.2043[1686872264751876845,1686872423248908406] 1686936871.55s 34mb |------L1.2043-------| "
+ - "L2 "
+ - "L2.2049[1686871790995309649,1686872423248908406] 1686936871.55s 100mb|----------------------------------------L2.2049-----------------------------------------|"
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 234mb total:"
+ - "L2 "
+ - "L2.?[1686871790995309649,1686872061589130317] 1686936871.55s 100mb|----------------L2.?----------------| "
+ - "L2.?[1686872061589130318,1686872332182950985] 1686936871.55s 100mb |----------------L2.?----------------| "
+ - "L2.?[1686872332182950986,1686872423248908406] 1686936871.55s 34mb |---L2.?---| "
+ - "Committing partition 1:"
+ - " Soft Deleting 3 files: L1.1863, L1.2043, L2.2049"
+ - " Creating 3 files"
+ - "**** Simulation run 562, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[1686872916648819217, 1686873410048730027]). 5 Input Files, 238mb total:"
+ - "L1 "
+ - "L1.2044[1686872423248908407,1686872733976200137] 1686936871.55s 66mb|-------L1.2044-------| "
+ - "L1.2034[1686872733976200138,1686872735710689569] 1686936871.55s 377kb |L1.2034| "
+ - "L1.1866[1686872735710689570,1686873206669502293] 1686936871.55s 100mb |-------------L1.1866--------------| "
+ - "L2 "
+ - "L2.2042[1686872423248908407,1686872733976200137] 1686936871.55s 33mb|-------L2.2042-------| "
+ - "L2.2032[1686872733976200138,1686873599000000000] 1686936871.55s 39mb |----------------------------L2.2032-----------------------------| "
+ - "**** 3 Output Files (parquet_file_id not yet assigned), 238mb total:"
+ - "L2 "
+ - "L2.?[1686872423248908407,1686872916648819217] 1686936871.55s 100mb|---------------L2.?----------------| "
+ - "L2.?[1686872916648819218,1686873410048730027] 1686936871.55s 100mb |---------------L2.?----------------| "
+ - "L2.?[1686873410048730028,1686873599000000000] 1686936871.55s 38mb |----L2.?----| "
+ - "Committing partition 1:"
+ - " Soft Deleting 5 files: L1.1866, L2.2032, L1.2034, L2.2042, L1.2044"
+ - " Creating 3 files"
+ - "**** Final Output Files (49.67gb written)"
+ - "L1 "
+ - "L1.1867[1686873206669502294,1686873599000000000] 1686936871.55s 83mb |L1.1867|"
+ - "L2 "
+ - "L2.1889[1686841379000000000,1686842394885830950] 1686936871.55s 100mb|L2.1889| "
+ - "L2.1890[1686842394885830951,1686842786390926609] 1686936871.55s 39mb |L2.1890| "
+ - "L2.1891[1686842786390926610,1686843316416264410] 1686936871.55s 100mb |L2.1891| "
+ - "L2.1896[1686843316416264411,1686843684225379958] 1686936871.55s 100mb |L2.1896| "
+ - "L2.1897[1686843684225379959,1686844052034495505] 1686936871.55s 100mb |L2.1897| "
+ - "L2.1898[1686844052034495506,1686844193781853218] 1686936871.55s 39mb |L2.1898| "
+ - "L2.1899[1686844193781853219,1686844848044941008] 1686936871.55s 100mb |L2.1899| "
+ - "L2.1904[1686844848044941009,1686845161518308591] 1686936871.55s 100mb |L2.1904| "
+ - "L2.1905[1686845161518308592,1686845474991676173] 1686936871.55s 100mb |L2.1905| "
+ - "L2.1906[1686845474991676174,1686845579000000000] 1686936871.55s 33mb |L2.1906| "
+ - "L2.1914[1686845579000000001,1686846586992441776] 1686936871.55s 100mb |L2.1914| "
+ - "L2.1919[1686846586992441777,1686847213091270336] 1686936871.55s 100mb |L2.1919| "
+ - "L2.1920[1686847213091270337,1686847594984883551] 1686936871.55s 61mb |L2.1920| "
+ - "L2.1921[1686847594984883552,1686847967133302591] 1686936871.55s 100mb |L2.1921| "
+ - "L2.1922[1686847967133302592,1686848339281721630] 1686936871.55s 100mb |L2.1922| "
+ - "L2.1923[1686848339281721631,1686848602977306099] 1686936871.55s 71mb |L2.1923| "
+ - "L2.1924[1686848602977306100,1686849027096194358] 1686936871.55s 100mb |L2.1924| "
+ - "L2.1925[1686849027096194359,1686849451215082616] 1686936871.55s 100mb |L2.1925| "
+ - "L2.1926[1686849451215082617,1686849779000000000] 1686936871.55s 77mb |L2.1926| "
+ - "L2.1934[1686849779000000001,1686851019138093591] 1686936871.55s 100mb |L2.1934| "
+ - "L2.1939[1686851019138093592,1686851845896821338] 1686936871.55s 100mb |L2.1939| "
+ - "L2.1944[1686851845896821339,1686852397069307378] 1686936871.55s 100mb |L2.1944| "
+ - "L2.1949[1686852397069307379,1686852764517630237] 1686936871.55s 100mb |L2.1949| "
+ - "L2.1950[1686852764517630238,1686853131965953095] 1686936871.55s 100mb |L2.1950| "
+ - "L2.1952[1686853131965953096,1686853754631187460] 1686936871.55s 100mb |L2.1952| "
+ - "L2.1958[1686853754631187461,1686854074019438293] 1686936871.55s 100mb |L2.1958| "
+ - "L2.1959[1686854074019438294,1686854377296421824] 1686936871.55s 95mb |L2.1959| "
+ - "L2.1960[1686854377296421825,1686854689009102312] 1686936871.55s 100mb |L2.1960| "
+ - "L2.1961[1686854689009102313,1686854840368603300] 1686936871.55s 49mb |L2.1961| "
+ - "L2.1969[1686854840368603301,1686855548468013502] 1686936871.55s 100mb |L2.1969| "
+ - "L2.1970[1686855548468013503,1686856256567423703] 1686936871.55s 100mb |L2.1970| "
+ - "L2.1971[1686856256567423704,1686856536982788349] 1686936871.55s 40mb |L2.1971| "
+ - "L2.1972[1686856536982788350,1686857111714340888] 1686936871.55s 100mb |L2.1972| "
+ - "L2.1977[1686857111714340889,1686857492337275263] 1686936871.55s 100mb |L2.1977| "
+ - "L2.1978[1686857492337275264,1686857872960209637] 1686936871.55s 100mb |L2.1978| "
+ - "L2.1979[1686857872960209638,1686858233596973397] 1686936871.55s 95mb |L2.1979| "
+ - "L2.1980[1686858233596973398,1686858684102523465] 1686936871.55s 100mb |L2.1980| "
+ - "L2.1981[1686858684102523466,1686859134608073532] 1686936871.55s 100mb |L2.1981| "
+ - "L2.1982[1686859134608073533,1686859499000000000] 1686936871.55s 81mb |L2.1982| "
+ - "L2.1990[1686859499000000001,1686860134536077779] 1686936871.55s 100mb |L2.1990| "
+ - "L2.1991[1686860134536077780,1686860770072155557] 1686936871.55s 100mb |L2.1991| "
+ - "L2.1993[1686860770072155558,1686861617453595289] 1686936871.55s 100mb |L2.1993| "
+ - "L2.1998[1686861617453595290,1686862007484245554] 1686936871.55s 100mb |L2.1998| "
+ - "L2.1999[1686862007484245555,1686862397514895818] 1686936871.55s 100mb |L2.1999| "
+ - "L2.2000[1686862397514895819,1686862464835035020] 1686936871.55s 17mb |L2.2000| "
+ - "L2.2001[1686862464835035021,1686862789833508891] 1686936871.55s 100mb |L2.2001| "
+ - "L2.2002[1686862789833508892,1686863114831982761] 1686936871.55s 100mb |L2.2002| "
+ - "L2.2003[1686863114831982762,1686863312216466667] 1686936871.55s 61mb |L2.2003| "
+ - "L2.2011[1686863312216466668,1686864075006108740] 1686936871.55s 100mb |L2.2011| "
+ - "L2.2012[1686864075006108741,1686864837795750812] 1686936871.55s 100mb |L2.2012| "
+ - "L2.2013[1686864837795750813,1686864893143269255] 1686936871.55s 7mb |L2.2013| "
+ - "L2.2014[1686864893143269256,1686865484385600871] 1686936871.55s 100mb |L2.2014| "
+ - "L2.2015[1686865484385600872,1686866075627932486] 1686936871.55s 100mb |L2.2015| "
+ - "L2.2024[1686866075627932487,1686866607164120163] 1686936871.55s 100mb |L2.2024| "
+ - "L2.2025[1686866607164120164,1686867138700307839] 1686936871.55s 100mb |L2.2025| "
+ - "L2.2027[1686867138700307840,1686867545868269737] 1686936871.55s 100mb |L2.2027| "
+ - "L2.2028[1686867545868269738,1686867953036231634] 1686936871.55s 100mb |L2.2028| "
+ - "L2.2029[1686867953036231635,1686868319000000000] 1686936871.55s 90mb |L2.2029| "
+ - "L2.2037[1686868319000000001,1686869079291584458] 1686936871.55s 100mb |L2.2037| "
+ - "L2.2038[1686869079291584459,1686869839583168915] 1686936871.55s 100mb |L2.2038| "
+ - "L2.2039[1686869839583168916,1686870526488100069] 1686936871.55s 90mb |L2.2039| "
+ - "L2.2047[1686870526488100070,1686871158741704859] 1686936871.55s 100mb |L2.2047|"
+ - "L2.2048[1686871158741704860,1686871790995309648] 1686936871.55s 100mb |L2.2048|"
+ - "L2.2050[1686871790995309649,1686872061589130317] 1686936871.55s 100mb |L2.2050|"
+ - "L2.2051[1686872061589130318,1686872332182950985] 1686936871.55s 100mb |L2.2051|"
+ - "L2.2052[1686872332182950986,1686872423248908406] 1686936871.55s 34mb |L2.2052|"
+ - "L2.2053[1686872423248908407,1686872916648819217] 1686936871.55s 100mb |L2.2053|"
+ - "L2.2054[1686872916648819218,1686873410048730027] 1686936871.55s 100mb |L2.2054|"
+ - "L2.2055[1686873410048730028,1686873599000000000] 1686936871.55s 38mb |L2.2055|"
+ "###
+ );
+}
|
e8d9b028186370c6bdc66b28597e91c85edcb3be
|
Trevor Hilton
|
2024-07-16 10:57:48
|
`DELETE` last cache API (#25162)
|
Adds an API for deleting last caches.
- The API allows parameters to be passed in either the request URI query string, or in the body as JSON
- Some additional error modes were handled, specifically, for better HTTP status code responses, e.g., invalid content type is now a 415, URL query string parsing errors are now 400
- An end-to-end test was added to check behaviour of the API
| null |
feat: `DELETE` last cache API (#25162)
Adds an API for deleting last caches.
- The API allows parameters to be passed in either the request URI query string, or in the body as JSON
- Some additional error modes were handled, specifically, for better HTTP status code responses, e.g., invalid content type is now a 415, URL query string parsing errors are now 400
- An end-to-end test was added to check behaviour of the API
|
diff --git a/influxdb3/tests/server/configure.rs b/influxdb3/tests/server/configure.rs
index 6fb24de5b2..7c09aed513 100644
--- a/influxdb3/tests/server/configure.rs
+++ b/influxdb3/tests/server/configure.rs
@@ -169,3 +169,194 @@ async fn api_v3_configure_last_cache_create() {
assert_eq!(t.expected, status, "test case ({i}) failed");
}
}
+
+#[tokio::test]
+async fn api_v3_configure_last_cache_delete() {
+ let server = TestServer::spawn().await;
+ let client = reqwest::Client::new();
+ let url = format!(
+ "{base}/api/v3/configure/last_cache",
+ base = server.client_addr()
+ );
+
+ // Write some LP to the database to initialize the catalog:
+ let db_name = "db";
+ let tbl_name = "tbl";
+ let cache_name = "test_cache";
+ server
+ .write_lp_to_db(
+ db_name,
+ format!("{tbl_name},t1=a,t2=b,t3=c f1=true,f2=\"hello\",f3=4i,f4=4u,f5=5 1000"),
+ influxdb3_client::Precision::Second,
+ )
+ .await
+ .expect("write to db");
+
+ struct TestCase {
+ request: Request,
+ // This is the status code expected in the response:
+ expected: StatusCode,
+ }
+
+ enum Request {
+ Create(serde_json::Value),
+ Delete(DeleteRequest),
+ }
+
+ #[derive(Default)]
+ struct DeleteRequest {
+ db: Option<&'static str>,
+ table: Option<&'static str>,
+ name: Option<&'static str>,
+ }
+
+ use Request::*;
+ let mut test_cases = [
+ // Create a cache:
+ TestCase {
+ request: Create(serde_json::json!({
+ "db": db_name,
+ "table": tbl_name,
+ "name": cache_name,
+ })),
+ expected: StatusCode::CREATED,
+ },
+ // Missing all params:
+ TestCase {
+ request: Delete(DeleteRequest {
+ ..Default::default()
+ }),
+ expected: StatusCode::BAD_REQUEST,
+ },
+ // Partial params:
+ TestCase {
+ request: Delete(DeleteRequest {
+ db: Some(db_name),
+ ..Default::default()
+ }),
+ expected: StatusCode::BAD_REQUEST,
+ },
+ // Partial params:
+ TestCase {
+ request: Delete(DeleteRequest {
+ table: Some(tbl_name),
+ ..Default::default()
+ }),
+ expected: StatusCode::BAD_REQUEST,
+ },
+ // Partial params:
+ TestCase {
+ request: Delete(DeleteRequest {
+ name: Some(cache_name),
+ ..Default::default()
+ }),
+ expected: StatusCode::BAD_REQUEST,
+ },
+ // Partial params:
+ TestCase {
+ request: Delete(DeleteRequest {
+ db: Some(db_name),
+ table: Some(tbl_name),
+ ..Default::default()
+ }),
+ expected: StatusCode::BAD_REQUEST,
+ },
+ // All params, good:
+ TestCase {
+ request: Delete(DeleteRequest {
+ db: Some(db_name),
+ table: Some(tbl_name),
+ name: Some(cache_name),
+ }),
+ expected: StatusCode::OK,
+ },
+ // Same as previous, with correct parameters provided, but gest 404, as its already deleted:
+ TestCase {
+ request: Delete(DeleteRequest {
+ db: Some(db_name),
+ table: Some(tbl_name),
+ name: Some(cache_name),
+ }),
+ expected: StatusCode::NOT_FOUND,
+ },
+ ];
+
+ // Do one pass using the JSON body to delete:
+ for (i, t) in test_cases.iter().enumerate() {
+ match &t.request {
+ Create(body) => assert!(
+ client
+ .post(&url)
+ .json(&body)
+ .send()
+ .await
+ .expect("create request succeeds")
+ .status()
+ .is_success(),
+ "Creation test case ({i}) failed"
+ ),
+ Delete(req) => {
+ let body = serde_json::json!({
+ "db": req.db,
+ "table": req.table,
+ "name": req.name,
+ });
+ let resp = client
+ .delete(&url)
+ .json(&body)
+ .send()
+ .await
+ .expect("send /api/v3/configure/last_cache request");
+ let status = resp.status();
+ assert_eq!(
+ t.expected, status,
+ "Deletion test case ({i}) using JSON body failed"
+ );
+ }
+ }
+ }
+
+ // Do another pass using the URI query string to delete:
+ // Note: this particular test exhibits different status code, because the empty query string
+ // as a result of there being no parameters provided makes the request handler attempt to
+ // parse the body as JSON - which gives a 415 error, because there is no body or content type
+ test_cases[1].expected = StatusCode::UNSUPPORTED_MEDIA_TYPE;
+ for (i, t) in test_cases.iter().enumerate() {
+ match &t.request {
+ Create(body) => assert!(
+ client
+ .post(&url)
+ .json(&body)
+ .send()
+ .await
+ .expect("create request succeeds")
+ .status()
+ .is_success(),
+ "Creation test case ({i}) failed"
+ ),
+ Delete(req) => {
+ let mut params = vec![];
+ if let Some(db) = req.db {
+ params.push(("db", db));
+ }
+ if let Some(table) = req.table {
+ params.push(("table", table));
+ }
+ if let Some(name) = req.name {
+ params.push(("name", name));
+ }
+ let resp = client
+ .delete(&url)
+ .query(¶ms)
+ .send()
+ .await
+ .expect("send /api/v3/configure/last_cache request");
+ let status = resp.status();
+ assert_eq!(
+ t.expected, status,
+ "Deletion test case ({i}) using URI query string failed"
+ );
+ }
+ }
+ }
+}
diff --git a/influxdb3_server/src/http.rs b/influxdb3_server/src/http.rs
index 0ce206290c..4c379117f2 100644
--- a/influxdb3_server/src/http.rs
+++ b/influxdb3_server/src/http.rs
@@ -133,7 +133,7 @@ pub enum Error {
/// Serde decode error
#[error("serde error: {0}")]
- Serde(#[from] serde_urlencoded::de::Error),
+ SerdeUrlDecoding(#[from] serde_urlencoded::de::Error),
/// Arrow error
#[error("arrow error: {0}")]
@@ -307,14 +307,23 @@ impl Error {
.status(StatusCode::BAD_REQUEST)
.body(Body::from(lc_err.to_string()))
.unwrap(),
- // This variant should not be encountered by the API, as it is thrown during
- // query execution and would be captured there, but avoiding a catch-all arm here
- // in case new variants are added to the enum:
last_cache::Error::CacheDoesNotExist => Response::builder()
- .status(StatusCode::INTERNAL_SERVER_ERROR)
+ .status(StatusCode::NOT_FOUND)
.body(Body::from(self.to_string()))
.unwrap(),
},
+ Self::InvalidContentEncoding(_) => Response::builder()
+ .status(StatusCode::BAD_REQUEST)
+ .body(Body::from(self.to_string()))
+ .unwrap(),
+ Self::InvalidContentType { .. } => Response::builder()
+ .status(StatusCode::UNSUPPORTED_MEDIA_TYPE)
+ .body(Body::from(self.to_string()))
+ .unwrap(),
+ Self::SerdeUrlDecoding(_) => Response::builder()
+ .status(StatusCode::BAD_REQUEST)
+ .body(Body::from(self.to_string()))
+ .unwrap(),
_ => {
let body = Body::from(self.to_string());
Response::builder()
@@ -675,7 +684,7 @@ where
.map_err(Into::into)
}
- async fn config_last_cache_create(&self, req: Request<Body>) -> Result<Response<Body>> {
+ async fn configure_last_cache_create(&self, req: Request<Body>) -> Result<Response<Body>> {
let LastCacheCreateRequest {
db,
table,
@@ -721,6 +730,27 @@ where
}
}
+ /// Delete a last cache entry with the given [`LastCacheDeleteRequest`] parameters
+ ///
+ /// This will first attempt to parse the parameters from the URI query string, if a query string
+ /// is provided, but if not, will attempt to parse them from the request body as JSON.
+ async fn configure_last_cache_delete(&self, req: Request<Body>) -> Result<Response<Body>> {
+ let LastCacheDeleteRequest { db, table, name } = if let Some(query) = req.uri().query() {
+ serde_urlencoded::from_str(query)?
+ } else {
+ self.read_body_json(req).await?
+ };
+
+ self.write_buffer
+ .last_cache()
+ .delete_cache(&db, &table, &name)?;
+
+ Ok(Response::builder()
+ .status(StatusCode::OK)
+ .body(Body::empty())
+ .unwrap())
+ }
+
async fn read_body_json<ReqBody: DeserializeOwned>(
&self,
req: hyper::Request<Body>,
@@ -1011,6 +1041,7 @@ impl From<iox_http::write::WriteParams> for WriteParams {
}
}
+/// Request definition for the `POST /api/v3/configure/last_cache` API
#[derive(Debug, Deserialize)]
struct LastCacheCreateRequest {
db: String,
@@ -1027,6 +1058,14 @@ struct LastCacheCreatedResponse {
cache_name: String,
}
+/// Request definition for the `DELETE /api/v3/configure/last_cache` API
+#[derive(Debug, Deserialize)]
+struct LastCacheDeleteRequest {
+ db: String,
+ table: String,
+ name: String,
+}
+
pub(crate) async fn route_request<W: WriteBuffer, Q: QueryExecutor, T: TimeProvider>(
http_server: Arc<HttpApi<W, Q, T>>,
mut req: Request<Body>,
@@ -1100,7 +1139,10 @@ where
(Method::GET | Method::POST, "/ping") => http_server.ping(),
(Method::GET, "/metrics") => http_server.handle_metrics(),
(Method::POST, "/api/v3/configure/last_cache") => {
- http_server.config_last_cache_create(req).await
+ http_server.configure_last_cache_create(req).await
+ }
+ (Method::DELETE, "/api/v3/configure/last_cache") => {
+ http_server.configure_last_cache_delete(req).await
}
_ => {
let body = Body::from("not found");
diff --git a/influxdb3_write/src/last_cache/mod.rs b/influxdb3_write/src/last_cache/mod.rs
index 2b3b88ab84..e283a92aaa 100644
--- a/influxdb3_write/src/last_cache/mod.rs
+++ b/influxdb3_write/src/last_cache/mod.rs
@@ -268,11 +268,13 @@ impl LastCacheProvider {
accept_new_fields,
);
- // reject creation if there is already a cache with specified database, table, and cache name
- // having different configuration that what was provided.
- if let Some(lc) = self
- .cache_map
- .read()
+ // Check to see if there is already a cache for the same database/table/cache name, and with
+ // the exact same configuration. If so, we return None, indicating that the operation did
+ // not fail, but that a cache was not created because it already exists. If the underlying
+ // configuration of the newly created cache is different than the one that already exists,
+ // then this is an error.
+ let mut lock = self.cache_map.write();
+ if let Some(lc) = lock
.get(&db_name)
.and_then(|db| db.get(&tbl_name))
.and_then(|tbl| tbl.get(&cache_name))
@@ -280,10 +282,7 @@ impl LastCacheProvider {
return lc.compare_config(&last_cache).map(|_| None);
}
- // get the write lock and insert:
- self.cache_map
- .write()
- .entry(db_name)
+ lock.entry(db_name)
.or_default()
.entry(tbl_name)
.or_default()
@@ -292,6 +291,42 @@ impl LastCacheProvider {
Ok(Some(cache_name))
}
+ /// Delete a cache from the provider
+ ///
+ /// This will also clean up empty levels in the provider hierarchy, so if there are no more
+ /// caches for a given table, that table's entry will be removed from the parent map for that
+ /// table's database; likewise for the database's entry in the provider's cache map.
+ pub fn delete_cache(
+ &self,
+ db_name: &str,
+ table_name: &str,
+ cache_name: &str,
+ ) -> Result<(), Error> {
+ let mut lock = self.cache_map.write();
+
+ let Some(db) = lock.get_mut(db_name) else {
+ return Err(Error::CacheDoesNotExist);
+ };
+
+ let Some(tbl) = db.get_mut(table_name) else {
+ return Err(Error::CacheDoesNotExist);
+ };
+
+ if tbl.remove(cache_name).is_none() {
+ return Err(Error::CacheDoesNotExist);
+ }
+
+ if tbl.is_empty() {
+ db.remove(table_name);
+ }
+
+ if db.is_empty() {
+ lock.remove(db_name);
+ }
+
+ Ok(())
+ }
+
/// Write a batch from the buffer into the cache by iterating over its database and table batches
/// to find entries that belong in the cache.
///
|
5b14caa780b77c6607c84ad38578ed4d28f15e86
|
Andrew Lamb
|
2023-01-30 15:48:52
|
Update DataFusion (#6753)
|
* chore: Update datafusion
* fix: Update for changes
* chore: Run cargo hakari tasks
---------
|
Co-authored-by: CircleCI[bot] <[email protected]>
Co-authored-by: kodiakhq[bot] <49736102+kodiakhq[bot]@users.noreply.github.com>
|
chore: Update DataFusion (#6753)
* chore: Update datafusion
* fix: Update for changes
* chore: Run cargo hakari tasks
---------
Co-authored-by: CircleCI[bot] <[email protected]>
Co-authored-by: kodiakhq[bot] <49736102+kodiakhq[bot]@users.noreply.github.com>
|
diff --git a/Cargo.lock b/Cargo.lock
index b29a39c47d..ed3240369b 100644
--- a/Cargo.lock
+++ b/Cargo.lock
@@ -1402,8 +1402,8 @@ dependencies = [
[[package]]
name = "datafusion"
-version = "16.0.0"
-source = "git+https://github.com/apache/arrow-datafusion.git?rev=4a33f2708fe8e30f5f9b062a097fc6155f2db2ce#4a33f2708fe8e30f5f9b062a097fc6155f2db2ce"
+version = "17.0.0"
+source = "git+https://github.com/apache/arrow-datafusion.git?rev=9c8bdfed1a51fd17e28dc1d7eb494844551a204b#9c8bdfed1a51fd17e28dc1d7eb494844551a204b"
dependencies = [
"ahash 0.8.3",
"arrow",
@@ -1448,8 +1448,8 @@ dependencies = [
[[package]]
name = "datafusion-common"
-version = "16.0.0"
-source = "git+https://github.com/apache/arrow-datafusion.git?rev=4a33f2708fe8e30f5f9b062a097fc6155f2db2ce#4a33f2708fe8e30f5f9b062a097fc6155f2db2ce"
+version = "17.0.0"
+source = "git+https://github.com/apache/arrow-datafusion.git?rev=9c8bdfed1a51fd17e28dc1d7eb494844551a204b#9c8bdfed1a51fd17e28dc1d7eb494844551a204b"
dependencies = [
"arrow",
"chrono",
@@ -1461,8 +1461,8 @@ dependencies = [
[[package]]
name = "datafusion-expr"
-version = "16.0.0"
-source = "git+https://github.com/apache/arrow-datafusion.git?rev=4a33f2708fe8e30f5f9b062a097fc6155f2db2ce#4a33f2708fe8e30f5f9b062a097fc6155f2db2ce"
+version = "17.0.0"
+source = "git+https://github.com/apache/arrow-datafusion.git?rev=9c8bdfed1a51fd17e28dc1d7eb494844551a204b#9c8bdfed1a51fd17e28dc1d7eb494844551a204b"
dependencies = [
"ahash 0.8.3",
"arrow",
@@ -1473,8 +1473,8 @@ dependencies = [
[[package]]
name = "datafusion-optimizer"
-version = "16.0.0"
-source = "git+https://github.com/apache/arrow-datafusion.git?rev=4a33f2708fe8e30f5f9b062a097fc6155f2db2ce#4a33f2708fe8e30f5f9b062a097fc6155f2db2ce"
+version = "17.0.0"
+source = "git+https://github.com/apache/arrow-datafusion.git?rev=9c8bdfed1a51fd17e28dc1d7eb494844551a204b#9c8bdfed1a51fd17e28dc1d7eb494844551a204b"
dependencies = [
"arrow",
"async-trait",
@@ -1489,8 +1489,8 @@ dependencies = [
[[package]]
name = "datafusion-physical-expr"
-version = "16.0.0"
-source = "git+https://github.com/apache/arrow-datafusion.git?rev=4a33f2708fe8e30f5f9b062a097fc6155f2db2ce#4a33f2708fe8e30f5f9b062a097fc6155f2db2ce"
+version = "17.0.0"
+source = "git+https://github.com/apache/arrow-datafusion.git?rev=9c8bdfed1a51fd17e28dc1d7eb494844551a204b#9c8bdfed1a51fd17e28dc1d7eb494844551a204b"
dependencies = [
"ahash 0.8.3",
"arrow",
@@ -1519,8 +1519,8 @@ dependencies = [
[[package]]
name = "datafusion-proto"
-version = "16.0.0"
-source = "git+https://github.com/apache/arrow-datafusion.git?rev=4a33f2708fe8e30f5f9b062a097fc6155f2db2ce#4a33f2708fe8e30f5f9b062a097fc6155f2db2ce"
+version = "17.0.0"
+source = "git+https://github.com/apache/arrow-datafusion.git?rev=9c8bdfed1a51fd17e28dc1d7eb494844551a204b#9c8bdfed1a51fd17e28dc1d7eb494844551a204b"
dependencies = [
"arrow",
"chrono",
@@ -1536,8 +1536,8 @@ dependencies = [
[[package]]
name = "datafusion-row"
-version = "16.0.0"
-source = "git+https://github.com/apache/arrow-datafusion.git?rev=4a33f2708fe8e30f5f9b062a097fc6155f2db2ce#4a33f2708fe8e30f5f9b062a097fc6155f2db2ce"
+version = "17.0.0"
+source = "git+https://github.com/apache/arrow-datafusion.git?rev=9c8bdfed1a51fd17e28dc1d7eb494844551a204b#9c8bdfed1a51fd17e28dc1d7eb494844551a204b"
dependencies = [
"arrow",
"datafusion-common",
@@ -1547,8 +1547,8 @@ dependencies = [
[[package]]
name = "datafusion-sql"
-version = "16.0.0"
-source = "git+https://github.com/apache/arrow-datafusion.git?rev=4a33f2708fe8e30f5f9b062a097fc6155f2db2ce#4a33f2708fe8e30f5f9b062a097fc6155f2db2ce"
+version = "17.0.0"
+source = "git+https://github.com/apache/arrow-datafusion.git?rev=9c8bdfed1a51fd17e28dc1d7eb494844551a204b#9c8bdfed1a51fd17e28dc1d7eb494844551a204b"
dependencies = [
"arrow-schema",
"datafusion-common",
diff --git a/Cargo.toml b/Cargo.toml
index f0b3d6fff2..a757919abd 100644
--- a/Cargo.toml
+++ b/Cargo.toml
@@ -117,8 +117,8 @@ license = "MIT OR Apache-2.0"
[workspace.dependencies]
arrow = { version = "31.0.0" }
arrow-flight = { version = "31.0.0" }
-datafusion = { git = "https://github.com/apache/arrow-datafusion.git", rev="4a33f2708fe8e30f5f9b062a097fc6155f2db2ce", default-features = false }
-datafusion-proto = { git = "https://github.com/apache/arrow-datafusion.git", rev="4a33f2708fe8e30f5f9b062a097fc6155f2db2ce" }
+datafusion = { git = "https://github.com/apache/arrow-datafusion.git", rev="9c8bdfed1a51fd17e28dc1d7eb494844551a204b", default-features = false }
+datafusion-proto = { git = "https://github.com/apache/arrow-datafusion.git", rev="9c8bdfed1a51fd17e28dc1d7eb494844551a204b" }
hashbrown = { version = "0.13.2" }
parquet = { version = "31.0.0" }
diff --git a/influxdb_iox/tests/query_tests2/cases/in/duplicates_parquet.expected b/influxdb_iox/tests/query_tests2/cases/in/duplicates_parquet.expected
index 636e9e420e..e4937277e8 100644
--- a/influxdb_iox/tests/query_tests2/cases/in/duplicates_parquet.expected
+++ b/influxdb_iox/tests/query_tests2/cases/in/duplicates_parquet.expected
@@ -92,8 +92,8 @@
| | DeduplicateExec: [state@4 ASC,city@1 ASC,time@5 ASC], metrics=[elapsed_compute=1.234ms, mem_used=0, num_dupes=2, output_rows=5, spill_count=0, spilled_bytes=0] |
| | SortPreservingMergeExec: [state@4 ASC,city@1 ASC,time@5 ASC], metrics=[elapsed_compute=1.234ms, mem_used=0, output_rows=7, spill_count=0, spilled_bytes=0] |
| | UnionExec, metrics=[elapsed_compute=1.234ms, mem_used=0, output_rows=7, spill_count=0, spilled_bytes=0] |
-| | ParquetExec: limit=None, partitions={1 group: [[1/1/1/1/00000000-0000-0000-0000-000000000000.parquet]]}, predicate=state = Dictionary(Int32, Utf8("MA")), pruning_predicate=state_min@0 <= MA AND MA <= state_max@1, output_ordering=[state@4 ASC, city@1 ASC, time@5 ASC], projection=[area, city, max_temp, min_temp, state, time], metrics=[bytes_scanned=474, elapsed_compute=1.234ms, mem_used=0, num_predicate_creation_errors=0, output_rows=4, page_index_eval_time=1.234ms, page_index_rows_filtered=0, predicate_evaluation_errors=0, pushdown_eval_time=1.234ms, pushdown_rows_filtered=0, row_groups_pruned=0, spill_count=0, spilled_bytes=0, time_elapsed_opening=1.234ms, time_elapsed_processing=1.234ms, time_elapsed_scanning=1.234ms] |
-| | ParquetExec: limit=None, partitions={1 group: [[1/1/1/1/00000000-0000-0000-0000-000000000001.parquet]]}, predicate=state = Dictionary(Int32, Utf8("MA")), pruning_predicate=state_min@0 <= MA AND MA <= state_max@1, output_ordering=[state@4 ASC, city@1 ASC, time@5 ASC], projection=[area, city, max_temp, min_temp, state, time], metrics=[bytes_scanned=632, elapsed_compute=1.234ms, mem_used=0, num_predicate_creation_errors=0, output_rows=3, page_index_eval_time=1.234ms, page_index_rows_filtered=0, predicate_evaluation_errors=0, pushdown_eval_time=1.234ms, pushdown_rows_filtered=3, row_groups_pruned=0, spill_count=0, spilled_bytes=0, time_elapsed_opening=1.234ms, time_elapsed_processing=1.234ms, time_elapsed_scanning=1.234ms] |
-| | ParquetExec: limit=None, partitions={2 groups: [[1/1/1/1/00000000-0000-0000-0000-000000000002.parquet], [1/1/1/1/00000000-0000-0000-0000-000000000003.parquet]]}, predicate=state = Dictionary(Int32, Utf8("MA")), pruning_predicate=state_min@0 <= MA AND MA <= state_max@1, projection=[area, city, max_temp, min_temp, state, time], metrics=[bytes_scanned=1219, elapsed_compute=1.234ms, mem_used=0, num_predicate_creation_errors=0, output_rows=5, page_index_eval_time=1.234ms, page_index_rows_filtered=0, predicate_evaluation_errors=0, pushdown_eval_time=1.234ms, pushdown_rows_filtered=5, row_groups_pruned=0, spill_count=0, spilled_bytes=0, time_elapsed_opening=1.234ms, time_elapsed_processing=1.234ms, time_elapsed_scanning=1.234ms] |
+| | ParquetExec: limit=None, partitions={1 group: [[1/1/1/1/00000000-0000-0000-0000-000000000000.parquet]]}, predicate=state = Dictionary(Int32, Utf8("MA")), pruning_predicate=state_min@0 <= MA AND MA <= state_max@1, output_ordering=[state@4 ASC, city@1 ASC, time@5 ASC], projection=[area, city, max_temp, min_temp, state, time], metrics=[bytes_scanned=474, elapsed_compute=1.234ms, mem_used=0, num_predicate_creation_errors=0, output_rows=4, page_index_eval_time=1.234ms, page_index_rows_filtered=0, predicate_evaluation_errors=0, pushdown_eval_time=1.234ms, pushdown_rows_filtered=0, row_groups_pruned=0, spill_count=0, spilled_bytes=0, time_elapsed_opening=1.234ms, time_elapsed_processing=1.234ms, time_elapsed_scanning_total=1.234ms, time_elapsed_scanning_until_data=1.234ms] |
+| | ParquetExec: limit=None, partitions={1 group: [[1/1/1/1/00000000-0000-0000-0000-000000000001.parquet]]}, predicate=state = Dictionary(Int32, Utf8("MA")), pruning_predicate=state_min@0 <= MA AND MA <= state_max@1, output_ordering=[state@4 ASC, city@1 ASC, time@5 ASC], projection=[area, city, max_temp, min_temp, state, time], metrics=[bytes_scanned=632, elapsed_compute=1.234ms, mem_used=0, num_predicate_creation_errors=0, output_rows=3, page_index_eval_time=1.234ms, page_index_rows_filtered=0, predicate_evaluation_errors=0, pushdown_eval_time=1.234ms, pushdown_rows_filtered=3, row_groups_pruned=0, spill_count=0, spilled_bytes=0, time_elapsed_opening=1.234ms, time_elapsed_processing=1.234ms, time_elapsed_scanning_total=1.234ms, time_elapsed_scanning_until_data=1.234ms] |
+| | ParquetExec: limit=None, partitions={2 groups: [[1/1/1/1/00000000-0000-0000-0000-000000000002.parquet], [1/1/1/1/00000000-0000-0000-0000-000000000003.parquet]]}, predicate=state = Dictionary(Int32, Utf8("MA")), pruning_predicate=state_min@0 <= MA AND MA <= state_max@1, projection=[area, city, max_temp, min_temp, state, time], metrics=[bytes_scanned=1219, elapsed_compute=1.234ms, mem_used=0, num_predicate_creation_errors=0, output_rows=5, page_index_eval_time=1.234ms, page_index_rows_filtered=0, predicate_evaluation_errors=0, pushdown_eval_time=1.234ms, pushdown_rows_filtered=5, row_groups_pruned=0, spill_count=0, spilled_bytes=0, time_elapsed_opening=1.234ms, time_elapsed_processing=1.234ms, time_elapsed_scanning_total=1.234ms, time_elapsed_scanning_until_data=1.234ms] |
| | |
-----------
+----------
\ No newline at end of file
diff --git a/iox_query/src/exec/query_tracing.rs b/iox_query/src/exec/query_tracing.rs
index 96060ecded..4924214c46 100644
--- a/iox_query/src/exec/query_tracing.rs
+++ b/iox_query/src/exec/query_tracing.rs
@@ -244,7 +244,7 @@ fn partition_metrics(metrics: MetricsSet) -> HashMap<Option<usize>, MetricsSet>
let mut hashmap = HashMap::<_, MetricsSet>::new();
for metric in metrics.iter() {
hashmap
- .entry(*metric.partition())
+ .entry(metric.partition())
.or_default()
.push(Arc::clone(metric))
}
diff --git a/workspace-hack/Cargo.toml b/workspace-hack/Cargo.toml
index c2d3961f5b..6f9590724f 100644
--- a/workspace-hack/Cargo.toml
+++ b/workspace-hack/Cargo.toml
@@ -29,7 +29,7 @@ bytes = { version = "1", features = ["std"] }
chrono = { version = "0.4", default-features = false, features = ["alloc", "clock", "iana-time-zone", "serde", "std", "winapi"] }
crossbeam-utils = { version = "0.8", features = ["std"] }
crypto-common = { version = "0.1", default-features = false, features = ["std"] }
-datafusion = { git = "https://github.com/apache/arrow-datafusion.git", rev = "4a33f2708fe8e30f5f9b062a097fc6155f2db2ce", features = ["async-compression", "bzip2", "compression", "crypto_expressions", "flate2", "regex_expressions", "unicode_expressions", "xz2"] }
+datafusion = { git = "https://github.com/apache/arrow-datafusion.git", rev = "9c8bdfed1a51fd17e28dc1d7eb494844551a204b", features = ["async-compression", "bzip2", "compression", "crypto_expressions", "flate2", "regex_expressions", "unicode_expressions", "xz2"] }
digest = { version = "0.10", features = ["alloc", "block-buffer", "core-api", "mac", "std", "subtle"] }
either = { version = "1", features = ["use_std"] }
fixedbitset = { version = "0.4", features = ["std"] }
|
23b781f274948f1d47ddd7975bb20b4ab457ce35
|
Dom Dwyer
|
2022-12-21 17:45:48
|
invalidate cached sort key
|
The sort-key conflict path invalidated the cached sort key in the
PartitionData, but not the cached sort key in the persist's Context. Now
both are invalidated.
| null |
fix(persist): invalidate cached sort key
The sort-key conflict path invalidated the cached sort key in the
PartitionData, but not the cached sort key in the persist's Context. Now
both are invalidated.
|
diff --git a/ingester2/src/persist/context.rs b/ingester2/src/persist/context.rs
index 340e1687f1..8d5aed7a4b 100644
--- a/ingester2/src/persist/context.rs
+++ b/ingester2/src/persist/context.rs
@@ -34,9 +34,9 @@ use super::worker::SharedWorkerState;
#[derive(Debug, Error)]
pub(super) enum PersistError {
/// A concurrent sort key update was observed and the sort key update was
- /// aborted.
+ /// aborted. The newly observed sort key is returned.
#[error("detected concurrent sort key update")]
- ConcurrentSortKeyUpdate,
+ ConcurrentSortKeyUpdate(SortKey),
}
/// An internal type that contains all necessary information to run a persist
@@ -165,8 +165,10 @@ impl Context {
namespace_name: Arc::clone(guard.namespace_name()),
table_name: Arc::clone(guard.table_name()),
- // Technically the sort key isn't immutable, but MUST NOT change
- // during the execution of this persist.
+ // Technically the sort key isn't immutable, but MUST NOT be
+ // changed by an external actor (by something other than code in
+ // this Context) during the execution of this persist, otherwise
+ // sort key update serialisation is violated.
sort_key: guard.sort_key().clone(),
complete,
@@ -303,7 +305,7 @@ impl Context {
}
pub(super) async fn update_catalog_sort_key(
- &self,
+ &mut self,
new_sort_key: SortKey,
object_store_id: Uuid,
) -> Result<(), PersistError> {
@@ -326,17 +328,17 @@ impl Context {
"updating partition sort key"
);
- Backoff::new(&Default::default())
+ let update_result = Backoff::new(&Default::default())
.retry_with_backoff("cas_sort_key", || {
let old_sort_key = old_sort_key.clone();
let new_sort_key_str = new_sort_key.to_columns().collect::<Vec<_>>();
let catalog = Arc::clone(&self.worker_state.catalog);
-
+ let ctx = &self;
async move {
let mut repos = catalog.repositories().await;
match repos
.partitions()
- .cas_sort_key(self.partition_id, old_sort_key.clone(), &new_sort_key_str)
+ .cas_sort_key(ctx.partition_id, old_sort_key.clone(), &new_sort_key_str)
.await
{
Ok(_) => ControlFlow::Break(Ok(())),
@@ -353,12 +355,12 @@ impl Context {
// continue.
info!(
%object_store_id,
- namespace_id = %self.namespace_id,
- namespace_name = %self.namespace_name,
- table_id = %self.table_id,
- table_name = %self.table_name,
- partition_id = %self.partition_id,
- partition_key = %self.partition_key,
+ namespace_id = %ctx.namespace_id,
+ namespace_name = %ctx.namespace_name,
+ table_id = %ctx.table_id,
+ table_name = %ctx.table_name,
+ partition_id = %ctx.partition_id,
+ partition_key = %ctx.partition_key,
expected=?old_sort_key,
?observed,
update=?new_sort_key_str,
@@ -379,30 +381,42 @@ impl Context {
//
warn!(
%object_store_id,
- namespace_id = %self.namespace_id,
- namespace_name = %self.namespace_name,
- table_id = %self.table_id,
- table_name = %self.table_name,
- partition_id = %self.partition_id,
- partition_key = %self.partition_key,
+ namespace_id = %ctx.namespace_id,
+ namespace_name = %ctx.namespace_name,
+ table_id = %ctx.table_id,
+ table_name = %ctx.table_name,
+ partition_id = %ctx.partition_id,
+ partition_key = %ctx.partition_key,
expected=?old_sort_key,
?observed,
update=?new_sort_key_str,
"detected concurrent sort key update, regenerating parquet"
);
- // Update the cached sort key to reflect the newly
- // observed value for the next attempt.
- self.partition
- .lock()
- .update_sort_key(Some(SortKey::from_columns(observed)));
- // Stop the retry loop with an error.
- ControlFlow::Break(Err(PersistError::ConcurrentSortKeyUpdate))
+ // Stop the retry loop with an error containing the
+ // newly observed sort key.
+ ControlFlow::Break(Err(PersistError::ConcurrentSortKeyUpdate(
+ SortKey::from_columns(observed),
+ )))
}
}
}
})
.await
- .expect("retry forever")?;
+ .expect("retry forever");
+
+ match update_result {
+ Ok(_) => {}
+ Err(PersistError::ConcurrentSortKeyUpdate(new_key)) => {
+ // Update the cached sort key in the PartitionData to reflect
+ // the newly observed value for the next attempt.
+ self.partition.lock().update_sort_key(Some(new_key.clone()));
+
+ // Invalidate & update the sort key cached in this Context.
+ self.sort_key = SortKeyState::Provided(Some(new_key.clone()));
+
+ return Err(PersistError::ConcurrentSortKeyUpdate(new_key));
+ }
+ }
// Update the sort key in the partition cache.
let old_key;
diff --git a/ingester2/src/persist/worker.rs b/ingester2/src/persist/worker.rs
index d1a0f833e5..7000693fa1 100644
--- a/ingester2/src/persist/worker.rs
+++ b/ingester2/src/persist/worker.rs
@@ -98,7 +98,7 @@ pub(super) async fn run_task(
}
};
- let ctx = Context::new(req, Arc::clone(&worker_state));
+ let mut ctx = Context::new(req, Arc::clone(&worker_state));
// Compact the data, generate the parquet file from the result, and
// upload it to object storage.
@@ -109,9 +109,9 @@ pub(super) async fn run_task(
// the compaction must be redone with the new sort key and uploaded
// before continuing.
let parquet_table_data = loop {
- match compact_and_upload(&ctx).await {
+ match compact_and_upload(&mut ctx).await {
Ok(v) => break v,
- Err(PersistError::ConcurrentSortKeyUpdate) => continue,
+ Err(PersistError::ConcurrentSortKeyUpdate(_)) => continue,
};
};
@@ -134,7 +134,7 @@ pub(super) async fn run_task(
///
/// [`PersistingData`]:
/// crate::buffer_tree::partition::persisting::PersistingData
-async fn compact_and_upload(ctx: &Context) -> Result<ParquetFileParams, PersistError> {
+async fn compact_and_upload(ctx: &mut Context) -> Result<ParquetFileParams, PersistError> {
let compacted = ctx.compact().await;
let (sort_key_update, parquet_table_data) = ctx.upload(compacted).await;
|
970371929492d6c1557368cb48dd0bc5c24339ea
|
Dom Dwyer
|
2023-04-03 16:05:47
|
constify test namespace
|
Define the namespace as a const to make the purpose/magic clear.
| null |
test(router): constify test namespace
Define the namespace as a const to make the purpose/magic clear.
|
diff --git a/router/src/server/http.rs b/router/src/server/http.rs
index 3676c461fd..e87983353e 100644
--- a/router/src/server/http.rs
+++ b/router/src/server/http.rs
@@ -629,6 +629,7 @@ mod tests {
const MAX_BYTES: usize = 1024;
const NAMESPACE_ID: NamespaceId = NamespaceId::new(42);
+ static NAMESPACE_NAME: &str = "bananas_test";
fn summary() -> WriteSummary {
WriteSummary::default()
@@ -716,7 +717,7 @@ mod tests {
test_http_handler!(encoding_header=$encoding, request);
let mock_namespace_resolver = MockNamespaceResolver::default()
- .with_mapping("bananas_test", NAMESPACE_ID);
+ .with_mapping(NAMESPACE_NAME, NAMESPACE_ID);
let dml_handler = Arc::new(MockDmlHandler::default()
.with_write_return($dml_write_handler)
.with_delete_return($dml_delete_handler)
@@ -826,7 +827,7 @@ mod tests {
dml_handler = [Ok(summary())],
want_result = Ok(_),
want_dml_calls = [MockDmlHandlerCall::Write{namespace, ..}] => {
- assert_eq!(namespace, "bananas_test");
+ assert_eq!(namespace, NAMESPACE_NAME);
}
);
@@ -837,7 +838,7 @@ mod tests {
dml_handler = [Ok(summary())],
want_result = Ok(_),
want_dml_calls = [MockDmlHandlerCall::Write{namespace, namespace_id, write_input}] => {
- assert_eq!(namespace, "bananas_test");
+ assert_eq!(namespace, NAMESPACE_NAME);
assert_eq!(*namespace_id, NAMESPACE_ID);
let table = write_input.get("platanos").expect("table not found");
@@ -853,7 +854,7 @@ mod tests {
dml_handler = [Ok(summary())],
want_result = Ok(_),
want_dml_calls = [MockDmlHandlerCall::Write{namespace, namespace_id, write_input}] => {
- assert_eq!(namespace, "bananas_test");
+ assert_eq!(namespace, NAMESPACE_NAME);
assert_eq!(*namespace_id, NAMESPACE_ID);
let table = write_input.get("platanos").expect("table not found");
@@ -869,7 +870,7 @@ mod tests {
dml_handler = [Ok(summary())],
want_result = Ok(_),
want_dml_calls = [MockDmlHandlerCall::Write{namespace, namespace_id, write_input}] => {
- assert_eq!(namespace, "bananas_test");
+ assert_eq!(namespace, NAMESPACE_NAME);
assert_eq!(*namespace_id, NAMESPACE_ID);
let table = write_input.get("platanos").expect("table not found");
@@ -885,7 +886,7 @@ mod tests {
dml_handler = [Ok(summary())],
want_result = Ok(_),
want_dml_calls = [MockDmlHandlerCall::Write{namespace, namespace_id, write_input}] => {
- assert_eq!(namespace, "bananas_test");
+ assert_eq!(namespace, NAMESPACE_NAME);
assert_eq!(*namespace_id, NAMESPACE_ID);
let table = write_input.get("platanos").expect("table not found");
@@ -990,10 +991,10 @@ mod tests {
db_not_found,
query_string = "?org=bananas&bucket=test",
body = "platanos,tag1=A,tag2=B val=42i 123456".as_bytes(),
- dml_handler = [Err(DmlError::NamespaceNotFound("bananas_test".to_string()))],
+ dml_handler = [Err(DmlError::NamespaceNotFound(NAMESPACE_NAME.to_string()))],
want_result = Err(Error::DmlHandler(DmlError::NamespaceNotFound(_))),
want_dml_calls = [MockDmlHandlerCall::Write{namespace, ..}] => {
- assert_eq!(namespace, "bananas_test");
+ assert_eq!(namespace, NAMESPACE_NAME);
}
);
@@ -1004,7 +1005,7 @@ mod tests {
dml_handler = [Err(DmlError::Internal("💣".into()))],
want_result = Err(Error::DmlHandler(DmlError::Internal(_))),
want_dml_calls = [MockDmlHandlerCall::Write{namespace, ..}] => {
- assert_eq!(namespace, "bananas_test");
+ assert_eq!(namespace, NAMESPACE_NAME);
}
);
@@ -1015,7 +1016,7 @@ mod tests {
dml_handler = [Ok(summary())],
want_result = Ok(_),
want_dml_calls = [MockDmlHandlerCall::Write{namespace, namespace_id, write_input}] => {
- assert_eq!(namespace, "bananas_test");
+ assert_eq!(namespace, NAMESPACE_NAME);
assert_eq!(*namespace_id, NAMESPACE_ID);
let table = write_input.get("test").expect("table not in write");
let col = table.column("field").expect("column missing");
@@ -1043,7 +1044,7 @@ mod tests {
want_result = Ok(_),
want_dml_calls = [MockDmlHandlerCall::Delete{namespace, namespace_id, table, predicate}] => {
assert_eq!(table, "its_a_table");
- assert_eq!(namespace, "bananas_test");
+ assert_eq!(namespace, NAMESPACE_NAME);
assert_eq!(*namespace_id, NAMESPACE_ID);
assert!(!predicate.exprs.is_empty());
}
@@ -1107,11 +1108,11 @@ mod tests {
db_not_found,
query_string = "?org=bananas&bucket=test",
body = r#"{"start":"2021-04-01T14:00:00Z","stop":"2021-04-02T14:00:00Z", "predicate":"_measurement=its_a_table and location=Boston"}"#.as_bytes(),
- dml_handler = [Err(DmlError::NamespaceNotFound("bananas_test".to_string()))],
+ dml_handler = [Err(DmlError::NamespaceNotFound(NAMESPACE_NAME.to_string()))],
want_result = Err(Error::DmlHandler(DmlError::NamespaceNotFound(_))),
want_dml_calls = [MockDmlHandlerCall::Delete{namespace, namespace_id, table, predicate}] => {
assert_eq!(table, "its_a_table");
- assert_eq!(namespace, "bananas_test");
+ assert_eq!(namespace, NAMESPACE_NAME);
assert_eq!(*namespace_id, NAMESPACE_ID);
assert!(!predicate.exprs.is_empty());
}
@@ -1125,7 +1126,7 @@ mod tests {
want_result = Err(Error::DmlHandler(DmlError::Internal(_))),
want_dml_calls = [MockDmlHandlerCall::Delete{namespace, namespace_id, table, predicate}] => {
assert_eq!(table, "its_a_table");
- assert_eq!(namespace, "bananas_test");
+ assert_eq!(namespace, NAMESPACE_NAME);
assert_eq!(*namespace_id, NAMESPACE_ID);
assert!(!predicate.exprs.is_empty());
}
@@ -1152,7 +1153,7 @@ mod tests {
dml_handler = [Ok(summary())],
want_result = Ok(_),
want_dml_calls = [MockDmlHandlerCall::Write{namespace, write_input, ..}] => {
- assert_eq!(namespace, "bananas_test");
+ assert_eq!(namespace, NAMESPACE_NAME);
let table = write_input.get("whydo").expect("table not in write");
let col = table.column("InputPower").expect("column missing");
assert_matches!(col.data(), ColumnData::I64(data, _) => {
@@ -1169,7 +1170,7 @@ mod tests {
dml_handler = [Ok(summary())],
want_result = Ok(_),
want_dml_calls = [MockDmlHandlerCall::Write{namespace, write_input, ..}] => {
- assert_eq!(namespace, "bananas_test");
+ assert_eq!(namespace, NAMESPACE_NAME);
let table = write_input.get("whydo").expect("table not in write");
let col = table.column("InputPower").expect("column missing");
assert_matches!(col.data(), ColumnData::I64(data, _) => {
@@ -1409,7 +1410,7 @@ mod tests {
#[tokio::test]
async fn test_authz() {
let mock_namespace_resolver =
- MockNamespaceResolver::default().with_mapping("bananas_test", NamespaceId::new(42));
+ MockNamespaceResolver::default().with_mapping(NAMESPACE_NAME, NamespaceId::new(42));
let dml_handler = Arc::new(
MockDmlHandler::default()
@@ -1474,7 +1475,7 @@ mod tests {
let calls = dml_handler.calls();
assert_matches!(calls.as_slice(), [MockDmlHandlerCall::Write{namespace, ..}] => {
- assert_eq!(namespace, "bananas_test");
+ assert_eq!(namespace, NAMESPACE_NAME);
})
}
|
038f8e9ce01a6240b8db38540d8cf57b1d7ce4e4
|
Carol (Nichols || Goulding)
|
2023-02-24 13:41:40
|
Move shard concepts into only the catalog
|
This still inserts the shard id into the database, always set to the
TRANSITION_SHARD_ID, but never reads it back out again.
| null |
fix: Move shard concepts into only the catalog
This still inserts the shard id into the database, always set to the
TRANSITION_SHARD_ID, but never reads it back out again.
|
diff --git a/clap_blocks/src/catalog_dsn.rs b/clap_blocks/src/catalog_dsn.rs
index 3993668f78..efc1fac7be 100644
--- a/clap_blocks/src/catalog_dsn.rs
+++ b/clap_blocks/src/catalog_dsn.rs
@@ -213,7 +213,7 @@ impl CatalogDsnConfig {
let mem = MemCatalog::new(metrics);
let mut txn = mem.start_transaction().await.context(CatalogSnafu)?;
- create_or_get_default_records(1, txn.deref_mut())
+ create_or_get_default_records(txn.deref_mut())
.await
.context(CatalogSnafu)?;
txn.commit().await.context(CatalogSnafu)?;
diff --git a/compactor2/src/components/hardcoded.rs b/compactor2/src/components/hardcoded.rs
index b161acec96..4a6c04f17b 100644
--- a/compactor2/src/components/hardcoded.rs
+++ b/compactor2/src/components/hardcoded.rs
@@ -385,7 +385,6 @@ fn make_parquet_files_sink(config: &Config) -> Arc<dyn ParquetFilesSink> {
let parquet_file_sink = Arc::new(LoggingParquetFileSinkWrapper::new(
DedicatedExecParquetFileSinkWrapper::new(
ObjectStoreParquetFileSink::new(
- config.shard_id,
config.parquet_store_scratchpad.clone(),
Arc::clone(&config.time_provider),
),
diff --git a/compactor2/src/components/parquet_file_sink/mock.rs b/compactor2/src/components/parquet_file_sink/mock.rs
index 3cb90c8f65..f920270573 100644
--- a/compactor2/src/components/parquet_file_sink/mock.rs
+++ b/compactor2/src/components/parquet_file_sink/mock.rs
@@ -4,9 +4,7 @@ use std::{
};
use async_trait::async_trait;
-use data_types::{
- ColumnSet, CompactionLevel, ParquetFileParams, SequenceNumber, ShardId, Timestamp,
-};
+use data_types::{ColumnSet, CompactionLevel, ParquetFileParams, SequenceNumber, Timestamp};
use datafusion::{
arrow::{datatypes::SchemaRef, record_batch::RecordBatch},
error::DataFusionError,
@@ -70,7 +68,6 @@ impl ParquetFileSink for MockParquetFileSink {
let row_count = batches.iter().map(|b| b.num_rows()).sum::<usize>();
let mut guard = self.records.lock().expect("not poisoned");
let out = ((row_count > 0) || !self.filter_empty_files).then(|| ParquetFileParams {
- shard_id: ShardId::new(1),
namespace_id: partition.namespace_id,
table_id: partition.table.id,
partition_id: partition.partition_id,
@@ -167,7 +164,6 @@ mod tests {
.await
.unwrap(),
Some(ParquetFileParams {
- shard_id: ShardId::new(1),
namespace_id: NamespaceId::new(2),
table_id: TableId::new(3),
partition_id: PartitionId::new(1),
@@ -231,7 +227,6 @@ mod tests {
.await
.unwrap(),
Some(ParquetFileParams {
- shard_id: ShardId::new(1),
namespace_id: NamespaceId::new(2),
table_id: TableId::new(3),
partition_id: PartitionId::new(1),
diff --git a/compactor2/src/components/parquet_file_sink/object_store.rs b/compactor2/src/components/parquet_file_sink/object_store.rs
index e3f602a1a9..c6102f25e0 100644
--- a/compactor2/src/components/parquet_file_sink/object_store.rs
+++ b/compactor2/src/components/parquet_file_sink/object_store.rs
@@ -1,7 +1,7 @@
use std::{fmt::Display, sync::Arc};
use async_trait::async_trait;
-use data_types::{CompactionLevel, ParquetFileParams, SequenceNumber, ShardId};
+use data_types::{CompactionLevel, ParquetFileParams, SequenceNumber};
use datafusion::{error::DataFusionError, physical_plan::SendableRecordBatchStream};
use iox_time::{Time, TimeProvider};
use parquet_file::{
@@ -20,19 +20,13 @@ const MAX_SEQUENCE_NUMBER: i64 = 0;
#[derive(Debug)]
pub struct ObjectStoreParquetFileSink {
- shared_id: ShardId,
store: ParquetStorage,
time_provider: Arc<dyn TimeProvider>,
}
impl ObjectStoreParquetFileSink {
- pub fn new(
- shared_id: ShardId,
- store: ParquetStorage,
- time_provider: Arc<dyn TimeProvider>,
- ) -> Self {
+ pub fn new(store: ParquetStorage, time_provider: Arc<dyn TimeProvider>) -> Self {
Self {
- shared_id,
store,
time_provider,
}
@@ -57,7 +51,6 @@ impl ParquetFileSink for ObjectStoreParquetFileSink {
let meta = IoxMetadata {
object_store_id: Uuid::new_v4(),
creation_timestamp: self.time_provider.now(),
- shard_id: self.shared_id,
namespace_id: partition.namespace_id,
namespace_name: partition.namespace_name.clone().into(),
table_id: partition.table.id,
diff --git a/compactor2/src/components/report.rs b/compactor2/src/components/report.rs
index 83be540b09..d9510f5968 100644
--- a/compactor2/src/components/report.rs
+++ b/compactor2/src/components/report.rs
@@ -11,7 +11,6 @@ pub fn log_config(config: &Config) {
// use struct unpack so we don't forget any members
let Config {
compaction_type,
- shard_id,
// no need to print the internal state of the registry
metric_registry: _,
catalog,
@@ -59,7 +58,6 @@ pub fn log_config(config: &Config) {
info!(
?compaction_type,
- shard_id=shard_id.get(),
%catalog,
%parquet_store_real,
%parquet_store_scratchpad,
diff --git a/compactor2/src/components/scratchpad/test_util.rs b/compactor2/src/components/scratchpad/test_util.rs
index 108f59c04b..736af60108 100644
--- a/compactor2/src/components/scratchpad/test_util.rs
+++ b/compactor2/src/components/scratchpad/test_util.rs
@@ -1,6 +1,6 @@
use std::{collections::HashSet, sync::Arc};
-use data_types::{NamespaceId, PartitionId, ShardId, TableId};
+use data_types::{NamespaceId, PartitionId, TableId};
use object_store::{memory::InMemory, DynObjectStore};
use parquet_file::ParquetFilePath;
use uuid::Uuid;
@@ -23,7 +23,6 @@ pub fn file_path(i: u128) -> ParquetFilePath {
ParquetFilePath::new(
NamespaceId::new(1),
TableId::new(1),
- ShardId::new(1),
PartitionId::new(1),
Uuid::from_u128(i),
)
diff --git a/compactor2/src/config.rs b/compactor2/src/config.rs
index cd87b5baba..1188681bef 100644
--- a/compactor2/src/config.rs
+++ b/compactor2/src/config.rs
@@ -1,8 +1,8 @@
//! Config-related stuff.
use std::{collections::HashSet, fmt::Display, num::NonZeroUsize, sync::Arc, time::Duration};
-use backoff::{Backoff, BackoffConfig};
-use data_types::{PartitionId, ShardId, ShardIndex};
+use backoff::BackoffConfig;
+use data_types::PartitionId;
use iox_catalog::interface::Catalog;
use iox_query::exec::Executor;
use iox_time::TimeProvider;
@@ -22,9 +22,6 @@ pub struct Config {
/// Compaction type.
pub compaction_type: CompactionType,
- /// Shard Id
- pub shard_id: ShardId,
-
/// Metric registry.
pub metric_registry: Arc<metric::Registry>,
@@ -146,55 +143,6 @@ impl Config {
pub fn max_compact_size_bytes(&self) -> usize {
self.max_desired_file_size_bytes as usize * MIN_COMPACT_SIZE_MULTIPLE
}
-
- /// Fetch shard ID.
- ///
- /// This is likely required to construct a [`Config`] object.
- pub async fn fetch_shard_id(
- catalog: Arc<dyn Catalog>,
- backoff_config: BackoffConfig,
- topic_name: String,
- shard_index: i32,
- ) -> ShardId {
- // Get shardId from topic and shard_index
- // Fetch topic
- let topic = Backoff::new(&backoff_config)
- .retry_all_errors("topic_of_given_name", || async {
- catalog
- .repositories()
- .await
- .topics()
- .get_by_name(topic_name.as_str())
- .await
- })
- .await
- .expect("retry forever");
-
- if topic.is_none() {
- panic!("Topic {topic_name} not found");
- }
- let topic = topic.unwrap();
-
- // Fetch shard
- let shard = Backoff::new(&backoff_config)
- .retry_all_errors("sahrd_of_given_index", || async {
- catalog
- .repositories()
- .await
- .shards()
- .get_by_topic_id_and_shard_index(topic.id, ShardIndex::new(shard_index))
- .await
- })
- .await
- .expect("retry forever");
-
- match shard {
- Some(shard) => shard.id,
- None => {
- panic!("Topic {topic_name} and Shard Index {shard_index} not found")
- }
- }
- }
}
/// Shard config.
diff --git a/compactor2/tests/integration.rs b/compactor2/tests/integration.rs
index fb164872e1..7c11a8b66e 100644
--- a/compactor2/tests/integration.rs
+++ b/compactor2/tests/integration.rs
@@ -212,12 +212,12 @@ async fn test_compact_large_overlapes() {
---
- initial
- "L1 "
- - "L1.4[6000,68000] 240s 2.66kb|------------------L1.4------------------| "
- - "L1.5[136000,136000] 300s 2.17kb |L1.5|"
+ - "L1.4[6000,68000] 240s 2.65kb|------------------L1.4------------------| "
+ - "L1.5[136000,136000] 300s 2.16kb |L1.5|"
- "L2 "
- - "L2.1[8000,12000] 60s 1.8kb |L2.1| "
+ - "L2.1[8000,12000] 60s 1.79kb |L2.1| "
- "L2.2[20000,30000] 120s 2.61kb |L2.2| "
- - "L2.3[36000,36000] 180s 2.17kb |L2.3| "
+ - "L2.3[36000,36000] 180s 2.16kb |L2.3| "
"###
);
@@ -233,7 +233,7 @@ async fn test_compact_large_overlapes() {
- "L2 "
- "L2.6[6000,36000] 300s 2.71kb|-------L2.6-------| "
- "L2.7[68000,68000] 300s 2.51kb |L2.7| "
- - "L2.8[136000,136000] 300s 2.55kb |L2.8|"
+ - "L2.8[136000,136000] 300s 2.54kb |L2.8|"
"###
);
@@ -323,11 +323,11 @@ async fn test_compact_large_overlape_2() {
- initial
- "L1 "
- "L1.4[6000,25000] 240s 1.8kb|---L1.4----| "
- - "L1.5[28000,136000] 300s 2.65kb |----------------------------------L1.5----------------------------------| "
+ - "L1.5[28000,136000] 300s 2.64kb |----------------------------------L1.5----------------------------------| "
- "L2 "
- - "L2.1[8000,12000] 60s 1.8kb |L2.1| "
+ - "L2.1[8000,12000] 60s 1.79kb |L2.1| "
- "L2.2[20000,30000] 120s 2.61kb |L2.2| "
- - "L2.3[36000,36000] 180s 2.17kb |L2.3| "
+ - "L2.3[36000,36000] 180s 2.16kb |L2.3| "
"###
);
@@ -343,7 +343,7 @@ async fn test_compact_large_overlape_2() {
- "L2 "
- "L2.6[6000,36000] 300s 2.71kb|-------L2.6-------| "
- "L2.7[68000,68000] 300s 2.51kb |L2.7| "
- - "L2.8[136000,136000] 300s 2.55kb |L2.8|"
+ - "L2.8[136000,136000] 300s 2.54kb |L2.8|"
"###
);
diff --git a/compactor2/tests/layouts/backfill.rs b/compactor2/tests/layouts/backfill.rs
index 86b2f2c526..6e6f55fa21 100644
--- a/compactor2/tests/layouts/backfill.rs
+++ b/compactor2/tests/layouts/backfill.rs
@@ -759,13 +759,13 @@ async fn random_backfill_empty_partition() {
- "L0 "
- "L0.?[76,329] 1.04us 2.96mb|-------------------------------------L0.?--------------------------------------| "
- "L0.?[330,356] 1.04us 322.99kb |-L0.?-| "
- - "**** Simulation run 71, type=split(ReduceOverlap)(split_times=[658]). 1 Input Files, 3.32mb total:"
- - "L0, all files 3.32mb "
- - "L0.166[357,670] 1.04us |-----------------------------------------L0.166-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3.32mb total:"
+ - "**** Simulation run 71, type=split(ReduceOverlap)(split_times=[658]). 1 Input Files, 3.66mb total:"
+ - "L0, all files 3.66mb "
+ - "L0.163[357,670] 1.04us |-----------------------------------------L0.163-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 3.66mb total:"
- "L0 "
- - "L0.?[357,658] 1.04us 3.19mb|----------------------------------------L0.?----------------------------------------| "
- - "L0.?[659,670] 1.04us 130.17kb |L0.?|"
+ - "L0.?[357,658] 1.04us 3.52mb|----------------------------------------L0.?----------------------------------------| "
+ - "L0.?[659,670] 1.04us 143.55kb |L0.?|"
- "**** Simulation run 72, type=split(ReduceOverlap)(split_times=[329]). 1 Input Files, 2.36mb total:"
- "L0, all files 2.36mb "
- "L0.168[173,356] 1.04us |-----------------------------------------L0.168-----------------------------------------|"
@@ -815,13 +815,13 @@ async fn random_backfill_empty_partition() {
- "L0 "
- "L0.?[357,658] 1.05us 3.19mb|----------------------------------------L0.?----------------------------------------| "
- "L0.?[659,670] 1.05us 130.17kb |L0.?|"
- - "**** Simulation run 79, type=split(ReduceOverlap)(split_times=[658]). 1 Input Files, 3.66mb total:"
- - "L0, all files 3.66mb "
- - "L0.163[357,670] 1.04us |-----------------------------------------L0.163-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 3.66mb total:"
+ - "**** Simulation run 79, type=split(ReduceOverlap)(split_times=[329]). 1 Input Files, 2.36mb total:"
+ - "L0, all files 2.36mb "
+ - "L0.179[173,356] 1.05us |-----------------------------------------L0.179-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 2.36mb total:"
- "L0 "
- - "L0.?[357,658] 1.04us 3.52mb|----------------------------------------L0.?----------------------------------------| "
- - "L0.?[659,670] 1.04us 143.55kb |L0.?|"
+ - "L0.?[173,329] 1.05us 2.01mb|-----------------------------------L0.?-----------------------------------| "
+ - "L0.?[330,356] 1.05us 355.83kb |---L0.?---| "
- "**** Simulation run 80, type=split(ReduceOverlap)(split_times=[329]). 1 Input Files, 3.33mb total:"
- "L0, all files 3.33mb "
- "L0.165[42,356] 1.04us |-----------------------------------------L0.165-----------------------------------------|"
@@ -829,13 +829,13 @@ async fn random_backfill_empty_partition() {
- "L0 "
- "L0.?[42,329] 1.04us 3.04mb|--------------------------------------L0.?--------------------------------------| "
- "L0.?[330,356] 1.04us 292.88kb |L0.?-| "
- - "**** Simulation run 81, type=split(ReduceOverlap)(split_times=[329]). 1 Input Files, 2.36mb total:"
- - "L0, all files 2.36mb "
- - "L0.179[173,356] 1.05us |-----------------------------------------L0.179-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 2.36mb total:"
+ - "**** Simulation run 81, type=split(ReduceOverlap)(split_times=[658]). 1 Input Files, 3.32mb total:"
+ - "L0, all files 3.32mb "
+ - "L0.166[357,670] 1.04us |-----------------------------------------L0.166-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 3.32mb total:"
- "L0 "
- - "L0.?[173,329] 1.05us 2.01mb|-----------------------------------L0.?-----------------------------------| "
- - "L0.?[330,356] 1.05us 355.83kb |---L0.?---| "
+ - "L0.?[357,658] 1.04us 3.19mb|----------------------------------------L0.?----------------------------------------| "
+ - "L0.?[659,670] 1.04us 130.17kb |L0.?|"
- "**** Simulation run 82, type=split(ReduceOverlap)(split_times=[658]). 1 Input Files, 4.03mb total:"
- "L0, all files 4.03mb "
- "L0.180[357,670] 1.05us |-----------------------------------------L0.180-----------------------------------------|"
@@ -963,14 +963,14 @@ async fn random_backfill_empty_partition() {
- "L0.?[649,658] 1.04us 131.79kb |L0.?|"
- "**** Simulation run 98, type=split(ReduceOverlap)(split_times=[648]). 1 Input Files, 3.52mb total:"
- "L0, all files 3.52mb "
- - "L0.249[357,658] 1.04us |-----------------------------------------L0.249-----------------------------------------|"
+ - "L0.233[357,658] 1.04us |-----------------------------------------L0.233-----------------------------------------|"
- "**** 2 Output Files (parquet_file_id not yet assigned), 3.52mb total:"
- "L0 "
- "L0.?[357,648] 1.04us 3.4mb|----------------------------------------L0.?-----------------------------------------| "
- "L0.?[649,658] 1.04us 119.63kb |L0.?|"
- "**** Simulation run 99, type=split(ReduceOverlap)(split_times=[648]). 1 Input Files, 3.19mb total:"
- "L0, all files 3.19mb "
- - "L0.233[357,658] 1.04us |-----------------------------------------L0.233-----------------------------------------|"
+ - "L0.253[357,658] 1.04us |-----------------------------------------L0.253-----------------------------------------|"
- "**** 2 Output Files (parquet_file_id not yet assigned), 3.19mb total:"
- "L0 "
- "L0.?[357,648] 1.04us 3.08mb|----------------------------------------L0.?-----------------------------------------| "
@@ -1039,7 +1039,7 @@ async fn random_backfill_empty_partition() {
- "L0.?[671,966] 1.05us 3.14mb|---------------------------------------L0.?---------------------------------------| "
- "L0.?[967,986] 1.05us 218.33kb |L0.?|"
- "Committing partition 1:"
- - " Soft Deleting 20 files: L0.145, L0.156, L0.167, L0.178, L0.189, L0.199, L0.205, L0.209, L0.213, L0.219, L0.223, L0.227, L0.233, L0.237, L0.243, L0.247, L0.249, L0.255, L0.261, L0.265"
+ - " Soft Deleting 20 files: L0.145, L0.156, L0.167, L0.178, L0.189, L0.199, L0.205, L0.209, L0.213, L0.219, L0.223, L0.227, L0.233, L0.237, L0.243, L0.247, L0.253, L0.255, L0.261, L0.265"
- " Creating 40 files"
- "**** Simulation run 109, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[263]). 2 Input Files, 103.14mb total:"
- "L0 "
@@ -1167,7 +1167,7 @@ async fn random_backfill_empty_partition() {
- "L0.?[264,329] 1.05us 715.93kb |-------L0.?-------| "
- "**** Simulation run 126, type=split(ReduceOverlap)(split_times=[263]). 1 Input Files, 2.01mb total:"
- "L0, all files 2.01mb "
- - "L0.253[173,329] 1.05us |-----------------------------------------L0.253-----------------------------------------|"
+ - "L0.249[173,329] 1.05us |-----------------------------------------L0.249-----------------------------------------|"
- "**** 2 Output Files (parquet_file_id not yet assigned), 2.01mb total:"
- "L0 "
- "L0.?[173,263] 1.05us 1.16mb|----------------------L0.?-----------------------| "
@@ -1194,7 +1194,7 @@ async fn random_backfill_empty_partition() {
- "L0.?[42,263] 1.05us 2.34mb|-------------------------------L0.?--------------------------------| "
- "L0.?[264,329] 1.05us 715.93kb |-------L0.?-------| "
- "Committing partition 1:"
- - " Soft Deleting 20 files: L0.197, L0.201, L0.203, L0.207, L0.211, L0.215, L0.217, L0.221, L0.225, L0.229, L0.231, L0.235, L0.239, L0.241, L0.245, L0.251, L0.253, L0.257, L0.259, L0.263"
+ - " Soft Deleting 20 files: L0.197, L0.201, L0.203, L0.207, L0.211, L0.215, L0.217, L0.221, L0.225, L0.229, L0.231, L0.235, L0.239, L0.241, L0.245, L0.249, L0.251, L0.257, L0.259, L0.263"
- " Creating 40 files"
- "**** Simulation run 130, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[570, 876]). 9 Input Files, 229.77mb total:"
- "L0 "
@@ -2050,7 +2050,7 @@ async fn random_backfill_empty_partition() {
- "L0.522[584,590] 1.04us 84.83kb |L0.522| "
- "L0.455[591,648] 1.04us 702.84kb |L0.455| "
- "L0.289[649,658] 1.04us 119.63kb |L0.289| "
- - "L0.250[659,670] 1.04us 143.55kb |L0.250| "
+ - "L0.234[659,670] 1.04us 143.55kb |L0.234| "
- "L0.523[671,870] 1.04us 2.34mb |-----L0.523-----| "
- "L0.524[871,876] 1.04us 72.33kb |L0.524| "
- "L0.388[877,932] 1.04us 675.04kb |L0.388| "
@@ -2063,7 +2063,7 @@ async fn random_backfill_empty_partition() {
- "L0.526[584,590] 1.04us 76.92kb |L0.526| "
- "L0.459[591,648] 1.04us 637.32kb |L0.459| "
- "L0.291[649,658] 1.04us 108.47kb |L0.291| "
- - "L0.234[659,670] 1.04us 130.17kb |L0.234| "
+ - "L0.254[659,670] 1.04us 130.17kb |L0.254| "
- "L0.527[671,870] 1.04us 2.12mb |-----L0.527-----| "
- "L0.528[871,876] 1.04us 65.5kb |L0.528| "
- "L0.392[877,966] 1.04us 982.47kb |L0.392| "
@@ -2119,7 +2119,7 @@ async fn random_backfill_empty_partition() {
- "L0.344[173,263] 1.05us 1.16mb |L0.344| "
- "L0.480[264,295] 1.05us 414.83kb |L0.480| "
- "L0.481[296,329] 1.05us 454.98kb |L0.481| "
- - "L0.254[330,356] 1.05us 355.83kb |L0.254| "
+ - "L0.250[330,356] 1.05us 355.83kb |L0.250| "
- "L0.407[357,570] 1.05us 2.74mb |------L0.407------| "
- "L0.543[571,583] 1.05us 160.2kb |L0.543| "
- "L0.544[584,590] 1.05us 93.45kb |L0.544| "
@@ -3639,13 +3639,13 @@ async fn random_backfill_over_l2s() {
- "L0 "
- "L0.?[592,626] 1.03us 374.74kb|----------------L0.?-----------------| "
- "L0.?[627,670] 1.03us 484.96kb |---------------------L0.?----------------------| "
- - "**** Simulation run 142, type=split(ReduceOverlap)(split_times=[334]). 1 Input Files, 817.09kb total:"
- - "L0, all files 817.09kb "
- - "L0.281[295,356] 1.03us |-----------------------------------------L0.281-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 817.09kb total:"
+ - "**** Simulation run 142, type=split(ReduceOverlap)(split_times=[334]). 1 Input Files, 672.54kb total:"
+ - "L0, all files 672.54kb "
+ - "L0.279[295,356] 1.03us |-----------------------------------------L0.279-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 672.54kb total:"
- "L0 "
- - "L0.?[295,334] 1.03us 522.4kb|-------------------------L0.?--------------------------| "
- - "L0.?[335,356] 1.03us 294.69kb |------------L0.?------------| "
+ - "L0.?[295,334] 1.03us 429.99kb|-------------------------L0.?--------------------------| "
+ - "L0.?[335,356] 1.03us 242.56kb |------------L0.?------------| "
- "**** Simulation run 143, type=split(ReduceOverlap)(split_times=[626]). 1 Input Files, 677.02kb total:"
- "L0, all files 677.02kb "
- "L0.328[592,629] 1.03us |-----------------------------------------L0.328-----------------------------------------|"
@@ -3695,13 +3695,13 @@ async fn random_backfill_over_l2s() {
- "L0 "
- "L0.?[592,626] 1.04us 455.28kb|----------------L0.?-----------------| "
- "L0.?[627,670] 1.04us 589.19kb |---------------------L0.?----------------------| "
- - "**** Simulation run 150, type=split(ReduceOverlap)(split_times=[334]). 1 Input Files, 672.54kb total:"
- - "L0, all files 672.54kb "
- - "L0.279[295,356] 1.03us |-----------------------------------------L0.279-----------------------------------------|"
- - "**** 2 Output Files (parquet_file_id not yet assigned), 672.54kb total:"
+ - "**** Simulation run 150, type=split(ReduceOverlap)(split_times=[334]). 1 Input Files, 817.09kb total:"
+ - "L0, all files 817.09kb "
+ - "L0.289[295,356] 1.04us |-----------------------------------------L0.289-----------------------------------------|"
+ - "**** 2 Output Files (parquet_file_id not yet assigned), 817.09kb total:"
- "L0 "
- - "L0.?[295,334] 1.03us 429.99kb|-------------------------L0.?--------------------------| "
- - "L0.?[335,356] 1.03us 242.56kb |------------L0.?------------| "
+ - "L0.?[295,334] 1.04us 522.4kb|-------------------------L0.?--------------------------| "
+ - "L0.?[335,356] 1.04us 294.69kb |------------L0.?------------| "
- "**** Simulation run 151, type=split(ReduceOverlap)(split_times=[626]). 1 Input Files, 1.02mb total:"
- "L0, all files 1.02mb "
- "L0.324[592,670] 1.03us |-----------------------------------------L0.324-----------------------------------------|"
@@ -3711,11 +3711,11 @@ async fn random_backfill_over_l2s() {
- "L0.?[627,670] 1.03us 589.19kb |---------------------L0.?----------------------| "
- "**** Simulation run 152, type=split(ReduceOverlap)(split_times=[334]). 1 Input Files, 817.09kb total:"
- "L0, all files 817.09kb "
- - "L0.289[295,356] 1.04us |-----------------------------------------L0.289-----------------------------------------|"
+ - "L0.281[295,356] 1.03us |-----------------------------------------L0.281-----------------------------------------|"
- "**** 2 Output Files (parquet_file_id not yet assigned), 817.09kb total:"
- "L0 "
- - "L0.?[295,334] 1.04us 522.4kb|-------------------------L0.?--------------------------| "
- - "L0.?[335,356] 1.04us 294.69kb |------------L0.?------------| "
+ - "L0.?[295,334] 1.03us 522.4kb|-------------------------L0.?--------------------------| "
+ - "L0.?[335,356] 1.03us 294.69kb |------------L0.?------------| "
- "**** Simulation run 153, type=split(ReduceOverlap)(split_times=[626]). 1 Input Files, 677.02kb total:"
- "L0, all files 677.02kb "
- "L0.342[592,629] 1.04us |-----------------------------------------L0.342-----------------------------------------|"
@@ -4236,8 +4236,8 @@ async fn random_backfill_over_l2s() {
- " Creating 32 files"
- "**** Simulation run 223, type=split(CompactAndSplitOutput(ManySmallFiles))(split_times=[610]). 200 Input Files, 166.42mb total:"
- "L0 "
- - "L0.402[295,334] 1.03us 429.99kb |L0.402| "
- - "L0.403[335,356] 1.03us 242.56kb |L0.403| "
+ - "L0.386[295,334] 1.03us 429.99kb |L0.386| "
+ - "L0.387[335,356] 1.03us 242.56kb |L0.387| "
- "L0.319[358,591] 1.03us 2.48mb |-------L0.319-------| "
- "L0.455[592,619] 1.03us 297.59kb |L0.455| "
- "L0.456[620,626] 1.03us 77.15kb |L0.456| "
@@ -4247,8 +4247,8 @@ async fn random_backfill_over_l2s() {
- "L0.458[904,986] 1.03us 918.23kb |L0.458|"
- "L0.517[173,275] 1.03us 1.31mb |L0.517-| "
- "L0.518[276,294] 1.03us 250.4kb |L0.518| "
- - "L0.386[295,334] 1.03us 522.4kb |L0.386| "
- - "L0.387[335,356] 1.03us 294.69kb |L0.387| "
+ - "L0.406[295,334] 1.03us 522.4kb |L0.406| "
+ - "L0.407[335,356] 1.03us 294.69kb |L0.407| "
- "L0.216[357,357] 1.03us 0b |L0.216| "
- "L0.323[358,591] 1.03us 3.01mb |-------L0.323-------| "
- "L0.459[592,619] 1.03us 361.55kb |L0.459| "
@@ -4295,8 +4295,8 @@ async fn random_backfill_over_l2s() {
- "L0.472[904,986] 1.04us 918.23kb |L0.472|"
- "L0.525[173,275] 1.04us 1.31mb |L0.525-| "
- "L0.526[276,294] 1.04us 250.4kb |L0.526| "
- - "L0.406[295,334] 1.04us 522.4kb |L0.406| "
- - "L0.407[335,356] 1.04us 294.69kb |L0.407| "
+ - "L0.402[295,334] 1.04us 522.4kb |L0.402| "
+ - "L0.403[335,356] 1.04us 294.69kb |L0.403| "
- "L0.230[357,357] 1.04us 0b |L0.230| "
- "L0.337[358,591] 1.04us 3.01mb |-------L0.337-------| "
- "L0.473[592,619] 1.04us 361.55kb |L0.473| "
diff --git a/compactor2/tests/layouts/knobs.rs b/compactor2/tests/layouts/knobs.rs
index 3dbd177639..ccc7c57334 100644
--- a/compactor2/tests/layouts/knobs.rs
+++ b/compactor2/tests/layouts/knobs.rs
@@ -858,11 +858,11 @@ async fn all_overlapping_l0_max_input_bytes_per_partition() {
- "L0.?[171444,200000] 5ns 1.29mb|-----------------------------------------L0.?------------------------------------------| "
- "**** Simulation run 51, type=split(HighL0OverlapTotalBacklog)(split_times=[171443]). 1 Input Files, 1.29mb total:"
- "L0, all files 1.29mb "
- - "L0.66[171443,200000] 8ns |-----------------------------------------L0.66------------------------------------------|"
+ - "L0.52[171443,200000] 6ns |-----------------------------------------L0.52------------------------------------------|"
- "**** 2 Output Files (parquet_file_id not yet assigned), 1.29mb total:"
- "L0 "
- - "L0.?[171443,171443] 8ns 0b|L0.?| "
- - "L0.?[171444,200000] 8ns 1.29mb|-----------------------------------------L0.?------------------------------------------| "
+ - "L0.?[171443,171443] 6ns 0b|L0.?| "
+ - "L0.?[171444,200000] 6ns 1.29mb|-----------------------------------------L0.?------------------------------------------| "
- "**** Simulation run 52, type=split(HighL0OverlapTotalBacklog)(split_times=[171443]). 1 Input Files, 1.29mb total:"
- "L0, all files 1.29mb "
- "L0.73[171443,200000] 9ns |-----------------------------------------L0.73------------------------------------------|"
@@ -879,18 +879,18 @@ async fn all_overlapping_l0_max_input_bytes_per_partition() {
- "L0.?[171444,200000] 10ns 1.29mb|-----------------------------------------L0.?------------------------------------------| "
- "**** Simulation run 54, type=split(HighL0OverlapTotalBacklog)(split_times=[171443]). 1 Input Files, 1.29mb total:"
- "L0, all files 1.29mb "
- - "L0.52[171443,200000] 6ns |-----------------------------------------L0.52------------------------------------------|"
+ - "L0.59[171443,200000] 7ns |-----------------------------------------L0.59------------------------------------------|"
- "**** 2 Output Files (parquet_file_id not yet assigned), 1.29mb total:"
- "L0 "
- - "L0.?[171443,171443] 6ns 0b|L0.?| "
- - "L0.?[171444,200000] 6ns 1.29mb|-----------------------------------------L0.?------------------------------------------| "
+ - "L0.?[171443,171443] 7ns 0b|L0.?| "
+ - "L0.?[171444,200000] 7ns 1.29mb|-----------------------------------------L0.?------------------------------------------| "
- "**** Simulation run 55, type=split(HighL0OverlapTotalBacklog)(split_times=[171443]). 1 Input Files, 1.29mb total:"
- "L0, all files 1.29mb "
- - "L0.59[171443,200000] 7ns |-----------------------------------------L0.59------------------------------------------|"
+ - "L0.66[171443,200000] 8ns |-----------------------------------------L0.66------------------------------------------|"
- "**** 2 Output Files (parquet_file_id not yet assigned), 1.29mb total:"
- "L0 "
- - "L0.?[171443,171443] 7ns 0b|L0.?| "
- - "L0.?[171444,200000] 7ns 1.29mb|-----------------------------------------L0.?------------------------------------------| "
+ - "L0.?[171443,171443] 8ns 0b|L0.?| "
+ - "L0.?[171444,200000] 8ns 1.29mb|-----------------------------------------L0.?------------------------------------------| "
- "Committing partition 1:"
- " Soft Deleting 27 files: L0.42, L0.44, L0.45, L0.49, L0.51, L0.52, L0.56, L0.58, L0.59, L0.63, L0.65, L0.66, L0.70, L0.72, L0.73, L0.77, L0.79, L0.80, L0.99, L0.103, L0.107, L0.111, L0.115, L0.119, L1.121, L1.122, L1.123"
- " Creating 55 files"
@@ -1213,7 +1213,7 @@ async fn all_overlapping_l0_max_input_bytes_per_partition() {
- "L0.?[156351,160867] 6ns 208.25kb |--------L0.?--------| "
- "**** Simulation run 95, type=split(ReduceOverlap)(split_times=[198370]). 1 Input Files, 1.29mb total:"
- "L0, all files 1.29mb "
- - "L0.176[171444,200000] 6ns|-----------------------------------------L0.176-----------------------------------------|"
+ - "L0.170[171444,200000] 6ns|-----------------------------------------L0.170-----------------------------------------|"
- "**** 2 Output Files (parquet_file_id not yet assigned), 1.29mb total:"
- "L0 "
- "L0.?[171444,198370] 6ns 1.21mb|---------------------------------------L0.?---------------------------------------| "
@@ -1227,7 +1227,7 @@ async fn all_overlapping_l0_max_input_bytes_per_partition() {
- "L0.?[156351,160867] 7ns 208.25kb |--------L0.?--------| "
- "**** Simulation run 97, type=split(ReduceOverlap)(split_times=[198370]). 1 Input Files, 1.29mb total:"
- "L0, all files 1.29mb "
- - "L0.178[171444,200000] 7ns|-----------------------------------------L0.178-----------------------------------------|"
+ - "L0.176[171444,200000] 7ns|-----------------------------------------L0.176-----------------------------------------|"
- "**** 2 Output Files (parquet_file_id not yet assigned), 1.29mb total:"
- "L0 "
- "L0.?[171444,198370] 7ns 1.21mb|---------------------------------------L0.?---------------------------------------| "
@@ -1241,7 +1241,7 @@ async fn all_overlapping_l0_max_input_bytes_per_partition() {
- "L0.?[156351,160867] 8ns 208.25kb |--------L0.?--------| "
- "**** Simulation run 99, type=split(ReduceOverlap)(split_times=[198370]). 1 Input Files, 1.29mb total:"
- "L0, all files 1.29mb "
- - "L0.170[171444,200000] 8ns|-----------------------------------------L0.170-----------------------------------------|"
+ - "L0.178[171444,200000] 8ns|-----------------------------------------L0.178-----------------------------------------|"
- "**** 2 Output Files (parquet_file_id not yet assigned), 1.29mb total:"
- "L0 "
- "L0.?[171444,198370] 8ns 1.21mb|---------------------------------------L0.?---------------------------------------| "
@@ -1389,7 +1389,7 @@ async fn all_overlapping_l0_max_input_bytes_per_partition() {
- "L0.257[142887,156350] 6ns 620.71kb |---L0.257---| "
- "L0.258[156351,160867] 6ns 208.25kb |L0.258| "
- "L0.186[160868,171442] 6ns 487.56kb |-L0.186--| "
- - "L0.175[171443,171443] 6ns 0b |L0.175| "
+ - "L0.169[171443,171443] 6ns 0b |L0.169| "
- "L0.259[171444,198370] 6ns 1.21mb |----------L0.259----------| "
- "L0.260[198371,200000] 6ns 75.17kb |L0.260|"
- "L1 "
@@ -1404,7 +1404,7 @@ async fn all_overlapping_l0_max_input_bytes_per_partition() {
- "L1.?[149666,185000] 6ns 10mb |---------------L1.?----------------| "
- "L1.?[185001,200000] 6ns 4.25mb |----L1.?-----| "
- "Committing partition 1:"
- - " Soft Deleting 14 files: L0.104, L0.144, L0.155, L0.175, L0.186, L1.252, L1.253, L1.254, L1.255, L1.256, L0.257, L0.258, L0.259, L0.260"
+ - " Soft Deleting 14 files: L0.104, L0.144, L0.155, L0.169, L0.186, L1.252, L1.253, L1.254, L1.255, L1.256, L0.257, L0.258, L0.259, L0.260"
- " Creating 3 files"
- "**** Simulation run 116, type=split(HighL0OverlapTotalBacklog)(split_times=[142886]). 1 Input Files, 10mb total:"
- "L1, all files 10mb "
@@ -1743,7 +1743,7 @@ async fn all_overlapping_l0_max_input_bytes_per_partition() {
- "**** Simulation run 156, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[170977]). 8 Input Files, 19.54mb total:"
- "L0 "
- "L0.190[160868,171442] 7ns 487.56kb |----L0.190----| "
- - "L0.177[171443,171443] 7ns 0b |L0.177| "
+ - "L0.175[171443,171443] 7ns 0b |L0.175| "
- "L0.309[171444,185000] 7ns 625.13kb |------L0.309------| "
- "L0.310[185001,198370] 7ns 616.55kb |------L0.310------| "
- "L0.264[198371,200000] 7ns 75.17kb |L0.264|"
@@ -1756,7 +1756,7 @@ async fn all_overlapping_l0_max_input_bytes_per_partition() {
- "L1.?[140564,170977] 7ns 10mb|--------------------L1.?--------------------| "
- "L1.?[170978,200000] 7ns 9.54mb |------------------L1.?-------------------| "
- "Committing partition 1:"
- - " Soft Deleting 8 files: L0.177, L0.190, L0.264, L1.302, L1.306, L0.309, L0.310, L1.356"
+ - " Soft Deleting 8 files: L0.175, L0.190, L0.264, L1.302, L1.306, L0.309, L0.310, L1.356"
- " Creating 2 files"
- "**** Simulation run 157, type=split(ReduceOverlap)(split_times=[170977]). 1 Input Files, 487.56kb total:"
- "L0, all files 487.56kb "
@@ -1924,7 +1924,7 @@ async fn all_overlapping_l0_max_input_bytes_per_partition() {
- "L0.266[156351,160867] 8ns 208.25kb |L0.266| "
- "L0.387[160868,170977] 8ns 466.12kb |---L0.387----| "
- "L0.388[170978,171442] 8ns 21.44kb |L0.388| "
- - "L0.169[171443,171443] 8ns 0b |L0.169| "
+ - "L0.177[171443,171443] 8ns 0b |L0.177| "
- "L0.313[171444,185000] 8ns 625.13kb |------L0.313------| "
- "L0.314[185001,198370] 8ns 616.55kb |------L0.314------| "
- "L0.268[198371,200000] 8ns 75.17kb |L0.268|"
@@ -1937,7 +1937,7 @@ async fn all_overlapping_l0_max_input_bytes_per_partition() {
- "L1.?[167315,194064] 8ns 10mb |-----------------L1.?-----------------| "
- "L1.?[194065,200000] 8ns 2.22mb |-L1.?-| "
- "Committing partition 1:"
- - " Soft Deleting 13 files: L0.159, L0.169, L0.266, L0.268, L0.311, L0.312, L0.313, L0.314, L0.376, L1.385, L1.386, L0.387, L0.388"
+ - " Soft Deleting 13 files: L0.159, L0.177, L0.266, L0.268, L0.311, L0.312, L0.313, L0.314, L0.376, L1.385, L1.386, L0.387, L0.388"
- " Creating 3 files"
- "**** Simulation run 173, type=split(ReduceOverlap)(split_times=[167314]). 1 Input Files, 466.12kb total:"
- "L0, all files 466.12kb "
@@ -2812,11 +2812,11 @@ async fn all_overlapping_l0_max_input_bytes_per_partition_small_max_desired_file
- "L0.?[171444,200000] 5ns 1.29mb|-----------------------------------------L0.?------------------------------------------| "
- "**** Simulation run 51, type=split(HighL0OverlapTotalBacklog)(split_times=[171443]). 1 Input Files, 1.29mb total:"
- "L0, all files 1.29mb "
- - "L0.66[171443,200000] 8ns |-----------------------------------------L0.66------------------------------------------|"
+ - "L0.52[171443,200000] 6ns |-----------------------------------------L0.52------------------------------------------|"
- "**** 2 Output Files (parquet_file_id not yet assigned), 1.29mb total:"
- "L0 "
- - "L0.?[171443,171443] 8ns 0b|L0.?| "
- - "L0.?[171444,200000] 8ns 1.29mb|-----------------------------------------L0.?------------------------------------------| "
+ - "L0.?[171443,171443] 6ns 0b|L0.?| "
+ - "L0.?[171444,200000] 6ns 1.29mb|-----------------------------------------L0.?------------------------------------------| "
- "**** Simulation run 52, type=split(HighL0OverlapTotalBacklog)(split_times=[171443]). 1 Input Files, 1.29mb total:"
- "L0, all files 1.29mb "
- "L0.73[171443,200000] 9ns |-----------------------------------------L0.73------------------------------------------|"
@@ -2833,18 +2833,18 @@ async fn all_overlapping_l0_max_input_bytes_per_partition_small_max_desired_file
- "L0.?[171444,200000] 10ns 1.29mb|-----------------------------------------L0.?------------------------------------------| "
- "**** Simulation run 54, type=split(HighL0OverlapTotalBacklog)(split_times=[171443]). 1 Input Files, 1.29mb total:"
- "L0, all files 1.29mb "
- - "L0.52[171443,200000] 6ns |-----------------------------------------L0.52------------------------------------------|"
+ - "L0.59[171443,200000] 7ns |-----------------------------------------L0.59------------------------------------------|"
- "**** 2 Output Files (parquet_file_id not yet assigned), 1.29mb total:"
- "L0 "
- - "L0.?[171443,171443] 6ns 0b|L0.?| "
- - "L0.?[171444,200000] 6ns 1.29mb|-----------------------------------------L0.?------------------------------------------| "
+ - "L0.?[171443,171443] 7ns 0b|L0.?| "
+ - "L0.?[171444,200000] 7ns 1.29mb|-----------------------------------------L0.?------------------------------------------| "
- "**** Simulation run 55, type=split(HighL0OverlapTotalBacklog)(split_times=[171443]). 1 Input Files, 1.29mb total:"
- "L0, all files 1.29mb "
- - "L0.59[171443,200000] 7ns |-----------------------------------------L0.59------------------------------------------|"
+ - "L0.66[171443,200000] 8ns |-----------------------------------------L0.66------------------------------------------|"
- "**** 2 Output Files (parquet_file_id not yet assigned), 1.29mb total:"
- "L0 "
- - "L0.?[171443,171443] 7ns 0b|L0.?| "
- - "L0.?[171444,200000] 7ns 1.29mb|-----------------------------------------L0.?------------------------------------------| "
+ - "L0.?[171443,171443] 8ns 0b|L0.?| "
+ - "L0.?[171444,200000] 8ns 1.29mb|-----------------------------------------L0.?------------------------------------------| "
- "Committing partition 1:"
- " Soft Deleting 27 files: L0.42, L0.44, L0.45, L0.49, L0.51, L0.52, L0.56, L0.58, L0.59, L0.63, L0.65, L0.66, L0.70, L0.72, L0.73, L0.77, L0.79, L0.80, L0.99, L0.103, L0.107, L0.111, L0.115, L0.119, L1.121, L1.122, L1.123"
- " Creating 55 files"
@@ -3167,7 +3167,7 @@ async fn all_overlapping_l0_max_input_bytes_per_partition_small_max_desired_file
- "L0.?[156351,160867] 6ns 208.25kb |--------L0.?--------| "
- "**** Simulation run 95, type=split(ReduceOverlap)(split_times=[198370]). 1 Input Files, 1.29mb total:"
- "L0, all files 1.29mb "
- - "L0.176[171444,200000] 6ns|-----------------------------------------L0.176-----------------------------------------|"
+ - "L0.170[171444,200000] 6ns|-----------------------------------------L0.170-----------------------------------------|"
- "**** 2 Output Files (parquet_file_id not yet assigned), 1.29mb total:"
- "L0 "
- "L0.?[171444,198370] 6ns 1.21mb|---------------------------------------L0.?---------------------------------------| "
@@ -3181,7 +3181,7 @@ async fn all_overlapping_l0_max_input_bytes_per_partition_small_max_desired_file
- "L0.?[156351,160867] 7ns 208.25kb |--------L0.?--------| "
- "**** Simulation run 97, type=split(ReduceOverlap)(split_times=[198370]). 1 Input Files, 1.29mb total:"
- "L0, all files 1.29mb "
- - "L0.178[171444,200000] 7ns|-----------------------------------------L0.178-----------------------------------------|"
+ - "L0.176[171444,200000] 7ns|-----------------------------------------L0.176-----------------------------------------|"
- "**** 2 Output Files (parquet_file_id not yet assigned), 1.29mb total:"
- "L0 "
- "L0.?[171444,198370] 7ns 1.21mb|---------------------------------------L0.?---------------------------------------| "
@@ -3195,7 +3195,7 @@ async fn all_overlapping_l0_max_input_bytes_per_partition_small_max_desired_file
- "L0.?[156351,160867] 8ns 208.25kb |--------L0.?--------| "
- "**** Simulation run 99, type=split(ReduceOverlap)(split_times=[198370]). 1 Input Files, 1.29mb total:"
- "L0, all files 1.29mb "
- - "L0.170[171444,200000] 8ns|-----------------------------------------L0.170-----------------------------------------|"
+ - "L0.178[171444,200000] 8ns|-----------------------------------------L0.178-----------------------------------------|"
- "**** 2 Output Files (parquet_file_id not yet assigned), 1.29mb total:"
- "L0 "
- "L0.?[171444,198370] 8ns 1.21mb|---------------------------------------L0.?---------------------------------------| "
@@ -3343,7 +3343,7 @@ async fn all_overlapping_l0_max_input_bytes_per_partition_small_max_desired_file
- "L0.257[142887,156350] 6ns 620.71kb |---L0.257---| "
- "L0.258[156351,160867] 6ns 208.25kb |L0.258| "
- "L0.186[160868,171442] 6ns 487.56kb |-L0.186--| "
- - "L0.175[171443,171443] 6ns 0b |L0.175| "
+ - "L0.169[171443,171443] 6ns 0b |L0.169| "
- "L0.259[171444,198370] 6ns 1.21mb |----------L0.259----------| "
- "L0.260[198371,200000] 6ns 75.17kb |L0.260|"
- "L1 "
@@ -3358,7 +3358,7 @@ async fn all_overlapping_l0_max_input_bytes_per_partition_small_max_desired_file
- "L1.?[149666,185000] 6ns 10mb |---------------L1.?----------------| "
- "L1.?[185001,200000] 6ns 4.25mb |----L1.?-----| "
- "Committing partition 1:"
- - " Soft Deleting 14 files: L0.104, L0.144, L0.155, L0.175, L0.186, L1.252, L1.253, L1.254, L1.255, L1.256, L0.257, L0.258, L0.259, L0.260"
+ - " Soft Deleting 14 files: L0.104, L0.144, L0.155, L0.169, L0.186, L1.252, L1.253, L1.254, L1.255, L1.256, L0.257, L0.258, L0.259, L0.260"
- " Creating 3 files"
- "**** Simulation run 116, type=split(HighL0OverlapTotalBacklog)(split_times=[142886]). 1 Input Files, 10mb total:"
- "L1, all files 10mb "
@@ -3697,7 +3697,7 @@ async fn all_overlapping_l0_max_input_bytes_per_partition_small_max_desired_file
- "**** Simulation run 156, type=split(CompactAndSplitOutput(FoundSubsetLessThanMaxCompactSize))(split_times=[170977]). 8 Input Files, 19.54mb total:"
- "L0 "
- "L0.190[160868,171442] 7ns 487.56kb |----L0.190----| "
- - "L0.177[171443,171443] 7ns 0b |L0.177| "
+ - "L0.175[171443,171443] 7ns 0b |L0.175| "
- "L0.309[171444,185000] 7ns 625.13kb |------L0.309------| "
- "L0.310[185001,198370] 7ns 616.55kb |------L0.310------| "
- "L0.264[198371,200000] 7ns 75.17kb |L0.264|"
@@ -3710,7 +3710,7 @@ async fn all_overlapping_l0_max_input_bytes_per_partition_small_max_desired_file
- "L1.?[140564,170977] 7ns 10mb|--------------------L1.?--------------------| "
- "L1.?[170978,200000] 7ns 9.54mb |------------------L1.?-------------------| "
- "Committing partition 1:"
- - " Soft Deleting 8 files: L0.177, L0.190, L0.264, L1.302, L1.306, L0.309, L0.310, L1.356"
+ - " Soft Deleting 8 files: L0.175, L0.190, L0.264, L1.302, L1.306, L0.309, L0.310, L1.356"
- " Creating 2 files"
- "**** Simulation run 157, type=split(ReduceOverlap)(split_times=[170977]). 1 Input Files, 487.56kb total:"
- "L0, all files 487.56kb "
@@ -3878,7 +3878,7 @@ async fn all_overlapping_l0_max_input_bytes_per_partition_small_max_desired_file
- "L0.266[156351,160867] 8ns 208.25kb |L0.266| "
- "L0.387[160868,170977] 8ns 466.12kb |---L0.387----| "
- "L0.388[170978,171442] 8ns 21.44kb |L0.388| "
- - "L0.169[171443,171443] 8ns 0b |L0.169| "
+ - "L0.177[171443,171443] 8ns 0b |L0.177| "
- "L0.313[171444,185000] 8ns 625.13kb |------L0.313------| "
- "L0.314[185001,198370] 8ns 616.55kb |------L0.314------| "
- "L0.268[198371,200000] 8ns 75.17kb |L0.268|"
@@ -3891,7 +3891,7 @@ async fn all_overlapping_l0_max_input_bytes_per_partition_small_max_desired_file
- "L1.?[167315,194064] 8ns 10mb |-----------------L1.?-----------------| "
- "L1.?[194065,200000] 8ns 2.22mb |-L1.?-| "
- "Committing partition 1:"
- - " Soft Deleting 13 files: L0.159, L0.169, L0.266, L0.268, L0.311, L0.312, L0.313, L0.314, L0.376, L1.385, L1.386, L0.387, L0.388"
+ - " Soft Deleting 13 files: L0.159, L0.177, L0.266, L0.268, L0.311, L0.312, L0.313, L0.314, L0.376, L1.385, L1.386, L0.387, L0.388"
- " Creating 3 files"
- "**** Simulation run 173, type=split(ReduceOverlap)(split_times=[167314]). 1 Input Files, 466.12kb total:"
- "L0, all files 466.12kb "
diff --git a/compactor2/tests/layouts/many_files.rs b/compactor2/tests/layouts/many_files.rs
index dca6ba846a..3319949495 100644
--- a/compactor2/tests/layouts/many_files.rs
+++ b/compactor2/tests/layouts/many_files.rs
@@ -73,43 +73,43 @@ async fn many_l0_files_different_created_order() {
@r###"
---
- "**** Input Files "
- - "L0, all files 2.55kb "
+ - "L0, all files 2.54kb "
- "L0.1[10,22] 1ns |---------L0.1----------| "
- "L0.2[30,42] 2ns |---------L0.2----------| "
- "L0.3[20,32] 3ns |---------L0.3----------| "
- "L0.4[40,52] 4ns |---------L0.4----------| "
- - "**** Simulation run 0, type=compact(ManySmallFiles). 2 Input Files, 5.1kb total:"
- - "L0, all files 2.55kb "
+ - "**** Simulation run 0, type=compact(ManySmallFiles). 2 Input Files, 5.09kb total:"
+ - "L0, all files 2.54kb "
- "L0.1[10,22] 1ns |-------------L0.1--------------| "
- "L0.2[30,42] 2ns |-------------L0.2--------------| "
- - "**** 1 Output Files (parquet_file_id not yet assigned), 5.1kb total:"
- - "L0, all files 5.1kb "
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 5.09kb total:"
+ - "L0, all files 5.09kb "
- "L0.?[10,42] 2ns |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- " Soft Deleting 2 files: L0.1, L0.2"
- " Creating 1 files"
- - "**** Simulation run 1, type=compact(ManySmallFiles). 2 Input Files, 5.1kb total:"
- - "L0, all files 2.55kb "
+ - "**** Simulation run 1, type=compact(ManySmallFiles). 2 Input Files, 5.09kb total:"
+ - "L0, all files 2.54kb "
- "L0.3[20,32] 3ns |-------------L0.3--------------| "
- "L0.4[40,52] 4ns |-------------L0.4--------------| "
- - "**** 1 Output Files (parquet_file_id not yet assigned), 5.1kb total:"
- - "L0, all files 5.1kb "
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 5.09kb total:"
+ - "L0, all files 5.09kb "
- "L0.?[20,52] 4ns |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- " Soft Deleting 2 files: L0.3, L0.4"
- " Creating 1 files"
- - "**** Simulation run 2, type=compact(TotalSizeLessThanMaxCompactSize). 2 Input Files, 10.2kb total:"
- - "L0, all files 5.1kb "
+ - "**** Simulation run 2, type=compact(TotalSizeLessThanMaxCompactSize). 2 Input Files, 10.18kb total:"
+ - "L0, all files 5.09kb "
- "L0.6[20,52] 4ns |-------------------------------L0.6-------------------------------| "
- "L0.5[10,42] 2ns |-------------------------------L0.5-------------------------------| "
- - "**** 1 Output Files (parquet_file_id not yet assigned), 10.2kb total:"
- - "L1, all files 10.2kb "
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 10.18kb total:"
+ - "L1, all files 10.18kb "
- "L1.?[10,52] 4ns |------------------------------------------L1.?------------------------------------------|"
- "Committing partition 1:"
- " Soft Deleting 2 files: L0.5, L0.6"
- " Creating 1 files"
- - "**** Final Output Files (20.39kb written)"
- - "L1, all files 10.2kb "
+ - "**** Final Output Files (20.36kb written)"
+ - "L1, all files 10.18kb "
- "L1.7[10,52] 4ns |------------------------------------------L1.7------------------------------------------|"
"###
);
@@ -183,43 +183,43 @@ async fn many_l1_files_different_created_order() {
@r###"
---
- "**** Input Files "
- - "L1, all files 2.55kb "
+ - "L1, all files 2.54kb "
- "L1.1[11,20] 1ns |-------L1.1-------| "
- "L1.2[31,40] 2ns |-------L1.2-------| "
- "L1.3[21,30] 3ns |-------L1.3-------| "
- "L1.4[41,50] 4ns |-------L1.4-------| "
- - "**** Simulation run 0, type=compact(ManySmallFiles). 2 Input Files, 5.1kb total:"
- - "L1, all files 2.55kb "
+ - "**** Simulation run 0, type=compact(ManySmallFiles). 2 Input Files, 5.09kb total:"
+ - "L1, all files 2.54kb "
- "L1.1[11,20] 1ns |------------------L1.1------------------| "
- "L1.3[21,30] 3ns |------------------L1.3------------------| "
- - "**** 1 Output Files (parquet_file_id not yet assigned), 5.1kb total:"
- - "L1, all files 5.1kb "
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 5.09kb total:"
+ - "L1, all files 5.09kb "
- "L1.?[11,30] 3ns |------------------------------------------L1.?------------------------------------------|"
- "Committing partition 1:"
- " Soft Deleting 2 files: L1.1, L1.3"
- " Creating 1 files"
- - "**** Simulation run 1, type=compact(ManySmallFiles). 2 Input Files, 5.1kb total:"
- - "L1, all files 2.55kb "
+ - "**** Simulation run 1, type=compact(ManySmallFiles). 2 Input Files, 5.09kb total:"
+ - "L1, all files 2.54kb "
- "L1.2[31,40] 2ns |------------------L1.2------------------| "
- "L1.4[41,50] 4ns |------------------L1.4------------------| "
- - "**** 1 Output Files (parquet_file_id not yet assigned), 5.1kb total:"
- - "L1, all files 5.1kb "
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 5.09kb total:"
+ - "L1, all files 5.09kb "
- "L1.?[31,50] 4ns |------------------------------------------L1.?------------------------------------------|"
- "Committing partition 1:"
- " Soft Deleting 2 files: L1.2, L1.4"
- " Creating 1 files"
- - "**** Simulation run 2, type=compact(TotalSizeLessThanMaxCompactSize). 2 Input Files, 10.2kb total:"
- - "L1, all files 5.1kb "
+ - "**** Simulation run 2, type=compact(TotalSizeLessThanMaxCompactSize). 2 Input Files, 10.18kb total:"
+ - "L1, all files 5.09kb "
- "L1.6[31,50] 4ns |------------------L1.6-------------------| "
- "L1.5[11,30] 3ns |------------------L1.5-------------------| "
- - "**** 1 Output Files (parquet_file_id not yet assigned), 10.2kb total:"
- - "L2, all files 10.2kb "
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 10.18kb total:"
+ - "L2, all files 10.18kb "
- "L2.?[11,50] 4ns |------------------------------------------L2.?------------------------------------------|"
- "Committing partition 1:"
- " Soft Deleting 2 files: L1.5, L1.6"
- " Creating 1 files"
- - "**** Final Output Files (20.39kb written)"
- - "L2, all files 10.2kb "
+ - "**** Final Output Files (20.36kb written)"
+ - "L2, all files 10.18kb "
- "L2.7[11,50] 4ns |------------------------------------------L2.7------------------------------------------|"
"###
);
@@ -291,43 +291,43 @@ async fn many_l0_files_different_created_order_non_overlap() {
@r###"
---
- "**** Input Files "
- - "L0, all files 2.55kb "
+ - "L0, all files 2.54kb "
- "L0.1[11,20] 1ns |-------L0.1-------| "
- "L0.2[31,40] 2ns |-------L0.2-------| "
- "L0.3[21,30] 3ns |-------L0.3-------| "
- "L0.4[41,50] 4ns |-------L0.4-------| "
- - "**** Simulation run 0, type=compact(ManySmallFiles). 2 Input Files, 5.1kb total:"
- - "L0, all files 2.55kb "
+ - "**** Simulation run 0, type=compact(ManySmallFiles). 2 Input Files, 5.09kb total:"
+ - "L0, all files 2.54kb "
- "L0.1[11,20] 1ns |----------L0.1-----------| "
- "L0.2[31,40] 2ns |----------L0.2-----------| "
- - "**** 1 Output Files (parquet_file_id not yet assigned), 5.1kb total:"
- - "L0, all files 5.1kb "
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 5.09kb total:"
+ - "L0, all files 5.09kb "
- "L0.?[11,40] 2ns |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- " Soft Deleting 2 files: L0.1, L0.2"
- " Creating 1 files"
- - "**** Simulation run 1, type=compact(ManySmallFiles). 2 Input Files, 5.1kb total:"
- - "L0, all files 2.55kb "
+ - "**** Simulation run 1, type=compact(ManySmallFiles). 2 Input Files, 5.09kb total:"
+ - "L0, all files 2.54kb "
- "L0.3[21,30] 3ns |----------L0.3-----------| "
- "L0.4[41,50] 4ns |----------L0.4-----------| "
- - "**** 1 Output Files (parquet_file_id not yet assigned), 5.1kb total:"
- - "L0, all files 5.1kb "
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 5.09kb total:"
+ - "L0, all files 5.09kb "
- "L0.?[21,50] 4ns |------------------------------------------L0.?------------------------------------------|"
- "Committing partition 1:"
- " Soft Deleting 2 files: L0.3, L0.4"
- " Creating 1 files"
- - "**** Simulation run 2, type=compact(TotalSizeLessThanMaxCompactSize). 2 Input Files, 10.2kb total:"
- - "L0, all files 5.1kb "
+ - "**** Simulation run 2, type=compact(TotalSizeLessThanMaxCompactSize). 2 Input Files, 10.18kb total:"
+ - "L0, all files 5.09kb "
- "L0.6[21,50] 4ns |------------------------------L0.6------------------------------| "
- "L0.5[11,40] 2ns |------------------------------L0.5------------------------------| "
- - "**** 1 Output Files (parquet_file_id not yet assigned), 10.2kb total:"
- - "L1, all files 10.2kb "
+ - "**** 1 Output Files (parquet_file_id not yet assigned), 10.18kb total:"
+ - "L1, all files 10.18kb "
- "L1.?[11,50] 4ns |------------------------------------------L1.?------------------------------------------|"
- "Committing partition 1:"
- " Soft Deleting 2 files: L0.5, L0.6"
- " Creating 1 files"
- - "**** Final Output Files (20.39kb written)"
- - "L1, all files 10.2kb "
+ - "**** Final Output Files (20.36kb written)"
+ - "L1, all files 10.18kb "
- "L1.7[11,50] 4ns |------------------------------------------L1.7------------------------------------------|"
"###
);
diff --git a/compactor2_test_utils/src/lib.rs b/compactor2_test_utils/src/lib.rs
index 41d3398b6e..d241e8b7c7 100644
--- a/compactor2_test_utils/src/lib.rs
+++ b/compactor2_test_utils/src/lib.rs
@@ -37,7 +37,7 @@ use compactor2::{
config::{CompactionType, Config, PartitionsSourceConfig},
hardcoded_components, Components, PanicDataFusionPlanner, PartitionInfo,
};
-use data_types::{ColumnType, CompactionLevel, ParquetFile, TableId, TRANSITION_SHARD_NUMBER};
+use data_types::{ColumnType, CompactionLevel, ParquetFile, TableId};
use datafusion::arrow::record_batch::RecordBatch;
use datafusion_util::config::register_iox_object_store;
use futures::TryStreamExt;
@@ -45,7 +45,7 @@ use iox_catalog::interface::Catalog;
use iox_query::exec::ExecutorType;
use iox_tests::{
ParquetFileBuilder, TestCatalog, TestNamespace, TestParquetFileBuilder, TestPartition,
- TestShard, TestTable,
+ TestTable,
};
use iox_time::{MockProvider, Time, TimeProvider};
use object_store::{path::Path, DynObjectStore};
@@ -54,7 +54,6 @@ use schema::sort::SortKey;
use tracker::AsyncSemaphoreMetrics;
// Default values for the test setup builder
-const SHARD_INDEX: i32 = TRANSITION_SHARD_NUMBER;
const PARTITION_THRESHOLD: Duration = Duration::from_secs(10 * 60); // 10min
const MAX_DESIRE_FILE_SIZE: u64 = 100 * 1024;
const PERCENTAGE_MAX_FILE_SIZE: u16 = 5;
@@ -70,7 +69,6 @@ pub struct TestSetupBuilder<const WITH_FILES: bool> {
config: Config,
catalog: Arc<TestCatalog>,
ns: Arc<TestNamespace>,
- shard: Arc<TestShard>,
table: Arc<TestTable>,
partition: Arc<TestPartition>,
files: Vec<ParquetFile>,
@@ -88,7 +86,6 @@ impl TestSetupBuilder<false> {
pub async fn new() -> Self {
let catalog = TestCatalog::new();
let ns = catalog.create_namespace_1hr_retention("ns").await;
- let shard = ns.create_shard(SHARD_INDEX).await;
let table = ns.create_table("table").await;
table.create_column("field_int", ColumnType::I64).await;
table.create_column("tag1", ColumnType::Tag).await;
@@ -96,10 +93,7 @@ impl TestSetupBuilder<false> {
table.create_column("tag3", ColumnType::Tag).await;
table.create_column("time", ColumnType::Time).await;
- let partition = table
- .with_shard(&shard)
- .create_partition("2022-07-13")
- .await;
+ let partition = table.create_partition("2022-07-13").await;
// The sort key comes from the catalog and should be the union of all tags the
// ingester has seen
@@ -122,7 +116,6 @@ impl TestSetupBuilder<false> {
let config = Config {
compaction_type: Default::default(),
- shard_id: shard.shard.id,
metric_registry: catalog.metric_registry(),
catalog: catalog.catalog(),
parquet_store_real: catalog.parquet_store.clone(),
@@ -162,7 +155,6 @@ impl TestSetupBuilder<false> {
config,
catalog,
ns,
- shard,
table,
partition,
files: vec![],
@@ -299,7 +291,6 @@ impl TestSetupBuilder<false> {
config: self.config,
catalog: self.catalog,
ns: self.ns,
- shard: self.shard,
table: self.table,
partition: self.partition,
files,
@@ -333,7 +324,6 @@ impl TestSetupBuilder<false> {
config: self.config.clone(),
catalog: Arc::clone(&self.catalog),
ns: Arc::clone(&self.ns),
- shard: Arc::clone(&self.shard),
table: Arc::clone(&self.table),
partition: Arc::clone(&self.partition),
files,
@@ -368,7 +358,6 @@ impl TestSetupBuilder<false> {
config: self.config.clone(),
catalog: Arc::clone(&self.catalog),
ns: Arc::clone(&self.ns),
- shard: Arc::clone(&self.shard),
table: Arc::clone(&self.table),
partition: Arc::clone(&self.partition),
files,
diff --git a/compactor2_test_utils/src/simulator.rs b/compactor2_test_utils/src/simulator.rs
index a90d6c1337..35bfbdd6f5 100644
--- a/compactor2_test_utils/src/simulator.rs
+++ b/compactor2_test_utils/src/simulator.rs
@@ -8,7 +8,7 @@ use std::{
use async_trait::async_trait;
use data_types::{
- ColumnSet, CompactionLevel, ParquetFile, ParquetFileParams, SequenceNumber, ShardId, Timestamp,
+ ColumnSet, CompactionLevel, ParquetFile, ParquetFileParams, SequenceNumber, Timestamp,
};
use datafusion::physical_plan::SendableRecordBatchStream;
use iox_time::Time;
@@ -202,7 +202,6 @@ impl SimulatedFile {
} = self;
ParquetFileParams {
- shard_id: ShardId::new(1),
namespace_id: partition_info.namespace_id,
table_id: partition_info.table.id,
partition_id: partition_info.partition_id,
diff --git a/data_types/src/lib.rs b/data_types/src/lib.rs
index d6006761c3..30cf7775b8 100644
--- a/data_types/src/lib.rs
+++ b/data_types/src/lib.rs
@@ -24,7 +24,6 @@ use schema::{
builder::SchemaBuilder, sort::SortKey, InfluxColumnType, InfluxFieldType, Schema,
TIME_COLUMN_NAME,
};
-use serde::Deserialize;
use sqlx::postgres::PgHasArrayType;
use std::{
borrow::Borrow,
@@ -38,13 +37,6 @@ use std::{
};
use uuid::Uuid;
-/// Magic number to be used shard indices and shard ids in "kafkaless".
-pub const TRANSITION_SHARD_NUMBER: i32 = 1234;
-/// In kafkaless mode all new persisted data uses this shard id.
-pub const TRANSITION_SHARD_ID: ShardId = ShardId::new(TRANSITION_SHARD_NUMBER as i64);
-/// In kafkaless mode all new persisted data uses this shard index.
-pub const TRANSITION_SHARD_INDEX: ShardIndex = ShardIndex::new(TRANSITION_SHARD_NUMBER);
-
/// Compaction levels
#[derive(Debug, PartialEq, Eq, PartialOrd, Ord, Clone, Copy, Hash, sqlx::Type)]
#[repr(i16)]
@@ -215,61 +207,6 @@ impl PgHasArrayType for ColumnId {
}
}
-/// Unique ID for a `Shard`, assigned by the catalog. Joins to other catalog tables to uniquely
-/// identify shards independently of the underlying write buffer implementation.
-#[derive(Debug, Clone, Copy, PartialEq, Eq, PartialOrd, Ord, Hash, sqlx::Type)]
-#[sqlx(transparent)]
-pub struct ShardId(i64);
-
-#[allow(missing_docs)]
-impl ShardId {
- pub const fn new(v: i64) -> Self {
- Self(v)
- }
- pub fn get(&self) -> i64 {
- self.0
- }
-}
-
-impl std::fmt::Display for ShardId {
- fn fmt(&self, f: &mut std::fmt::Formatter) -> std::fmt::Result {
- write!(f, "{}", self.0)
- }
-}
-
-/// The index of the shard in the set of shards. When Kafka is used as the write buffer, this is
-/// the Kafka Partition ID. Used by the router and write buffer to shard requests to a particular
-/// index in a set of shards.
-#[derive(Debug, Deserialize, Clone, Copy, PartialEq, Eq, PartialOrd, Ord, Hash, sqlx::Type)]
-#[sqlx(transparent)]
-#[serde(transparent)]
-pub struct ShardIndex(i32);
-
-#[allow(missing_docs)]
-impl ShardIndex {
- pub const fn new(v: i32) -> Self {
- Self(v)
- }
- pub fn get(&self) -> i32 {
- self.0
- }
-}
-
-impl std::fmt::Display for ShardIndex {
- fn fmt(&self, f: &mut std::fmt::Formatter) -> std::fmt::Result {
- write!(f, "{}", self.0)
- }
-}
-
-impl std::str::FromStr for ShardIndex {
- type Err = std::num::ParseIntError;
-
- fn from_str(s: &str) -> Result<Self, Self::Err> {
- let v: i32 = s.parse()?;
- Ok(Self(v))
- }
-}
-
/// Unique ID for a `Partition`
#[derive(Debug, Clone, Copy, PartialEq, Eq, PartialOrd, Ord, Hash, sqlx::Type, sqlx::FromRow)]
#[sqlx(transparent)]
@@ -769,24 +706,6 @@ pub fn column_type_from_field(field_value: &FieldValue) -> ColumnType {
}
}
-/// Data object for a shard. Only one shard record can exist for a given topic and shard
-/// index (enforced via uniqueness constraint).
-#[derive(Debug, Copy, Clone, PartialEq, Eq, sqlx::FromRow)]
-pub struct Shard {
- /// the id of the shard, assigned by the catalog
- pub id: ShardId,
- /// the topic the shard is reading from
- pub topic_id: TopicId,
- /// the shard index of the shard the sequence numbers are coming from, sharded by the router
- /// and write buffer
- pub shard_index: ShardIndex,
- /// The minimum unpersisted sequence number. Because different tables
- /// can be persisted at different times, it is possible some data has been persisted
- /// with a higher sequence number than this. However, all data with a sequence number
- /// lower than this must have been persisted to Parquet.
- pub min_unpersisted_sequence_number: SequenceNumber,
-}
-
/// Defines an partition via an arbitrary string within a table within
/// a namespace.
///
@@ -880,8 +799,6 @@ impl sqlx::Decode<'_, sqlx::Sqlite> for PartitionKey {
pub struct Partition {
/// the id of the partition
pub id: PartitionId,
- /// the shard the data in the partition arrived from
- pub shard_id: ShardId,
/// the table the partition is under
pub table_id: TableId,
/// the string key of the partition
@@ -1020,8 +937,6 @@ impl Deref for ColumnSet {
pub struct ParquetFile {
/// the id of the file in the catalog
pub id: ParquetFileId,
- /// the shard that sequenced writes that went into this file
- pub shard_id: ShardId,
/// the namespace
pub namespace_id: NamespaceId,
/// the table
@@ -1084,7 +999,6 @@ impl ParquetFile {
pub fn from_params(params: ParquetFileParams, id: ParquetFileId) -> Self {
Self {
id,
- shard_id: params.shard_id,
namespace_id: params.namespace_id,
table_id: params.table_id,
partition_id: params.partition_id,
@@ -1122,8 +1036,6 @@ impl ParquetFile {
/// Data for a parquet file to be inserted into the catalog.
#[derive(Debug, Clone, PartialEq, Eq)]
pub struct ParquetFileParams {
- /// the shard that sequenced writes that went into this file
- pub shard_id: ShardId,
/// the namespace
pub namespace_id: NamespaceId,
/// the table
@@ -1155,7 +1067,6 @@ pub struct ParquetFileParams {
impl From<ParquetFile> for ParquetFileParams {
fn from(value: ParquetFile) -> Self {
Self {
- shard_id: value.shard_id,
namespace_id: value.namespace_id,
table_id: value.table_id,
partition_id: value.partition_id,
diff --git a/garbage_collector/src/objectstore/checker.rs b/garbage_collector/src/objectstore/checker.rs
index 278b586d3c..af58c73b55 100644
--- a/garbage_collector/src/objectstore/checker.rs
+++ b/garbage_collector/src/objectstore/checker.rs
@@ -138,7 +138,7 @@ mod tests {
use chrono::TimeZone;
use data_types::{
ColumnId, ColumnSet, CompactionLevel, NamespaceId, ParquetFile, ParquetFileParams,
- PartitionId, SequenceNumber, ShardId, ShardIndex, TableId, Timestamp,
+ PartitionId, SequenceNumber, TableId, Timestamp,
};
use iox_catalog::{interface::Catalog, mem::MemCatalog};
use object_store::path::Path;
@@ -167,19 +167,13 @@ mod tests {
.create_or_get("test_table", namespace.id)
.await
.unwrap();
- let shard = repos
- .shards()
- .create_or_get(&topic, ShardIndex::new(1))
- .await
- .unwrap();
let partition = repos
.partitions()
- .create_or_get("one".into(), shard.id, table.id)
+ .create_or_get("one".into(), table.id)
.await
.unwrap();
let parquet_file_params = ParquetFileParams {
- shard_id: shard.id,
namespace_id: namespace.id,
table_id: partition.table_id,
partition_id: partition.id,
@@ -213,7 +207,6 @@ mod tests {
let location = ParquetFilePath::new(
file_in_catalog.namespace_id,
file_in_catalog.table_id,
- file_in_catalog.shard_id,
file_in_catalog.partition_id,
file_in_catalog.object_store_id,
)
@@ -241,7 +234,6 @@ mod tests {
let location = ParquetFilePath::new(
NamespaceId::new(1),
TableId::new(2),
- ShardId::new(3),
PartitionId::new(4),
Uuid::new_v4(),
)
@@ -287,7 +279,6 @@ mod tests {
let location = ParquetFilePath::new(
file_in_catalog.namespace_id,
file_in_catalog.table_id,
- file_in_catalog.shard_id,
file_in_catalog.partition_id,
file_in_catalog.object_store_id,
)
@@ -315,7 +306,6 @@ mod tests {
let location = ParquetFilePath::new(
NamespaceId::new(1),
TableId::new(2),
- ShardId::new(3),
PartitionId::new(4),
Uuid::new_v4(),
)
diff --git a/garbage_collector/src/objectstore/deleter.rs b/garbage_collector/src/objectstore/deleter.rs
index a1255ca426..a78b6d3cc3 100644
--- a/garbage_collector/src/objectstore/deleter.rs
+++ b/garbage_collector/src/objectstore/deleter.rs
@@ -64,7 +64,7 @@ mod tests {
use super::*;
use bytes::Bytes;
use chrono::Utc;
- use data_types::{NamespaceId, PartitionId, ShardId, TableId};
+ use data_types::{NamespaceId, PartitionId, TableId};
use object_store::path::Path;
use parquet_file::ParquetFilePath;
use std::time::Duration;
@@ -146,7 +146,6 @@ mod tests {
ParquetFilePath::new(
NamespaceId::new(1),
TableId::new(2),
- ShardId::new(3),
PartitionId::new(4),
Uuid::new_v4(),
)
diff --git a/generated_types/protos/influxdata/iox/ingester/v1/parquet_metadata.proto b/generated_types/protos/influxdata/iox/ingester/v1/parquet_metadata.proto
index dbda394cf6..36f9c45543 100644
--- a/generated_types/protos/influxdata/iox/ingester/v1/parquet_metadata.proto
+++ b/generated_types/protos/influxdata/iox/ingester/v1/parquet_metadata.proto
@@ -16,6 +16,9 @@ message IoxMetadata {
// Renamed to shard_id
reserved 5;
reserved "sequencer_id";
+ // shard_id was removed
+ reserved 17;
+ reserved "shard_id";
// Object store ID. Used in the parquet filename. 16 bytes in big-endian order.
bytes object_store_id = 1;
@@ -29,9 +32,6 @@ message IoxMetadata {
// Unique name of the namespace.
string namespace_name = 4;
- // Unique shard ID.
- int64 shard_id = 17;
-
// Unique table ID.
int64 table_id = 6;
diff --git a/import/src/aggregate_tsm_schema/update_catalog.rs b/import/src/aggregate_tsm_schema/update_catalog.rs
index 2f41741bbe..78caa606fe 100644
--- a/import/src/aggregate_tsm_schema/update_catalog.rs
+++ b/import/src/aggregate_tsm_schema/update_catalog.rs
@@ -1,11 +1,9 @@
-use self::generated_types::{shard_service_client::ShardServiceClient, *};
use crate::{AggregateTSMMeasurement, AggregateTSMSchema};
use chrono::{format::StrftimeItems, offset::FixedOffset, DateTime, Duration};
use data_types::{
ColumnType, Namespace, NamespaceName, NamespaceSchema, OrgBucketMappingError, Partition,
- PartitionKey, QueryPoolId, ShardId, TableSchema, TopicId,
+ PartitionKey, QueryPoolId, TableSchema, TopicId,
};
-use influxdb_iox_client::connection::{Connection, GrpcConnection};
use iox_catalog::interface::{
get_schema_by_name, CasFailure, Catalog, RepoCollection, SoftDeletedRows,
};
@@ -16,10 +14,6 @@ use schema::{
use std::{collections::HashMap, fmt::Write, ops::DerefMut, sync::Arc};
use thiserror::Error;
-pub mod generated_types {
- pub use generated_types::influxdata::iox::sharder::v1::*;
-}
-
#[derive(Debug, Error)]
pub enum UpdateCatalogError {
#[error("Error returned from the Catalog: {0}")]
@@ -45,9 +39,6 @@ pub enum UpdateCatalogError {
#[error("Time calculation error when deriving partition key: {0}")]
PartitionKeyCalculationError(String),
-
- #[error("Error fetching shard ID from shard service: {0}")]
- ShardServiceError(#[from] tonic::Status),
}
/// Given a merged schema, update the IOx catalog to either merge that schema into the existing one
@@ -61,7 +52,6 @@ pub async fn update_iox_catalog<'a>(
topic: &'a str,
query_pool_name: &'a str,
catalog: Arc<dyn Catalog>,
- connection: Connection,
) -> Result<(), UpdateCatalogError> {
let namespace_name =
NamespaceName::from_org_and_bucket(&merged_tsm_schema.org_id, &merged_tsm_schema.bucket_id)
@@ -103,18 +93,8 @@ pub async fn update_iox_catalog<'a>(
return Err(UpdateCatalogError::CatalogError(e));
}
};
- // initialise a client of the shard service in the router. we will use it to find out which
- // shard a table/namespace combo would shard to, without exposing the implementation
- // details of the sharding
- let mut shard_client = ShardServiceClient::new(connection.into_grpc_connection());
- update_catalog_schema_with_merged(
- namespace_name.as_str(),
- iox_schema,
- merged_tsm_schema,
- repos.deref_mut(),
- &mut shard_client,
- )
- .await?;
+
+ update_catalog_schema_with_merged(iox_schema, merged_tsm_schema, repos.deref_mut()).await?;
Ok(())
}
@@ -179,11 +159,9 @@ where
/// This is basically the same as iox_catalog::validate_mutable_batch() but operates on
/// AggregateTSMSchema instead of a MutableBatch (we don't have any data, only a schema)
async fn update_catalog_schema_with_merged<R>(
- namespace_name: &str,
iox_schema: NamespaceSchema,
merged_tsm_schema: &AggregateTSMSchema,
repos: &mut R,
- shard_client: &mut ShardServiceClient<GrpcConnection>,
) -> Result<(), UpdateCatalogError>
where
R: RepoCollection + ?Sized,
@@ -290,19 +268,12 @@ where
// date, but this is what the router logic currently does so that would need to change too.
let partition_keys =
get_partition_keys_for_range(measurement.earliest_time, measurement.latest_time)?;
- let response = shard_client
- .map_to_shard(tonic::Request::new(MapToShardRequest {
- table_name: measurement_name.clone(),
- namespace_name: namespace_name.to_string(),
- }))
- .await?;
- let shard_id = ShardId::new(response.into_inner().shard_id);
for partition_key in partition_keys {
// create the partition if it doesn't exist; new partitions get an empty sort key which
// gets matched as `None`` in the code below
let partition = repos
.partitions()
- .create_or_get(partition_key, shard_id, table.id)
+ .create_or_get(partition_key, table.id)
.await
.map_err(UpdateCatalogError::CatalogError)?;
// get the sort key from the partition, if it exists. create it or update it as
@@ -418,88 +389,12 @@ fn datetime_to_partition_key(
#[cfg(test)]
mod tests {
- use super::{generated_types::shard_service_server::ShardService, *};
+ use super::*;
use crate::{AggregateTSMField, AggregateTSMTag};
use assert_matches::assert_matches;
- use client_util::connection::Builder;
use data_types::{PartitionId, TableId};
use iox_catalog::mem::MemCatalog;
- use parking_lot::RwLock;
- use std::{collections::HashSet, net::SocketAddr};
- use tokio::task::JoinHandle;
- use tokio_stream::wrappers::TcpListenerStream;
- use tonic::transport::Server;
-
- struct MockShardService {
- requests: Arc<RwLock<Vec<MapToShardRequest>>>,
- reply_with: MapToShardResponse,
- }
-
- impl MockShardService {
- pub fn new(response: MapToShardResponse) -> Self {
- MockShardService {
- requests: Arc::new(RwLock::new(vec![])),
- reply_with: response,
- }
- }
-
- /// Use to replace the next reply with the given response (not currently used but would be
- /// handy for expanded tests)
- #[allow(dead_code)]
- pub fn with_reply(mut self, response: MapToShardResponse) -> Self {
- self.reply_with = response;
- self
- }
-
- /// Get all the requests that were made to the mock (not currently used but would be handy
- /// for expanded tests)
- #[allow(dead_code)]
- pub fn get_requests(&self) -> Arc<RwLock<Vec<MapToShardRequest>>> {
- Arc::clone(&self.requests)
- }
- }
-
- #[tonic::async_trait]
- impl ShardService for MockShardService {
- async fn map_to_shard(
- &self,
- request: tonic::Request<MapToShardRequest>,
- ) -> Result<tonic::Response<MapToShardResponse>, tonic::Status> {
- self.requests.write().push(request.into_inner());
- Ok(tonic::Response::new(self.reply_with.clone()))
- }
- }
-
- async fn create_test_shard_service(
- response: MapToShardResponse,
- ) -> (
- Connection,
- JoinHandle<()>,
- Arc<RwLock<Vec<MapToShardRequest>>>,
- ) {
- let bind_addr = SocketAddr::new(
- std::net::IpAddr::V4(std::net::Ipv4Addr::new(127, 0, 0, 1)),
- 0,
- );
- let socket = tokio::net::TcpListener::bind(bind_addr)
- .await
- .expect("failed to bind to socket in test");
- let bind_addr = socket.local_addr().unwrap();
- let sharder = MockShardService::new(response);
- let requests = Arc::clone(&sharder.get_requests());
- let server =
- Server::builder().add_service(shard_service_server::ShardServiceServer::new(sharder));
- let server = async move {
- let stream = TcpListenerStream::new(socket);
- server.serve_with_incoming(stream).await.ok();
- };
- let join_handle = tokio::task::spawn(server);
- let connection = Builder::default()
- .build(format!("http://{bind_addr}"))
- .await
- .expect("failed to connect to server");
- (connection, join_handle, requests)
- }
+ use std::collections::HashSet;
#[tokio::test]
async fn needs_creating() {
@@ -513,11 +408,6 @@ mod tests {
.create_or_get("iox-shared")
.await
.expect("topic created");
- let (connection, _join_handle, _requests) = create_test_shard_service(MapToShardResponse {
- shard_id: 0,
- shard_index: 0,
- })
- .await;
let json = r#"
{
@@ -543,7 +433,6 @@ mod tests {
"iox-shared",
"iox-shared",
Arc::clone(&catalog),
- connection,
)
.await
.expect("schema update worked");
@@ -602,11 +491,6 @@ mod tests {
.create_or_get("iox-shared")
.await
.expect("topic created");
- let (connection, _join_handle, _requests) = create_test_shard_service(MapToShardResponse {
- shard_id: 0,
- shard_index: 0,
- })
- .await;
// create namespace, table and columns for weather measurement
let namespace = txn
@@ -666,7 +550,6 @@ mod tests {
"iox-shared",
"iox-shared",
Arc::clone(&catalog),
- connection,
)
.await
.expect("schema update worked");
@@ -710,11 +593,6 @@ mod tests {
.create_or_get("iox-shared")
.await
.expect("topic created");
- let (connection, _join_handle, _requests) = create_test_shard_service(MapToShardResponse {
- shard_id: 0,
- shard_index: 0,
- })
- .await;
// create namespace, table and columns for weather measurement
let namespace = txn
@@ -767,7 +645,6 @@ mod tests {
"iox-shared",
"iox-shared",
Arc::clone(&catalog),
- connection,
)
.await
.expect_err("should fail catalog update");
@@ -790,11 +667,6 @@ mod tests {
.create_or_get("iox-shared")
.await
.expect("topic created");
- let (connection, _join_handle, _requests) = create_test_shard_service(MapToShardResponse {
- shard_id: 0,
- shard_index: 0,
- })
- .await;
// create namespace, table and columns for weather measurement
let namespace = txn
@@ -846,7 +718,6 @@ mod tests {
"iox-shared",
"iox-shared",
Arc::clone(&catalog),
- connection,
)
.await
.expect_err("should fail catalog update");
@@ -856,85 +727,6 @@ mod tests {
));
}
- #[tokio::test]
- async fn shard_lookup() {
- // init a test catalog stack
- let metrics = Arc::new(metric::Registry::default());
- let catalog: Arc<dyn Catalog> = Arc::new(MemCatalog::new(Arc::clone(&metrics)));
- catalog
- .repositories()
- .await
- .topics()
- .create_or_get("iox-shared")
- .await
- .expect("topic created");
- let (connection, _join_handle, requests) = create_test_shard_service(MapToShardResponse {
- shard_id: 0,
- shard_index: 0,
- })
- .await;
-
- let json = r#"
- {
- "org_id": "1234",
- "bucket_id": "5678",
- "measurements": {
- "cpu": {
- "tags": [
- { "name": "host", "values": ["server", "desktop"] }
- ],
- "fields": [
- { "name": "usage", "types": ["Float"] }
- ],
- "earliest_time": "2022-01-01T00:00:00.00Z",
- "latest_time": "2022-07-07T06:00:00.00Z"
- },
- "weather": {
- "tags": [
- ],
- "fields": [
- { "name": "temperature", "types": ["Integer"] }
- ],
- "earliest_time": "2022-01-01T00:00:00.00Z",
- "latest_time": "2022-07-07T06:00:00.00Z"
- }
- }
- }
- "#;
- let agg_schema: AggregateTSMSchema = json.try_into().unwrap();
- update_iox_catalog(
- &agg_schema,
- "iox-shared",
- "iox-shared",
- Arc::clone(&catalog),
- connection,
- )
- .await
- .expect("schema update worked");
- // check that a request was made for the two shard lookups for the tables
- let requests = requests.read();
- assert_eq!(requests.len(), 2);
- let cpu_req = requests
- .iter()
- .find(|r| r.table_name == "cpu")
- .expect("cpu request missing from mock");
- assert_eq!(
- (cpu_req.namespace_name.as_str(), cpu_req.table_name.as_str()),
- ("1234_5678", "cpu"),
- );
- let weather_req = requests
- .iter()
- .find(|r| r.table_name == "weather")
- .expect("weather request missing from mock");
- assert_eq!(
- (
- weather_req.namespace_name.as_str(),
- weather_req.table_name.as_str()
- ),
- ("1234_5678", "weather"),
- );
- }
-
#[tokio::test]
async fn partition_keys_from_datetime_range_midday_to_midday() {
let earliest_time = DateTime::parse_from_rfc3339("2022-10-30T12:00:00+00:00")
@@ -1230,7 +1022,6 @@ mod tests {
};
let partition = Partition {
id: PartitionId::new(1),
- shard_id: ShardId::new(1),
table_id: TableId::new(1),
persisted_sequence_number: None,
partition_key: PartitionKey::from("2022-06-21"),
@@ -1278,7 +1069,6 @@ mod tests {
};
let partition = Partition {
id: PartitionId::new(1),
- shard_id: ShardId::new(1),
table_id: TableId::new(1),
persisted_sequence_number: None,
partition_key: PartitionKey::from("2022-06-21"),
@@ -1326,7 +1116,6 @@ mod tests {
};
let partition = Partition {
id: PartitionId::new(1),
- shard_id: ShardId::new(1),
table_id: TableId::new(1),
persisted_sequence_number: None,
partition_key: PartitionKey::from("2022-06-21"),
@@ -1376,7 +1165,6 @@ mod tests {
};
let partition = Partition {
id: PartitionId::new(1),
- shard_id: ShardId::new(1),
table_id: TableId::new(1),
persisted_sequence_number: None,
partition_key: PartitionKey::from("2022-06-21"),
diff --git a/influxdb_iox/src/commands/import/mod.rs b/influxdb_iox/src/commands/import/mod.rs
index 134f705647..2fb94ba509 100644
--- a/influxdb_iox/src/commands/import/mod.rs
+++ b/influxdb_iox/src/commands/import/mod.rs
@@ -1,4 +1,3 @@
-use influxdb_iox_client::connection::Connection;
use thiserror::Error;
mod schema;
@@ -23,9 +22,9 @@ pub enum Command {
}
/// Handle variants of the schema command.
-pub async fn command(connection: Connection, config: Config) -> Result<(), ImportError> {
+pub async fn command(config: Config) -> Result<(), ImportError> {
match config.command {
- Command::Schema(schema_config) => schema::command(connection, *schema_config)
+ Command::Schema(schema_config) => schema::command(*schema_config)
.await
.map_err(ImportError::SchemaError),
}
diff --git a/influxdb_iox/src/commands/import/schema.rs b/influxdb_iox/src/commands/import/schema.rs
index 74ed41eb41..193ff96d89 100644
--- a/influxdb_iox/src/commands/import/schema.rs
+++ b/influxdb_iox/src/commands/import/schema.rs
@@ -10,7 +10,6 @@ use clap_blocks::{
catalog_dsn::CatalogDsnConfig,
object_store::{make_object_store, ObjectStoreConfig},
};
-use influxdb_iox_client::connection::Connection;
use iox_time::{SystemProvider, TimeProvider};
use object_store::{path::Path, DynObjectStore};
use object_store_metrics::ObjectStoreMetrics;
@@ -133,7 +132,7 @@ pub struct MergeConfig {
}
/// Entry-point for the schema command
-pub async fn command(connection: Connection, config: Config) -> Result<(), SchemaCommandError> {
+pub async fn command(config: Config) -> Result<(), SchemaCommandError> {
match config {
Config::Merge(merge_config) => {
let time_provider = Arc::new(SystemProvider::new()) as Arc<dyn TimeProvider>;
@@ -198,7 +197,6 @@ pub async fn command(connection: Connection, config: Config) -> Result<(), Schem
&merge_config.topic,
&merge_config.query_pool_name,
Arc::clone(&catalog),
- connection.clone(),
)
.await?;
diff --git a/influxdb_iox/src/commands/remote/partition.rs b/influxdb_iox/src/commands/remote/partition.rs
index b25fe3c1db..c40f22b30f 100644
--- a/influxdb_iox/src/commands/remote/partition.rs
+++ b/influxdb_iox/src/commands/remote/partition.rs
@@ -5,8 +5,8 @@ use clap_blocks::object_store::{make_object_store, ObjectStoreType};
use clap_blocks::{catalog_dsn::CatalogDsnConfig, object_store::ObjectStoreConfig};
use data_types::{
ColumnId, ColumnSet, ColumnType, NamespaceId, NamespaceSchema as CatalogNamespaceSchema,
- ParquetFile as CatalogParquetFile, ParquetFileParams, PartitionId, SequenceNumber, ShardId,
- TableId, Timestamp, TRANSITION_SHARD_INDEX,
+ ParquetFile as CatalogParquetFile, ParquetFileParams, PartitionId, SequenceNumber, TableId,
+ Timestamp,
};
use futures::future::join_all;
use influxdb_iox_client::{
@@ -172,7 +172,6 @@ pub async fn command(connection: Connection, config: Config) -> Result<(), Error
let path = ParquetFilePath::new(
parquet_file.namespace_id,
parquet_file.table_id,
- parquet_file.shard_id,
parquet_file.partition_id,
parquet_file.object_store_id,
);
@@ -242,11 +241,6 @@ async fn load_schema(
let mut repos = catalog.repositories().await;
let topic = repos.topics().create_or_get(TOPIC_NAME).await?;
let query_pool = repos.query_pools().create_or_get(QUERY_POOL).await?;
- // ensure there's a shard for this partition so it can be used later
- let _shard = repos
- .shards()
- .create_or_get(&topic, TRANSITION_SHARD_INDEX)
- .await?;
let namespace = match repos
.namespaces()
@@ -307,27 +301,16 @@ async fn load_partition(
remote_partition: &Partition,
) -> Result<PartitionMapping, Error> {
let mut repos = catalog.repositories().await;
- let topic = repos
- .topics()
- .get_by_name(TOPIC_NAME)
- .await?
- .expect("topic should have been inserted earlier");
- let shard = repos
- .shards()
- .get_by_topic_id_and_shard_index(topic.id, TRANSITION_SHARD_INDEX)
- .await?
- .expect("shard should have been inserted earlier");
let table = schema
.tables
.get(table_name)
.expect("table should have been loaded");
let partition = repos
.partitions()
- .create_or_get(remote_partition.key.clone().into(), shard.id, table.id)
+ .create_or_get(remote_partition.key.clone().into(), table.id)
.await?;
Ok(PartitionMapping {
- shard_id: shard.id,
table_id: table.id,
partition_id: partition.id,
remote_partition_id: remote_partition.id,
@@ -353,7 +336,6 @@ async fn load_parquet_files(
None => {
println!("creating file {uuid} in catalog");
let params = ParquetFileParams {
- shard_id: partition_mapping.shard_id,
namespace_id,
table_id: partition_mapping.table_id,
partition_id: partition_mapping.partition_id,
@@ -382,9 +364,8 @@ async fn load_parquet_files(
Ok(files)
}
-// keeps a mapping of the locally created partition and shard to the remote partition id
+// keeps a mapping of the locally created partition to the remote partition id
struct PartitionMapping {
- shard_id: ShardId,
table_id: TableId,
partition_id: PartitionId,
remote_partition_id: i64,
@@ -518,7 +499,6 @@ mod tests {
async fn load_parquet_files() {
let metrics = Arc::new(metric::Registry::new());
let catalog: Arc<dyn Catalog> = Arc::new(MemCatalog::new(Arc::clone(&metrics)));
- let shard;
let namespace;
let table;
let partition;
@@ -527,11 +507,6 @@ mod tests {
let mut repos = catalog.repositories().await;
let topic = repos.topics().create_or_get(TOPIC_NAME).await.unwrap();
let query_pool = repos.query_pools().create_or_get(QUERY_POOL).await.unwrap();
- shard = repos
- .shards()
- .create_or_get(&topic, TRANSITION_SHARD_INDEX)
- .await
- .unwrap();
namespace = repos
.namespaces()
.create("load_parquet_files", None, topic.id, query_pool.id)
@@ -544,13 +519,12 @@ mod tests {
.unwrap();
partition = repos
.partitions()
- .create_or_get("1970-01-01".into(), shard.id, table.id)
+ .create_or_get("1970-01-01".into(), table.id)
.await
.unwrap();
}
let partition_mapping = PartitionMapping {
- shard_id: shard.id,
table_id: table.id,
partition_id: partition.id,
remote_partition_id: 4,
@@ -589,12 +563,11 @@ mod tests {
.await
.unwrap();
- // the inserted parquet file should have shard, namespace, table, and partition ids
+ // the inserted parquet file should have namespace, table, and partition ids
// that match with the ones in the catalog, not the remote. The other values should
// match those of the remote.
let expected = vec![CatalogParquetFile {
id: ParquetFileId::new(1),
- shard_id: shard.id,
namespace_id: namespace.id,
table_id: table.id,
partition_id: partition.id,
diff --git a/influxdb_iox/src/main.rs b/influxdb_iox/src/main.rs
index c525be6ec5..b71da1bb9c 100644
--- a/influxdb_iox/src/main.rs
+++ b/influxdb_iox/src/main.rs
@@ -375,8 +375,7 @@ fn main() -> Result<(), std::io::Error> {
}
Some(Command::Import(config)) => {
let _tracing_guard = handle_init_logs(init_simple_logs(log_verbose_count));
- let connection = connection(grpc_host).await;
- if let Err(e) = commands::import::command(connection, config).await {
+ if let Err(e) = commands::import::command(config).await {
eprintln!("{e}");
std::process::exit(ReturnCode::Failure as _)
}
diff --git a/ingester2/src/buffer_tree/namespace.rs b/ingester2/src/buffer_tree/namespace.rs
index 7a02f2bb79..d51d75d6d7 100644
--- a/ingester2/src/buffer_tree/namespace.rs
+++ b/ingester2/src/buffer_tree/namespace.rs
@@ -5,7 +5,7 @@ pub(crate) mod name_resolver;
use std::sync::Arc;
use async_trait::async_trait;
-use data_types::{NamespaceId, ShardId, TableId};
+use data_types::{NamespaceId, TableId};
use dml::DmlOperation;
use metric::U64Counter;
use observability_deps::tracing::warn;
@@ -52,7 +52,7 @@ impl std::fmt::Display for NamespaceName {
}
}
-/// Data of a Namespace that belongs to a given Shard
+/// Data of a Namespace
#[derive(Debug)]
pub(crate) struct NamespaceData<O> {
namespace_id: NamespaceId,
@@ -77,8 +77,6 @@ pub(crate) struct NamespaceData<O> {
partition_provider: Arc<dyn PartitionProvider>,
post_write_observer: Arc<O>,
-
- transition_shard_id: ShardId,
}
impl<O> NamespaceData<O> {
@@ -90,7 +88,6 @@ impl<O> NamespaceData<O> {
partition_provider: Arc<dyn PartitionProvider>,
post_write_observer: Arc<O>,
metrics: &metric::Registry,
- transition_shard_id: ShardId,
) -> Self {
let table_count = metrics
.register_metric::<U64Counter>(
@@ -107,7 +104,6 @@ impl<O> NamespaceData<O> {
table_count,
partition_provider,
post_write_observer,
- transition_shard_id,
}
}
@@ -144,10 +140,7 @@ where
type Error = mutable_batch::Error;
async fn apply(&self, op: DmlOperation) -> Result<(), Self::Error> {
- let sequence_number = op
- .meta()
- .sequence()
- .expect("applying unsequenced op");
+ let sequence_number = op.meta().sequence().expect("applying unsequenced op");
match op {
DmlOperation::Write(write) => {
@@ -166,7 +159,6 @@ where
Arc::clone(&self.namespace_name),
Arc::clone(&self.partition_provider),
Arc::clone(&self.post_write_observer),
- self.transition_shard_id,
))
});
@@ -230,7 +222,6 @@ where
mod tests {
use std::sync::Arc;
- use data_types::TRANSITION_SHARD_ID;
use metric::{Attributes, Metric};
use super::*;
@@ -264,7 +255,6 @@ mod tests {
partition_provider,
Arc::new(MockPostWriteObserver::default()),
&metrics,
- TRANSITION_SHARD_ID,
);
// Assert the namespace name was stored
diff --git a/ingester2/src/buffer_tree/namespace/name_resolver.rs b/ingester2/src/buffer_tree/namespace/name_resolver.rs
index 9d096e4c5e..b12dc91680 100644
--- a/ingester2/src/buffer_tree/namespace/name_resolver.rs
+++ b/ingester2/src/buffer_tree/namespace/name_resolver.rs
@@ -102,13 +102,11 @@ pub(crate) mod mock {
mod tests {
use std::sync::Arc;
- use data_types::ShardIndex;
use test_helpers::timeout::FutureTimeout;
use super::*;
use crate::test_util::populate_catalog;
- const SHARD_INDEX: ShardIndex = ShardIndex::new(24);
const TABLE_NAME: &str = "bananas";
const NAMESPACE_NAME: &str = "platanos";
@@ -119,9 +117,8 @@ mod tests {
let catalog: Arc<dyn Catalog> =
Arc::new(iox_catalog::mem::MemCatalog::new(Arc::clone(&metrics)));
- // Populate the catalog with the shard / namespace / table
- let (_shard_id, ns_id, _table_id) =
- populate_catalog(&*catalog, SHARD_INDEX, NAMESPACE_NAME, TABLE_NAME).await;
+ // Populate the catalog with the namespace / table
+ let (ns_id, _table_id) = populate_catalog(&*catalog, NAMESPACE_NAME, TABLE_NAME).await;
let fetcher = Arc::new(NamespaceNameResolver::new(
Duration::from_secs(10),
diff --git a/ingester2/src/buffer_tree/partition.rs b/ingester2/src/buffer_tree/partition.rs
index 833a4e264a..2e46bcdd0c 100644
--- a/ingester2/src/buffer_tree/partition.rs
+++ b/ingester2/src/buffer_tree/partition.rs
@@ -4,7 +4,7 @@ use std::{collections::VecDeque, sync::Arc};
use data_types::{
sequence_number_set::SequenceNumberSet, NamespaceId, PartitionId, PartitionKey, SequenceNumber,
- ShardId, TableId,
+ TableId,
};
use mutable_batch::MutableBatch;
use observability_deps::tracing::*;
@@ -41,8 +41,7 @@ impl SortKeyState {
}
}
-/// Data of an IOx Partition of a given Table of a Namespace that belongs to a
-/// given Shard
+/// Data of an IOx Partition of a given Table of a Namespace
#[derive(Debug)]
pub struct PartitionData {
/// The catalog ID of the partition this buffer is for.
@@ -92,8 +91,6 @@ pub struct PartitionData {
/// The number of persist operations completed over the lifetime of this
/// [`PartitionData`].
completed_persistence_count: u64,
-
- transition_shard_id: ShardId,
}
impl PartitionData {
@@ -107,7 +104,6 @@ impl PartitionData {
table_id: TableId,
table_name: Arc<DeferredLoad<TableName>>,
sort_key: SortKeyState,
- transition_shard_id: ShardId,
) -> Self {
Self {
partition_id: id,
@@ -121,7 +117,6 @@ impl PartitionData {
persisting: VecDeque::with_capacity(1),
started_persistence_count: BatchIdent::default(),
completed_persistence_count: 0,
- transition_shard_id,
}
}
@@ -305,11 +300,6 @@ impl PartitionData {
&self.partition_key
}
- /// Return the transition_shard_id for this partition.
- pub(crate) fn transition_shard_id(&self) -> ShardId {
- self.transition_shard_id
- }
-
/// Return the [`NamespaceId`] this partition is a part of.
pub(crate) fn namespace_id(&self) -> NamespaceId {
self.namespace_id
@@ -347,7 +337,6 @@ mod tests {
use arrow_util::assert_batches_eq;
use assert_matches::assert_matches;
use backoff::BackoffConfig;
- use data_types::ShardIndex;
use datafusion::{
physical_expr::PhysicalSortExpr,
physical_plan::{expressions::col, memory::MemoryExec, ExecutionPlan},
@@ -944,15 +933,14 @@ mod tests {
let catalog: Arc<dyn Catalog> =
Arc::new(iox_catalog::mem::MemCatalog::new(Arc::clone(&metrics)));
- // Populate the catalog with the shard / namespace / table
- let (shard_id, _ns_id, table_id) =
- populate_catalog(&*catalog, ShardIndex::new(1), "bananas", "platanos").await;
+ // Populate the catalog with the namespace / table
+ let (_ns_id, table_id) = populate_catalog(&*catalog, "bananas", "platanos").await;
let partition_id = catalog
.repositories()
.await
.partitions()
- .create_or_get("test".into(), shard_id, table_id)
+ .create_or_get("test".into(), table_id)
.await
.expect("should create")
.id;
diff --git a/ingester2/src/buffer_tree/partition/resolver/cache.rs b/ingester2/src/buffer_tree/partition/resolver/cache.rs
index fc49b62874..a4cf93e9d6 100644
--- a/ingester2/src/buffer_tree/partition/resolver/cache.rs
+++ b/ingester2/src/buffer_tree/partition/resolver/cache.rs
@@ -2,9 +2,7 @@ use std::{collections::HashMap, sync::Arc, time::Duration};
use async_trait::async_trait;
use backoff::BackoffConfig;
-use data_types::{
- NamespaceId, Partition, PartitionId, PartitionKey, SequenceNumber, ShardId, TableId,
-};
+use data_types::{NamespaceId, Partition, PartitionId, PartitionKey, SequenceNumber, TableId};
use iox_catalog::interface::Catalog;
use observability_deps::tracing::debug;
use parking_lot::Mutex;
@@ -166,7 +164,6 @@ where
namespace_name: Arc<DeferredLoad<NamespaceName>>,
table_id: TableId,
table_name: Arc<DeferredLoad<TableName>>,
- transition_shard_id: ShardId,
) -> Arc<Mutex<PartitionData>> {
// Use the cached PartitionKey instead of the caller's partition_key,
// instead preferring to reuse the already-shared Arc<str> in the cache.
@@ -196,7 +193,6 @@ where
table_id,
table_name,
SortKeyState::Deferred(Arc::new(sort_key_resolver)),
- transition_shard_id,
)));
}
@@ -210,7 +206,6 @@ where
namespace_name,
table_id,
table_name,
- transition_shard_id,
)
.await
}
@@ -221,7 +216,6 @@ mod tests {
// Harmless in tests - saves a bunch of extra vars.
#![allow(clippy::await_holding_lock)]
- use data_types::{ShardId, TRANSITION_SHARD_ID};
use iox_catalog::mem::MemCatalog;
use super::*;
@@ -264,7 +258,6 @@ mod tests {
Arc::clone(&*DEFER_NAMESPACE_NAME_1_SEC),
ARBITRARY_TABLE_ID,
Arc::clone(&*DEFER_TABLE_NAME_1_SEC),
- TRANSITION_SHARD_ID,
)
.await;
@@ -302,7 +295,6 @@ mod tests {
Arc::clone(&*DEFER_NAMESPACE_NAME_1_SEC),
ARBITRARY_TABLE_ID,
Arc::clone(&*DEFER_TABLE_NAME_1_SEC),
- TRANSITION_SHARD_ID,
)
.await;
@@ -354,7 +346,6 @@ mod tests {
Arc::clone(&*DEFER_NAMESPACE_NAME_1_SEC),
ARBITRARY_TABLE_ID,
Arc::clone(&*DEFER_TABLE_NAME_1_SEC),
- TRANSITION_SHARD_ID,
)
.await;
@@ -385,7 +376,6 @@ mod tests {
Arc::clone(&*DEFER_NAMESPACE_NAME_1_SEC),
other_table,
Arc::clone(&*DEFER_TABLE_NAME_1_SEC),
- TRANSITION_SHARD_ID,
)
.await;
diff --git a/ingester2/src/buffer_tree/partition/resolver/catalog.rs b/ingester2/src/buffer_tree/partition/resolver/catalog.rs
index e00103b877..eb5b69160c 100644
--- a/ingester2/src/buffer_tree/partition/resolver/catalog.rs
+++ b/ingester2/src/buffer_tree/partition/resolver/catalog.rs
@@ -5,7 +5,7 @@ use std::sync::Arc;
use async_trait::async_trait;
use backoff::{Backoff, BackoffConfig};
-use data_types::{NamespaceId, Partition, PartitionKey, ShardId, TableId};
+use data_types::{NamespaceId, Partition, PartitionKey, TableId};
use iox_catalog::interface::Catalog;
use observability_deps::tracing::debug;
use parking_lot::Mutex;
@@ -43,13 +43,12 @@ impl CatalogPartitionResolver {
&self,
partition_key: PartitionKey,
table_id: TableId,
- transition_shard_id: ShardId,
) -> Result<Partition, iox_catalog::interface::Error> {
self.catalog
.repositories()
.await
.partitions()
- .create_or_get(partition_key, transition_shard_id, table_id)
+ .create_or_get(partition_key, table_id)
.await
}
}
@@ -63,18 +62,16 @@ impl PartitionProvider for CatalogPartitionResolver {
namespace_name: Arc<DeferredLoad<NamespaceName>>,
table_id: TableId,
table_name: Arc<DeferredLoad<TableName>>,
- transition_shard_id: ShardId,
) -> Arc<Mutex<PartitionData>> {
debug!(
%partition_key,
%table_id,
%table_name,
- %transition_shard_id,
"upserting partition in catalog"
);
let p = Backoff::new(&self.backoff_config)
.retry_all_errors("resolve partition", || {
- self.get(partition_key.clone(), table_id, transition_shard_id)
+ self.get(partition_key.clone(), table_id)
})
.await
.expect("retry forever");
@@ -90,7 +87,6 @@ impl PartitionProvider for CatalogPartitionResolver {
table_id,
table_name,
SortKeyState::Provided(p.sort_key()),
- transition_shard_id,
)))
}
}
@@ -103,7 +99,6 @@ mod tests {
use std::{sync::Arc, time::Duration};
use assert_matches::assert_matches;
- use data_types::ShardIndex;
use super::*;
@@ -117,7 +112,7 @@ mod tests {
let catalog: Arc<dyn Catalog> =
Arc::new(iox_catalog::mem::MemCatalog::new(Arc::clone(&metrics)));
- let (shard_id, namespace_id, table_id) = {
+ let (namespace_id, table_id) = {
let mut repos = catalog.repositories().await;
let t = repos.topics().create_or_get("platanos").await.unwrap();
let q = repos.query_pools().create_or_get("platanos").await.unwrap();
@@ -127,19 +122,13 @@ mod tests {
.await
.unwrap();
- let shard = repos
- .shards()
- .create_or_get(&t, ShardIndex::new(0))
- .await
- .unwrap();
-
let table = repos
.tables()
.create_or_get(TABLE_NAME, ns.id)
.await
.unwrap();
- (shard.id, ns.id, table.id)
+ (ns.id, table.id)
};
let callers_partition_key = PartitionKey::from(PARTITION_KEY);
@@ -156,7 +145,6 @@ mod tests {
Arc::new(DeferredLoad::new(Duration::from_secs(1), async {
TableName::from(TABLE_NAME)
})),
- shard_id,
)
.await;
diff --git a/ingester2/src/buffer_tree/partition/resolver/coalesce.rs b/ingester2/src/buffer_tree/partition/resolver/coalesce.rs
index 099e271330..eca50cd5a7 100644
--- a/ingester2/src/buffer_tree/partition/resolver/coalesce.rs
+++ b/ingester2/src/buffer_tree/partition/resolver/coalesce.rs
@@ -8,7 +8,7 @@ use std::{
use arrow::compute::kernels::partition;
use async_trait::async_trait;
-use data_types::{NamespaceId, PartitionKey, ShardId, TableId};
+use data_types::{NamespaceId, PartitionKey, TableId};
use futures::{future::Shared, FutureExt};
use hashbrown::{hash_map::Entry, HashMap};
use parking_lot::Mutex;
@@ -147,7 +147,6 @@ where
namespace_name: Arc<DeferredLoad<NamespaceName>>,
table_id: TableId,
table_name: Arc<DeferredLoad<TableName>>,
- transition_shard_id: ShardId,
) -> Arc<Mutex<PartitionData>> {
let key = Key {
namespace_id,
@@ -172,7 +171,6 @@ where
namespace_name,
table_id,
table_name,
- transition_shard_id,
));
// Make the future poll-able by many callers, all of which
@@ -236,7 +234,6 @@ async fn do_fetch<T>(
namespace_name: Arc<DeferredLoad<NamespaceName>>,
table_id: TableId,
table_name: Arc<DeferredLoad<TableName>>,
- transition_shard_id: ShardId,
) -> Arc<Mutex<PartitionData>>
where
T: PartitionProvider + 'static,
@@ -257,7 +254,6 @@ where
namespace_name,
table_id,
table_name,
- transition_shard_id,
)
.await
})
@@ -275,7 +271,7 @@ mod tests {
};
use assert_matches::assert_matches;
- use data_types::{PartitionId, TRANSITION_SHARD_ID};
+ use data_types::PartitionId;
use futures::Future;
use futures::{stream::FuturesUnordered, StreamExt};
use lazy_static::lazy_static;
@@ -314,7 +310,6 @@ mod tests {
Arc::clone(&*DEFER_NAMESPACE_NAME_1_SEC),
ARBITRARY_TABLE_ID,
Arc::clone(&*DEFER_TABLE_NAME_1_SEC),
- TRANSITION_SHARD_ID,
)
})
.collect::<FuturesUnordered<_>>()
@@ -349,7 +344,6 @@ mod tests {
_namespace_name: Arc<DeferredLoad<NamespaceName>>,
_table_id: TableId,
_table_name: Arc<DeferredLoad<TableName>>,
- _transition_shard_id: ShardId,
) -> core::pin::Pin<
Box<
dyn core::future::Future<Output = Arc<Mutex<PartitionData>>>
@@ -390,7 +384,6 @@ mod tests {
Arc::clone(&*DEFER_NAMESPACE_NAME_1_SEC),
ARBITRARY_TABLE_ID,
Arc::clone(&*DEFER_TABLE_NAME_1_SEC),
- TRANSITION_SHARD_ID,
);
let pa_2 = layer.get_partition(
ARBITRARY_PARTITION_KEY.clone(),
@@ -398,7 +391,6 @@ mod tests {
Arc::clone(&*DEFER_NAMESPACE_NAME_1_SEC),
ARBITRARY_TABLE_ID,
Arc::clone(&*DEFER_TABLE_NAME_1_SEC),
- TRANSITION_SHARD_ID,
);
let waker = futures::task::noop_waker();
@@ -419,7 +411,6 @@ mod tests {
Arc::clone(&*DEFER_NAMESPACE_NAME_1_SEC),
ARBITRARY_TABLE_ID,
Arc::clone(&*DEFER_TABLE_NAME_1_SEC),
- TRANSITION_SHARD_ID,
)
.with_timeout_panic(Duration::from_secs(5))
.await;
@@ -450,7 +441,6 @@ mod tests {
_namespace_name: Arc<DeferredLoad<NamespaceName>>,
_table_id: TableId,
_table_name: Arc<DeferredLoad<TableName>>,
- _transition_shard_id: ShardId,
) -> Arc<Mutex<PartitionData>> {
let waker = self.wait.notified();
let permit = self.sem.acquire().await.unwrap();
@@ -491,7 +481,6 @@ mod tests {
Arc::clone(&*DEFER_NAMESPACE_NAME_1_SEC),
ARBITRARY_TABLE_ID,
Arc::clone(&*DEFER_TABLE_NAME_1_SEC),
- TRANSITION_SHARD_ID,
);
let waker = futures::task::noop_waker();
diff --git a/ingester2/src/buffer_tree/partition/resolver/mock.rs b/ingester2/src/buffer_tree/partition/resolver/mock.rs
index 84276fe61c..f5ca824bd5 100644
--- a/ingester2/src/buffer_tree/partition/resolver/mock.rs
+++ b/ingester2/src/buffer_tree/partition/resolver/mock.rs
@@ -3,7 +3,7 @@
use std::{collections::HashMap, sync::Arc};
use async_trait::async_trait;
-use data_types::{NamespaceId, PartitionKey, ShardId, TableId};
+use data_types::{NamespaceId, PartitionKey, TableId};
use parking_lot::Mutex;
use super::r#trait::PartitionProvider;
@@ -54,7 +54,6 @@ impl PartitionProvider for MockPartitionProvider {
namespace_name: Arc<DeferredLoad<NamespaceName>>,
table_id: TableId,
table_name: Arc<DeferredLoad<TableName>>,
- _transition_shard_id: ShardId,
) -> Arc<Mutex<PartitionData>> {
let p = self
.partitions
diff --git a/ingester2/src/buffer_tree/partition/resolver/sort_key.rs b/ingester2/src/buffer_tree/partition/resolver/sort_key.rs
index 1c8b699e6f..71e898f140 100644
--- a/ingester2/src/buffer_tree/partition/resolver/sort_key.rs
+++ b/ingester2/src/buffer_tree/partition/resolver/sort_key.rs
@@ -59,12 +59,9 @@ impl SortKeyResolver {
mod tests {
use std::sync::Arc;
- use data_types::ShardIndex;
-
use super::*;
use crate::test_util::populate_catalog;
- const SHARD_INDEX: ShardIndex = ShardIndex::new(24);
const TABLE_NAME: &str = "bananas";
const NAMESPACE_NAME: &str = "platanos";
const PARTITION_KEY: &str = "platanos";
@@ -76,15 +73,14 @@ mod tests {
let catalog: Arc<dyn Catalog> =
Arc::new(iox_catalog::mem::MemCatalog::new(Arc::clone(&metrics)));
- // Populate the catalog with the shard / namespace / table
- let (shard_id, _ns_id, table_id) =
- populate_catalog(&*catalog, SHARD_INDEX, NAMESPACE_NAME, TABLE_NAME).await;
+ // Populate the catalog with the namespace / table
+ let (_ns_id, table_id) = populate_catalog(&*catalog, NAMESPACE_NAME, TABLE_NAME).await;
let partition_id = catalog
.repositories()
.await
.partitions()
- .create_or_get(PARTITION_KEY.into(), shard_id, table_id)
+ .create_or_get(PARTITION_KEY.into(), table_id)
.await
.expect("should create")
.id;
diff --git a/ingester2/src/buffer_tree/partition/resolver/trait.rs b/ingester2/src/buffer_tree/partition/resolver/trait.rs
index 417640634a..9075b0ec71 100644
--- a/ingester2/src/buffer_tree/partition/resolver/trait.rs
+++ b/ingester2/src/buffer_tree/partition/resolver/trait.rs
@@ -1,7 +1,7 @@
use std::{fmt::Debug, sync::Arc};
use async_trait::async_trait;
-use data_types::{NamespaceId, PartitionKey, ShardId, TableId};
+use data_types::{NamespaceId, PartitionKey, TableId};
use parking_lot::Mutex;
use crate::{
@@ -25,7 +25,6 @@ pub(crate) trait PartitionProvider: Send + Sync + Debug {
namespace_name: Arc<DeferredLoad<NamespaceName>>,
table_id: TableId,
table_name: Arc<DeferredLoad<TableName>>,
- transition_shard_id: ShardId,
) -> Arc<Mutex<PartitionData>>;
}
@@ -41,7 +40,6 @@ where
namespace_name: Arc<DeferredLoad<NamespaceName>>,
table_id: TableId,
table_name: Arc<DeferredLoad<TableName>>,
- transition_shard_id: ShardId,
) -> Arc<Mutex<PartitionData>> {
(**self)
.get_partition(
@@ -50,7 +48,6 @@ where
namespace_name,
table_id,
table_name,
- transition_shard_id,
)
.await
}
@@ -60,8 +57,6 @@ where
mod tests {
use std::{sync::Arc, time::Duration};
- use data_types::{PartitionId, ShardId, TRANSITION_SHARD_ID};
-
use super::*;
use crate::{
buffer_tree::partition::{resolver::mock::MockPartitionProvider, SortKeyState},
@@ -85,7 +80,6 @@ mod tests {
Arc::clone(&*DEFER_NAMESPACE_NAME_1_SEC),
ARBITRARY_TABLE_ID,
Arc::clone(&*DEFER_TABLE_NAME_1_SEC),
- TRANSITION_SHARD_ID,
)
.await;
assert_eq!(got.lock().partition_id(), ARBITRARY_PARTITION_ID);
diff --git a/ingester2/src/buffer_tree/root.rs b/ingester2/src/buffer_tree/root.rs
index c680b5171a..bc9db2dcee 100644
--- a/ingester2/src/buffer_tree/root.rs
+++ b/ingester2/src/buffer_tree/root.rs
@@ -1,7 +1,7 @@
use std::{fmt::Debug, sync::Arc};
use async_trait::async_trait;
-use data_types::{NamespaceId, ShardId, TableId};
+use data_types::{NamespaceId, TableId};
use dml::DmlOperation;
use metric::U64Counter;
use parking_lot::Mutex;
@@ -103,7 +103,6 @@ pub(crate) struct BufferTree<O> {
namespace_count: U64Counter,
post_write_observer: Arc<O>,
- transition_shard_id: ShardId,
}
impl<O> BufferTree<O>
@@ -117,7 +116,6 @@ where
partition_provider: Arc<dyn PartitionProvider>,
post_write_observer: Arc<O>,
metrics: Arc<metric::Registry>,
- transition_shard_id: ShardId,
) -> Self {
let namespace_count = metrics
.register_metric::<U64Counter>(
@@ -134,7 +132,6 @@ where
partition_provider,
post_write_observer,
namespace_count,
- transition_shard_id,
}
}
@@ -185,7 +182,6 @@ where
Arc::clone(&self.partition_provider),
Arc::clone(&self.post_write_observer),
&self.metrics,
- self.transition_shard_id,
))
});
@@ -234,7 +230,7 @@ mod tests {
use std::{sync::Arc, time::Duration};
use assert_matches::assert_matches;
- use data_types::{PartitionId, PartitionKey, TRANSITION_SHARD_ID};
+ use data_types::{PartitionId, PartitionKey};
use datafusion::{assert_batches_eq, assert_batches_sorted_eq};
use futures::{StreamExt, TryStreamExt};
use metric::{Attributes, Metric};
@@ -274,7 +270,6 @@ mod tests {
partition_provider,
Arc::new(MockPostWriteObserver::default()),
&metrics,
- TRANSITION_SHARD_ID,
);
// Assert the namespace name was stored
@@ -351,7 +346,6 @@ mod tests {
partition_provider,
Arc::new(MockPostWriteObserver::default()),
Arc::new(metric::Registry::default()),
- TRANSITION_SHARD_ID,
);
// Write the provided DmlWrites
@@ -628,7 +622,6 @@ mod tests {
partition_provider,
Arc::new(MockPostWriteObserver::default()),
Arc::clone(&metrics),
- TRANSITION_SHARD_ID,
);
// Write data to partition p1, in the arbitrary table
@@ -725,7 +718,6 @@ mod tests {
partition_provider,
Arc::new(MockPostWriteObserver::default()),
Arc::clone(&Arc::new(metric::Registry::default())),
- TRANSITION_SHARD_ID,
);
assert_eq!(buf.partitions().count(), 0);
@@ -808,7 +800,6 @@ mod tests {
partition_provider,
Arc::new(MockPostWriteObserver::default()),
Arc::new(metric::Registry::default()),
- TRANSITION_SHARD_ID,
);
// Query the empty tree
@@ -894,7 +885,6 @@ mod tests {
partition_provider,
Arc::new(MockPostWriteObserver::default()),
Arc::new(metric::Registry::default()),
- TRANSITION_SHARD_ID,
);
// Write data to partition p1, in the arbitrary table
diff --git a/ingester2/src/buffer_tree/table.rs b/ingester2/src/buffer_tree/table.rs
index 450a15355c..fe2f9272ed 100644
--- a/ingester2/src/buffer_tree/table.rs
+++ b/ingester2/src/buffer_tree/table.rs
@@ -5,7 +5,7 @@ pub(crate) mod name_resolver;
use std::{fmt::Debug, sync::Arc};
use async_trait::async_trait;
-use data_types::{NamespaceId, PartitionKey, SequenceNumber, ShardId, TableId};
+use data_types::{NamespaceId, PartitionKey, SequenceNumber, TableId};
use datafusion_util::MemoryStream;
use mutable_batch::MutableBatch;
use parking_lot::Mutex;
@@ -66,7 +66,7 @@ impl PartialEq<str> for TableName {
}
}
-/// Data of a Table in a given Namesapce that belongs to a given Shard
+/// Data of a Table in a given Namesapce
#[derive(Debug)]
pub(crate) struct TableData<O> {
table_id: TableId,
@@ -84,7 +84,6 @@ pub(crate) struct TableData<O> {
partition_data: ArcMap<PartitionKey, Mutex<PartitionData>>,
post_write_observer: Arc<O>,
- transition_shard_id: ShardId,
}
impl<O> TableData<O> {
@@ -100,7 +99,6 @@ impl<O> TableData<O> {
namespace_name: Arc<DeferredLoad<NamespaceName>>,
partition_provider: Arc<dyn PartitionProvider>,
post_write_observer: Arc<O>,
- transition_shard_id: ShardId,
) -> Self {
Self {
table_id,
@@ -110,7 +108,6 @@ impl<O> TableData<O> {
partition_data: Default::default(),
partition_provider,
post_write_observer,
- transition_shard_id,
}
}
@@ -171,7 +168,6 @@ where
Arc::clone(&self.namespace_name),
self.table_id,
Arc::clone(&self.table_name),
- self.transition_shard_id,
)
.await;
// Add the partition to the map.
@@ -262,7 +258,6 @@ where
mod tests {
use std::sync::Arc;
- use data_types::TRANSITION_SHARD_ID;
use mutable_batch_lp::lines_to_batches;
use super::*;
@@ -292,7 +287,6 @@ mod tests {
Arc::clone(&*DEFER_NAMESPACE_NAME_1_SEC),
partition_provider,
Arc::new(MockPostWriteObserver::default()),
- TRANSITION_SHARD_ID,
);
let batch = lines_to_batches(
diff --git a/ingester2/src/buffer_tree/table/name_resolver.rs b/ingester2/src/buffer_tree/table/name_resolver.rs
index 576e7ce6cb..b822d2c9c0 100644
--- a/ingester2/src/buffer_tree/table/name_resolver.rs
+++ b/ingester2/src/buffer_tree/table/name_resolver.rs
@@ -103,13 +103,11 @@ pub(crate) mod mock {
mod tests {
use std::sync::Arc;
- use data_types::ShardIndex;
use test_helpers::timeout::FutureTimeout;
use super::*;
use crate::test_util::populate_catalog;
- const SHARD_INDEX: ShardIndex = ShardIndex::new(24);
const TABLE_NAME: &str = "bananas";
const NAMESPACE_NAME: &str = "platanos";
@@ -120,9 +118,8 @@ mod tests {
let catalog: Arc<dyn Catalog> =
Arc::new(iox_catalog::mem::MemCatalog::new(Arc::clone(&metrics)));
- // Populate the catalog with the shard / namespace / table
- let (_shard_id, _ns_id, table_id) =
- populate_catalog(&*catalog, SHARD_INDEX, NAMESPACE_NAME, TABLE_NAME).await;
+ // Populate the catalog with the namespace / table
+ let (_ns_id, table_id) = populate_catalog(&*catalog, NAMESPACE_NAME, TABLE_NAME).await;
let fetcher = Arc::new(TableNameResolver::new(
Duration::from_secs(10),
diff --git a/ingester2/src/init.rs b/ingester2/src/init.rs
index 27ad3510a7..1750b07195 100644
--- a/ingester2/src/init.rs
+++ b/ingester2/src/init.rs
@@ -46,7 +46,6 @@ use crate::{
server::grpc::GrpcDelegate,
timestamp_oracle::TimestampOracle,
wal::{rotate_task::periodic_rotation, wal_sink::WalSink},
- TRANSITION_SHARD_INDEX,
};
use self::graceful_shutdown::graceful_shutdown_handler;
@@ -235,23 +234,6 @@ pub async fn new<F>(
where
F: Future<Output = CancellationToken> + Send + 'static,
{
- // Create the transition shard.
- let mut txn = catalog
- .start_transaction()
- .await
- .expect("start transaction");
- let topic = txn
- .topics()
- .create_or_get("iox-shared")
- .await
- .expect("get topic");
- let transition_shard = txn
- .shards()
- .create_or_get(&topic, TRANSITION_SHARD_INDEX)
- .await
- .expect("create transition shard");
- txn.commit().await.expect("commit transition shard");
-
// Initialise a random ID for this ingester instance.
let ingester_id = IngesterId::new();
@@ -336,7 +318,6 @@ where
partition_provider,
Arc::new(hot_partition_persister),
Arc::clone(&metrics),
- transition_shard.id,
));
// Initialise the WAL
diff --git a/ingester2/src/lib.rs b/ingester2/src/lib.rs
index d77a7bb14a..e50d08c9bb 100644
--- a/ingester2/src/lib.rs
+++ b/ingester2/src/lib.rs
@@ -199,8 +199,6 @@
missing_docs
)]
-use data_types::TRANSITION_SHARD_INDEX;
-
/// A macro to conditionally prepend `pub` to the inner tokens for benchmarking
/// purposes, should the `benches` feature be enabled.
///
diff --git a/ingester2/src/persist/context.rs b/ingester2/src/persist/context.rs
index 4ef0515f59..67eb7538f6 100644
--- a/ingester2/src/persist/context.rs
+++ b/ingester2/src/persist/context.rs
@@ -1,6 +1,6 @@
use std::sync::Arc;
-use data_types::{NamespaceId, PartitionId, PartitionKey, ShardId, TableId};
+use data_types::{NamespaceId, PartitionId, PartitionKey, TableId};
use observability_deps::tracing::*;
use parking_lot::Mutex;
use schema::sort::SortKey;
@@ -87,8 +87,6 @@ pub(super) struct Context {
table_id: TableId,
partition_id: PartitionId,
- transition_shard_id: ShardId,
-
// The partition key for this partition
partition_key: PartitionKey,
@@ -173,7 +171,6 @@ impl Context {
enqueued_at,
dequeued_at: Instant::now(),
permit,
- transition_shard_id: guard.transition_shard_id(),
}
};
@@ -306,8 +303,4 @@ impl Context {
pub(super) fn table_name(&self) -> &DeferredLoad<TableName> {
self.table_name.as_ref()
}
-
- pub(super) fn transition_shard_id(&self) -> ShardId {
- self.transition_shard_id
- }
}
diff --git a/ingester2/src/persist/handle.rs b/ingester2/src/persist/handle.rs
index 097f7918c4..fd02ce7824 100644
--- a/ingester2/src/persist/handle.rs
+++ b/ingester2/src/persist/handle.rs
@@ -475,7 +475,6 @@ mod tests {
use std::{sync::Arc, task::Poll, time::Duration};
use assert_matches::assert_matches;
- use data_types::TRANSITION_SHARD_ID;
use dml::DmlOperation;
use futures::Future;
use iox_catalog::mem::MemCatalog;
@@ -526,7 +525,6 @@ mod tests {
),
Arc::new(MockPostWriteObserver::default()),
Default::default(),
- TRANSITION_SHARD_ID,
);
buffer_tree
diff --git a/ingester2/src/persist/mod.rs b/ingester2/src/persist/mod.rs
index 1785abc21c..e9fa51cc3a 100644
--- a/ingester2/src/persist/mod.rs
+++ b/ingester2/src/persist/mod.rs
@@ -15,7 +15,7 @@ mod tests {
use std::{sync::Arc, time::Duration};
use assert_matches::assert_matches;
- use data_types::{CompactionLevel, ParquetFile, SequenceNumber, TRANSITION_SHARD_ID};
+ use data_types::{CompactionLevel, ParquetFile, SequenceNumber};
use dml::DmlOperation;
use futures::TryStreamExt;
use iox_catalog::{
@@ -48,7 +48,6 @@ mod tests {
ARBITRARY_NAMESPACE_NAME_PROVIDER, ARBITRARY_PARTITION_KEY, ARBITRARY_TABLE_NAME,
ARBITRARY_TABLE_NAME_PROVIDER,
},
- TRANSITION_SHARD_INDEX,
};
use super::handle::PersistHandle;
@@ -62,13 +61,8 @@ mod tests {
/// partition entry exists (by driving the buffer tree to create it).
async fn partition_with_write(catalog: Arc<dyn Catalog>) -> Arc<Mutex<PartitionData>> {
// Create the namespace in the catalog and it's the schema
- let (_shard_id, namespace_id, table_id) = populate_catalog(
- &*catalog,
- TRANSITION_SHARD_INDEX,
- &ARBITRARY_NAMESPACE_NAME,
- &ARBITRARY_TABLE_NAME,
- )
- .await;
+ let (namespace_id, table_id) =
+ populate_catalog(&*catalog, &ARBITRARY_NAMESPACE_NAME, &ARBITRARY_TABLE_NAME).await;
// Init the buffer tree
let buf = BufferTree::new(
@@ -77,7 +71,6 @@ mod tests {
Arc::new(CatalogPartitionResolver::new(Arc::clone(&catalog))),
Arc::new(MockPostWriteObserver::default()),
Arc::new(metric::Registry::default()),
- TRANSITION_SHARD_ID,
);
let write = make_write_op(
@@ -448,14 +441,8 @@ mod tests {
assert_eq!(files.len(), 2, "expected two uploaded files");
// Ensure the catalog record points at a valid file in object storage.
- let want_path = ParquetFilePath::new(
- namespace_id,
- table_id,
- TRANSITION_SHARD_ID,
- partition_id,
- object_store_id,
- )
- .object_store_path();
+ let want_path = ParquetFilePath::new(namespace_id, table_id, partition_id, object_store_id)
+ .object_store_path();
let file = files
.into_iter()
.find(|f| f.location == want_path)
diff --git a/ingester2/src/persist/worker.rs b/ingester2/src/persist/worker.rs
index d4579de95a..17877d2b80 100644
--- a/ingester2/src/persist/worker.rs
+++ b/ingester2/src/persist/worker.rs
@@ -257,7 +257,6 @@ where
let iox_metadata = IoxMetadata {
object_store_id,
creation_timestamp: time_now,
- shard_id: ctx.transition_shard_id(),
namespace_id: ctx.namespace_id(),
namespace_name: Arc::clone(&*ctx.namespace_name().get().await),
table_id: ctx.table_id(),
diff --git a/ingester2/src/test_util.rs b/ingester2/src/test_util.rs
index 7907cbba17..aa5a925ecc 100644
--- a/ingester2/src/test_util.rs
+++ b/ingester2/src/test_util.rs
@@ -1,9 +1,6 @@
use std::{collections::BTreeMap, sync::Arc, time::Duration};
-use data_types::{
- NamespaceId, Partition, PartitionId, PartitionKey, SequenceNumber, ShardId, ShardIndex,
- TableId, TRANSITION_SHARD_ID,
-};
+use data_types::{NamespaceId, Partition, PartitionId, PartitionKey, SequenceNumber, TableId};
use dml::{DmlMeta, DmlWrite};
use iox_catalog::interface::Catalog;
use lazy_static::lazy_static;
@@ -117,7 +114,6 @@ impl PartitionDataBuilder {
self.table_name
.unwrap_or_else(|| Arc::clone(&*DEFER_TABLE_NAME_1_SEC)),
self.sort_key.unwrap_or(SortKeyState::Provided(None)),
- TRANSITION_SHARD_ID,
)
}
}
@@ -127,7 +123,6 @@ impl PartitionDataBuilder {
pub(crate) fn arbitrary_partition() -> Partition {
Partition {
id: ARBITRARY_PARTITION_ID,
- shard_id: TRANSITION_SHARD_ID,
table_id: ARBITRARY_TABLE_ID,
partition_key: ARBITRARY_PARTITION_KEY.clone(),
sort_key: Default::default(),
@@ -285,10 +280,9 @@ pub(crate) fn make_write_op(
pub(crate) async fn populate_catalog(
catalog: &dyn Catalog,
- shard_index: ShardIndex,
namespace: &str,
table: &str,
-) -> (ShardId, NamespaceId, TableId) {
+) -> (NamespaceId, TableId) {
let mut c = catalog.repositories().await;
let topic = c.topics().create_or_get("kafka-topic").await.unwrap();
let query_pool = c.query_pools().create_or_get("query-pool").await.unwrap();
@@ -299,14 +293,8 @@ pub(crate) async fn populate_catalog(
.unwrap()
.id;
let table_id = c.tables().create_or_get(table, ns_id).await.unwrap().id;
- let shard_id = c
- .shards()
- .create_or_get(&topic, shard_index)
- .await
- .unwrap()
- .id;
- (shard_id, ns_id, table_id)
+ (ns_id, table_id)
}
/// Assert `a` and `b` have identical metadata, and that when converting
diff --git a/iox_catalog/src/interface.rs b/iox_catalog/src/interface.rs
index ee56af5afe..7a23d4a866 100644
--- a/iox_catalog/src/interface.rs
+++ b/iox_catalog/src/interface.rs
@@ -4,8 +4,7 @@ use async_trait::async_trait;
use data_types::{
Column, ColumnSchema, ColumnType, CompactionLevel, Namespace, NamespaceId, NamespaceSchema,
ParquetFile, ParquetFileId, ParquetFileParams, Partition, PartitionId, PartitionKey, QueryPool,
- QueryPoolId, SequenceNumber, Shard, ShardId, ShardIndex, SkippedCompaction, Table, TableId,
- TableSchema, Timestamp, TopicId, TopicMetadata,
+ QueryPoolId, SkippedCompaction, Table, TableId, TableSchema, Timestamp, TopicId, TopicMetadata,
};
use iox_time::TimeProvider;
use snafu::{OptionExt, Snafu};
@@ -301,9 +300,6 @@ pub trait RepoCollection: Send + Sync + Debug {
/// Repository for [columns](data_types::Column).
fn columns(&mut self) -> &mut dyn ColumnRepo;
- /// Repository for [shards](data_types::Shard).
- fn shards(&mut self) -> &mut dyn ShardRepo;
-
/// Repository for [partitions](data_types::Partition).
fn partitions(&mut self) -> &mut dyn PartitionRepo;
@@ -437,48 +433,12 @@ pub trait ColumnRepo: Send + Sync {
async fn list(&mut self) -> Result<Vec<Column>>;
}
-/// Functions for working with shards in the catalog
-#[async_trait]
-pub trait ShardRepo: Send + Sync {
- /// create a shard record for the topic and shard index or return the existing record
- async fn create_or_get(
- &mut self,
- topic: &TopicMetadata,
- shard_index: ShardIndex,
- ) -> Result<Shard>;
-
- /// get the shard record by `TopicId` and `ShardIndex`
- async fn get_by_topic_id_and_shard_index(
- &mut self,
- topic_id: TopicId,
- shard_index: ShardIndex,
- ) -> Result<Option<Shard>>;
-
- /// list all shards
- async fn list(&mut self) -> Result<Vec<Shard>>;
-
- /// list all shards for a given topic
- async fn list_by_topic(&mut self, topic: &TopicMetadata) -> Result<Vec<Shard>>;
-
- /// updates the `min_unpersisted_sequence_number` for a shard
- async fn update_min_unpersisted_sequence_number(
- &mut self,
- shard: ShardId,
- sequence_number: SequenceNumber,
- ) -> Result<()>;
-}
-
/// Functions for working with IOx partitions in the catalog. Note that these are how IOx splits up
/// data within a namespace, which is different than Kafka partitions.
#[async_trait]
pub trait PartitionRepo: Send + Sync {
/// create or get a partition record for the given partition key, shard and table
- async fn create_or_get(
- &mut self,
- key: PartitionKey,
- shard_id: ShardId,
- table_id: TableId,
- ) -> Result<Partition>;
+ async fn create_or_get(&mut self, key: PartitionKey, table_id: TableId) -> Result<Partition>;
/// get partition by ID
async fn get_by_id(&mut self, partition_id: PartitionId) -> Result<Option<Partition>>;
@@ -580,8 +540,8 @@ pub trait ParquetFileRepo: Send + Sync {
///
/// Returns the deleted IDs only.
///
- /// This deletion is limited to a certain (backend-specific) number of files to avoid overlarge changes. The caller
- /// MAY call this method again if the result was NOT empty.
+ /// This deletion is limited to a certain (backend-specific) number of files to avoid overlarge
+ /// changes. The caller MAY call this method again if the result was NOT empty.
async fn delete_old_ids_only(&mut self, older_than: Timestamp) -> Result<Vec<ParquetFileId>>;
/// List parquet files for a given partition that are NOT marked as
@@ -827,17 +787,12 @@ pub async fn list_schemas(
#[cfg(test)]
pub(crate) mod test_helpers {
- use crate::{
- validate_or_insert_schema, DEFAULT_MAX_COLUMNS_PER_TABLE, DEFAULT_MAX_TABLES,
- SHARED_TOPIC_ID,
- };
+ use crate::{validate_or_insert_schema, DEFAULT_MAX_COLUMNS_PER_TABLE, DEFAULT_MAX_TABLES};
use super::*;
use ::test_helpers::{assert_contains, tracing::TracingCapture};
use assert_matches::assert_matches;
- use data_types::{
- ColumnId, ColumnSet, CompactionLevel, TRANSITION_SHARD_ID, TRANSITION_SHARD_INDEX,
- };
+ use data_types::{ColumnId, ColumnSet, CompactionLevel, SequenceNumber};
use futures::Future;
use metric::{Attributes, DurationHistogram, Metric};
use std::{collections::BTreeSet, ops::DerefMut, sync::Arc, time::Duration};
@@ -891,23 +846,6 @@ pub(crate) mod test_helpers {
async fn test_setup(catalog: Arc<dyn Catalog>) {
catalog.setup().await.expect("first catalog setup");
catalog.setup().await.expect("second catalog setup");
-
- let transition_shard = catalog
- .repositories()
- .await
- .shards()
- .get_by_topic_id_and_shard_index(SHARED_TOPIC_ID, TRANSITION_SHARD_INDEX)
- .await
- .expect("transition shard");
-
- assert_matches!(
- transition_shard,
- Some(Shard {
- id,
- shard_index,
- ..
- }) if id == TRANSITION_SHARD_ID && shard_index == TRANSITION_SHARD_INDEX
- );
}
async fn test_topic(catalog: Arc<dyn Catalog>) {
@@ -1560,29 +1498,19 @@ pub(crate) mod test_helpers {
.create_or_get("test_table", namespace.id)
.await
.unwrap();
- let shard = repos
- .shards()
- .create_or_get(&topic, ShardIndex::new(1))
- .await
- .unwrap();
- let other_shard = repos
- .shards()
- .create_or_get(&topic, ShardIndex::new(2))
- .await
- .unwrap();
let mut created = BTreeMap::new();
for key in ["foo", "bar"] {
let partition = repos
.partitions()
- .create_or_get(key.into(), shard.id, table.id)
+ .create_or_get(key.into(), table.id)
.await
.expect("failed to create partition");
created.insert(partition.id, partition);
}
let other_partition = repos
.partitions()
- .create_or_get("asdf".into(), other_shard.id, table.id)
+ .create_or_get("asdf".into(), table.id)
.await
.unwrap();
@@ -1859,24 +1787,18 @@ pub(crate) mod test_helpers {
.create_or_get("other", namespace.id)
.await
.unwrap();
- let shard = repos
- .shards()
- .create_or_get(&topic, ShardIndex::new(1))
- .await
- .unwrap();
let partition = repos
.partitions()
- .create_or_get("one".into(), shard.id, table.id)
+ .create_or_get("one".into(), table.id)
.await
.unwrap();
let other_partition = repos
.partitions()
- .create_or_get("one".into(), shard.id, other_table.id)
+ .create_or_get("one".into(), other_table.id)
.await
.unwrap();
let parquet_file_params = ParquetFileParams {
- shard_id: shard.id,
namespace_id: namespace.id,
table_id: partition.table_id,
partition_id: partition.id,
@@ -2049,7 +1971,7 @@ pub(crate) mod test_helpers {
.unwrap();
let partition2 = repos
.partitions()
- .create_or_get("foo".into(), shard.id, table2.id)
+ .create_or_get("foo".into(), table2.id)
.await
.unwrap();
let files = repos
@@ -2285,24 +2207,18 @@ pub(crate) mod test_helpers {
.create_or_get("test_table", namespace_2.id)
.await
.unwrap();
- let shard = repos
- .shards()
- .create_or_get(&topic, ShardIndex::new(1))
- .await
- .unwrap();
let partition_1 = repos
.partitions()
- .create_or_get("one".into(), shard.id, table_1.id)
+ .create_or_get("one".into(), table_1.id)
.await
.unwrap();
let partition_2 = repos
.partitions()
- .create_or_get("one".into(), shard.id, table_2.id)
+ .create_or_get("one".into(), table_2.id)
.await
.unwrap();
let parquet_file_params_1 = ParquetFileParams {
- shard_id: shard.id,
namespace_id: namespace_1.id,
table_id: table_1.id,
partition_id: partition_1.id,
@@ -2318,7 +2234,6 @@ pub(crate) mod test_helpers {
max_l0_created_at: Timestamp::new(1),
};
let parquet_file_params_2 = ParquetFileParams {
- shard_id: shard.id,
namespace_id: namespace_2.id,
table_id: table_2.id,
partition_id: partition_2.id,
@@ -2374,11 +2289,6 @@ pub(crate) mod test_helpers {
.create_or_get("test_table_for_new_file_between", namespace.id)
.await
.unwrap();
- let shard = repos
- .shards()
- .create_or_get(&topic, ShardIndex::new(101))
- .await
- .unwrap();
// param for the tests
let time_now = Timestamp::from(catalog.time_provider().now());
@@ -2401,7 +2311,7 @@ pub(crate) mod test_helpers {
// The DB has 1 partition but it does not have any file
let partition1 = repos
.partitions()
- .create_or_get("one".into(), shard.id, table.id)
+ .create_or_get("one".into(), table.id)
.await
.unwrap();
let partitions = repos
@@ -2413,7 +2323,6 @@ pub(crate) mod test_helpers {
// create files for partition one
let parquet_file_params = ParquetFileParams {
- shard_id: shard.id,
namespace_id: namespace.id,
table_id: partition1.table_id,
partition_id: partition1.id,
@@ -2504,7 +2413,7 @@ pub(crate) mod test_helpers {
// Partition two without any file
let partition2 = repos
.partitions()
- .create_or_get("two".into(), shard.id, table.id)
+ .create_or_get("two".into(), table.id)
.await
.unwrap();
// should return partition one only
@@ -2612,7 +2521,7 @@ pub(crate) mod test_helpers {
// Partition three without any file
let partition3 = repos
.partitions()
- .create_or_get("three".into(), shard.id, table.id)
+ .create_or_get("three".into(), table.id)
.await
.unwrap();
// should return partition one and two only
@@ -2754,28 +2663,15 @@ pub(crate) mod test_helpers {
.create_or_get("test_table", namespace.id)
.await
.unwrap();
- let shard = repos
- .shards()
- .create_or_get(&topic, ShardIndex::new(100))
- .await
- .unwrap();
let partition = repos
.partitions()
- .create_or_get(
- "test_list_by_partiton_not_to_delete_one".into(),
- shard.id,
- table.id,
- )
+ .create_or_get("test_list_by_partiton_not_to_delete_one".into(), table.id)
.await
.unwrap();
let partition2 = repos
.partitions()
- .create_or_get(
- "test_list_by_partiton_not_to_delete_two".into(),
- shard.id,
- table.id,
- )
+ .create_or_get("test_list_by_partiton_not_to_delete_two".into(), table.id)
.await
.unwrap();
@@ -2783,7 +2679,6 @@ pub(crate) mod test_helpers {
let max_time = Timestamp::new(10);
let parquet_file_params = ParquetFileParams {
- shard_id: shard.id,
namespace_id: namespace.id,
table_id: partition.table_id,
partition_id: partition.id,
@@ -2883,18 +2778,9 @@ pub(crate) mod test_helpers {
.create_or_get("update_table", namespace.id)
.await
.unwrap();
- let shard = repos
- .shards()
- .create_or_get(&topic, ShardIndex::new(1000))
- .await
- .unwrap();
let partition = repos
.partitions()
- .create_or_get(
- "test_update_to_compaction_level_1_one".into(),
- shard.id,
- table.id,
- )
+ .create_or_get("test_update_to_compaction_level_1_one".into(), table.id)
.await
.unwrap();
@@ -2904,12 +2790,10 @@ pub(crate) mod test_helpers {
// Create a file with times entirely within the window
let parquet_file_params = ParquetFileParams {
- shard_id: shard.id,
namespace_id: namespace.id,
table_id: partition.table_id,
partition_id: partition.id,
object_store_id: Uuid::new_v4(),
-
max_sequence_number: SequenceNumber::new(140),
min_time: query_min_time + 1,
max_time: query_max_time - 1,
@@ -2988,21 +2872,15 @@ pub(crate) mod test_helpers {
.create_or_get("column_test_1", table_1.id, ColumnType::Tag)
.await
.unwrap();
- let shard = repos
- .shards()
- .create_or_get(&topic, ShardIndex::new(1))
- .await
- .unwrap();
let partition_1 = repos
.partitions()
- .create_or_get("test_delete_namespace_one".into(), shard.id, table_1.id)
+ .create_or_get("test_delete_namespace_one".into(), table_1.id)
.await
.unwrap();
// parquet files
let parquet_file_params = ParquetFileParams {
namespace_id: namespace_1.id,
- shard_id: shard.id,
table_id: partition_1.table_id,
partition_id: partition_1.id,
object_store_id: Uuid::new_v4(),
@@ -3051,21 +2929,15 @@ pub(crate) mod test_helpers {
.create_or_get("column_test_2", table_2.id, ColumnType::Tag)
.await
.unwrap();
- let shard = repos
- .shards()
- .create_or_get(&topic, ShardIndex::new(1))
- .await
- .unwrap();
let partition_2 = repos
.partitions()
- .create_or_get("test_delete_namespace_two".into(), shard.id, table_2.id)
+ .create_or_get("test_delete_namespace_two".into(), table_2.id)
.await
.unwrap();
// parquet files
let parquet_file_params = ParquetFileParams {
namespace_id: namespace_2.id,
- shard_id: shard.id,
table_id: partition_2.table_id,
partition_id: partition_2.id,
object_store_id: Uuid::new_v4(),
diff --git a/iox_catalog/src/kafkaless_transition.rs b/iox_catalog/src/kafkaless_transition.rs
new file mode 100644
index 0000000000..c290507322
--- /dev/null
+++ b/iox_catalog/src/kafkaless_transition.rs
@@ -0,0 +1,83 @@
+use data_types::{SequenceNumber, TopicId};
+
+/// Magic number to be used shard indices and shard ids in "kafkaless".
+pub(crate) const TRANSITION_SHARD_NUMBER: i32 = 1234;
+/// In kafkaless mode all new persisted data uses this shard id.
+pub(crate) const TRANSITION_SHARD_ID: ShardId = ShardId::new(TRANSITION_SHARD_NUMBER as i64);
+/// In kafkaless mode all new persisted data uses this shard index.
+pub(crate) const TRANSITION_SHARD_INDEX: ShardIndex = ShardIndex::new(TRANSITION_SHARD_NUMBER);
+
+/// Unique ID for a `Shard`, assigned by the catalog. Joins to other catalog tables to uniquely
+/// identify shards independently of the underlying write buffer implementation.
+#[derive(Debug, Clone, Copy, PartialEq, Eq, PartialOrd, Ord, Hash, sqlx::Type)]
+#[sqlx(transparent)]
+pub(crate) struct ShardId(i64);
+
+#[allow(missing_docs)]
+impl ShardId {
+ pub(crate) const fn new(v: i64) -> Self {
+ Self(v)
+ }
+}
+
+impl std::fmt::Display for ShardId {
+ fn fmt(&self, f: &mut std::fmt::Formatter) -> std::fmt::Result {
+ write!(f, "{}", self.0)
+ }
+}
+
+/// The index of the shard in the set of shards. When Kafka is used as the write buffer, this is
+/// the Kafka Partition ID. Used by the router and write buffer to shard requests to a particular
+/// index in a set of shards.
+#[derive(Debug, Clone, Copy, PartialEq, Eq, PartialOrd, Ord, Hash, sqlx::Type)]
+#[sqlx(transparent)]
+pub(crate) struct ShardIndex(i32);
+
+#[allow(missing_docs)]
+impl ShardIndex {
+ pub(crate) const fn new(v: i32) -> Self {
+ Self(v)
+ }
+}
+
+impl std::fmt::Display for ShardIndex {
+ fn fmt(&self, f: &mut std::fmt::Formatter) -> std::fmt::Result {
+ write!(f, "{}", self.0)
+ }
+}
+
+impl std::str::FromStr for ShardIndex {
+ type Err = std::num::ParseIntError;
+
+ fn from_str(s: &str) -> Result<Self, Self::Err> {
+ let v: i32 = s.parse()?;
+ Ok(Self(v))
+ }
+}
+
+/// Data object for a shard. Only one shard record can exist for a given topic and shard
+/// index (enforced via uniqueness constraint).
+#[derive(Debug, Copy, Clone, PartialEq, Eq, sqlx::FromRow)]
+pub(crate) struct Shard {
+ /// the id of the shard, assigned by the catalog
+ pub(crate) id: ShardId,
+ /// the topic the shard is reading from
+ pub(crate) topic_id: TopicId,
+ /// the shard index of the shard the sequence numbers are coming from, sharded by the router
+ /// and write buffer
+ pub(crate) shard_index: ShardIndex,
+ /// The minimum unpersisted sequence number. Because different tables
+ /// can be persisted at different times, it is possible some data has been persisted
+ /// with a higher sequence number than this. However, all data with a sequence number
+ /// lower than this must have been persisted to Parquet.
+ pub(crate) min_unpersisted_sequence_number: SequenceNumber,
+}
+
+/// Shard index plus offset
+#[derive(Debug, Copy, Clone, Eq, PartialEq)]
+pub(crate) struct Sequence {
+ /// The shard index
+ pub(crate) shard_index: ShardIndex,
+ /// The sequence number
+ pub(crate) sequence_number: SequenceNumber,
+}
diff --git a/iox_catalog/src/lib.rs b/iox_catalog/src/lib.rs
index a1caf178d8..4ce2a7c397 100644
--- a/iox_catalog/src/lib.rs
+++ b/iox_catalog/src/lib.rs
@@ -14,15 +14,9 @@
)]
use crate::interface::{ColumnTypeMismatchSnafu, Error, RepoCollection, Result, Transaction};
-use data_types::{
- ColumnType, NamespaceSchema, QueryPool, Shard, ShardId, ShardIndex, TableSchema, TopicId,
- TopicMetadata,
-};
+use data_types::{ColumnType, NamespaceSchema, QueryPool, TableSchema, TopicId, TopicMetadata};
use mutable_batch::MutableBatch;
-use std::{
- borrow::Cow,
- collections::{BTreeMap, HashMap},
-};
+use std::{borrow::Cow, collections::HashMap};
use thiserror::Error;
const SHARED_TOPIC_NAME: &str = "iox-shared";
@@ -38,6 +32,7 @@ pub const DEFAULT_MAX_COLUMNS_PER_TABLE: i32 = 200;
pub const DEFAULT_RETENTION_PERIOD: Option<i64> = None;
pub mod interface;
+pub(crate) mod kafkaless_transition;
pub mod mem;
pub mod metrics;
pub mod postgres;
@@ -209,37 +204,28 @@ where
Ok(())
}
-/// Creates or gets records in the catalog for the shared topic, query pool, and shards
-/// for each of the partitions.
+/// Creates or gets records in the catalog for the shared topic and query pool for each of the
+/// partitions.
///
/// Used in tests and when creating an in-memory catalog.
pub async fn create_or_get_default_records(
- shard_count: i32,
txn: &mut dyn Transaction,
-) -> Result<(TopicMetadata, QueryPool, BTreeMap<ShardId, Shard>)> {
+) -> Result<(TopicMetadata, QueryPool)> {
let topic = txn.topics().create_or_get(SHARED_TOPIC_NAME).await?;
let query_pool = txn.query_pools().create_or_get(SHARED_QUERY_POOL).await?;
- let mut shards = BTreeMap::new();
- // Start at 0 to match the one write buffer shard index used in all-in-one mode
- for shard_index in 0..shard_count {
- let shard = txn
- .shards()
- .create_or_get(&topic, ShardIndex::new(shard_index))
- .await?;
- shards.insert(shard.id, shard);
- }
-
- Ok((topic, query_pool, shards))
+ Ok((topic, query_pool))
}
#[cfg(test)]
mod tests {
- use std::sync::Arc;
+ use std::{collections::BTreeMap, sync::Arc};
use super::*;
- use crate::interface::{get_schema_by_name, SoftDeletedRows};
- use crate::mem::MemCatalog;
+ use crate::{
+ interface::{get_schema_by_name, SoftDeletedRows},
+ mem::MemCatalog,
+ };
// Generate a test that simulates multiple, sequential writes in `lp` and
// asserts the resulting schema.
@@ -265,8 +251,7 @@ mod tests {
let metrics = Arc::new(metric::Registry::default());
let repo = MemCatalog::new(metrics);
let mut txn = repo.start_transaction().await.unwrap();
- let (topic, query_pool, _) = create_or_get_default_records(
- 2,
+ let (topic, query_pool) = create_or_get_default_records(
txn.deref_mut()
).await.unwrap();
diff --git a/iox_catalog/src/mem.rs b/iox_catalog/src/mem.rs
index 00f97e4ffa..e0e40a3eef 100644
--- a/iox_catalog/src/mem.rs
+++ b/iox_catalog/src/mem.rs
@@ -5,9 +5,10 @@ use crate::{
interface::{
sealed::TransactionFinalize, CasFailure, Catalog, ColumnRepo, ColumnTypeMismatchSnafu,
Error, NamespaceRepo, ParquetFileRepo, PartitionRepo, QueryPoolRepo, RepoCollection,
- Result, ShardRepo, SoftDeletedRows, TableRepo, TopicMetadataRepo, Transaction,
+ Result, SoftDeletedRows, TableRepo, TopicMetadataRepo, Transaction,
MAX_PARQUET_FILES_SELECTED_ONCE,
},
+ kafkaless_transition::{Shard, TRANSITION_SHARD_ID, TRANSITION_SHARD_INDEX},
metrics::MetricDecorator,
DEFAULT_MAX_COLUMNS_PER_TABLE, DEFAULT_MAX_TABLES, SHARED_TOPIC_ID, SHARED_TOPIC_NAME,
};
@@ -15,8 +16,7 @@ use async_trait::async_trait;
use data_types::{
Column, ColumnId, ColumnType, CompactionLevel, Namespace, NamespaceId, ParquetFile,
ParquetFileId, ParquetFileParams, Partition, PartitionId, PartitionKey, QueryPool, QueryPoolId,
- SequenceNumber, Shard, ShardId, ShardIndex, SkippedCompaction, Table, TableId, Timestamp,
- TopicId, TopicMetadata, TRANSITION_SHARD_ID, TRANSITION_SHARD_INDEX,
+ SequenceNumber, SkippedCompaction, Table, TableId, Timestamp, TopicId, TopicMetadata,
};
use iox_time::{SystemProvider, TimeProvider};
use observability_deps::tracing::warn;
@@ -248,10 +248,6 @@ impl RepoCollection for MemTxn {
self
}
- fn shards(&mut self) -> &mut dyn ShardRepo {
- self
- }
-
fn partitions(&mut self) -> &mut dyn PartitionRepo {
self
}
@@ -689,115 +685,30 @@ impl ColumnRepo for MemTxn {
}
#[async_trait]
-impl ShardRepo for MemTxn {
- async fn create_or_get(
- &mut self,
- topic: &TopicMetadata,
- _shard_index: ShardIndex,
- ) -> Result<Shard> {
+impl PartitionRepo for MemTxn {
+ async fn create_or_get(&mut self, key: PartitionKey, table_id: TableId) -> Result<Partition> {
let stage = self.stage();
- // Temporary: only ever create the transition shard, no matter what is asked. Shards are
- // going away completely soon.
- let shard = match stage
- .shards
+ let partition = match stage
+ .partitions
.iter()
- .find(|s| s.topic_id == topic.id && s.shard_index == TRANSITION_SHARD_INDEX)
+ .find(|p| p.partition_key == key && p.table_id == table_id)
{
- Some(t) => t,
+ Some(p) => p,
None => {
- let shard = Shard {
- id: TRANSITION_SHARD_ID,
- topic_id: topic.id,
- shard_index: TRANSITION_SHARD_INDEX,
- min_unpersisted_sequence_number: SequenceNumber::new(0),
+ let p = Partition {
+ id: PartitionId::new(stage.partitions.len() as i64 + 1),
+ table_id,
+ partition_key: key,
+ sort_key: vec![],
+ persisted_sequence_number: None,
+ new_file_at: None,
};
- stage.shards.push(shard);
- stage.shards.last().unwrap()
+ stage.partitions.push(p);
+ stage.partitions.last().unwrap()
}
};
- Ok(*shard)
- }
-
- async fn get_by_topic_id_and_shard_index(
- &mut self,
- topic_id: TopicId,
- shard_index: ShardIndex,
- ) -> Result<Option<Shard>> {
- let stage = self.stage();
-
- let shard = stage
- .shards
- .iter()
- .find(|s| s.topic_id == topic_id && s.shard_index == shard_index)
- .cloned();
- Ok(shard)
- }
-
- async fn list(&mut self) -> Result<Vec<Shard>> {
- let stage = self.stage();
-
- Ok(stage.shards.clone())
- }
-
- async fn list_by_topic(&mut self, topic: &TopicMetadata) -> Result<Vec<Shard>> {
- let stage = self.stage();
-
- let shards: Vec<_> = stage
- .shards
- .iter()
- .filter(|s| s.topic_id == topic.id)
- .cloned()
- .collect();
- Ok(shards)
- }
-
- async fn update_min_unpersisted_sequence_number(
- &mut self,
- shard_id: ShardId,
- sequence_number: SequenceNumber,
- ) -> Result<()> {
- let stage = self.stage();
-
- if let Some(s) = stage.shards.iter_mut().find(|s| s.id == shard_id) {
- s.min_unpersisted_sequence_number = sequence_number
- };
-
- Ok(())
- }
-}
-
-#[async_trait]
-impl PartitionRepo for MemTxn {
- async fn create_or_get(
- &mut self,
- key: PartitionKey,
- shard_id: ShardId,
- table_id: TableId,
- ) -> Result<Partition> {
- let stage = self.stage();
-
- let partition =
- match stage.partitions.iter().find(|p| {
- p.partition_key == key && p.shard_id == shard_id && p.table_id == table_id
- }) {
- Some(p) => p,
- None => {
- let p = Partition {
- id: PartitionId::new(stage.partitions.len() as i64 + 1),
- shard_id,
- table_id,
- partition_key: key,
- sort_key: vec![],
- persisted_sequence_number: None,
- new_file_at: None,
- };
- stage.partitions.push(p);
- stage.partitions.last().unwrap()
- }
- };
-
Ok(partition.clone())
}
diff --git a/iox_catalog/src/metrics.rs b/iox_catalog/src/metrics.rs
index ded7ca75e7..561e1347c6 100644
--- a/iox_catalog/src/metrics.rs
+++ b/iox_catalog/src/metrics.rs
@@ -2,15 +2,14 @@
use crate::interface::{
sealed::TransactionFinalize, CasFailure, ColumnRepo, NamespaceRepo, ParquetFileRepo,
- PartitionRepo, QueryPoolRepo, RepoCollection, Result, ShardRepo, SoftDeletedRows, TableRepo,
+ PartitionRepo, QueryPoolRepo, RepoCollection, Result, SoftDeletedRows, TableRepo,
TopicMetadataRepo,
};
use async_trait::async_trait;
use data_types::{
Column, ColumnType, CompactionLevel, Namespace, NamespaceId, ParquetFile, ParquetFileId,
ParquetFileParams, Partition, PartitionId, PartitionKey, QueryPool, QueryPoolId,
- SequenceNumber, Shard, ShardId, ShardIndex, SkippedCompaction, Table, TableId, Timestamp,
- TopicId, TopicMetadata,
+ SkippedCompaction, Table, TableId, Timestamp, TopicId, TopicMetadata,
};
use iox_time::{SystemProvider, TimeProvider};
use metric::{DurationHistogram, Metric};
@@ -48,7 +47,6 @@ where
+ NamespaceRepo
+ TableRepo
+ ColumnRepo
- + ShardRepo
+ PartitionRepo
+ ParquetFileRepo
+ Debug,
@@ -74,10 +72,6 @@ where
self
}
- fn shards(&mut self) -> &mut dyn ShardRepo {
- self
- }
-
fn partitions(&mut self) -> &mut dyn PartitionRepo {
self
}
@@ -215,21 +209,10 @@ decorate!(
]
);
-decorate!(
- impl_trait = ShardRepo,
- methods = [
- "shard_create_or_get" = create_or_get(&mut self, topic: &TopicMetadata, shard_index: ShardIndex) -> Result<Shard>;
- "shard_get_by_topic_id_and_shard_index" = get_by_topic_id_and_shard_index(&mut self, topic_id: TopicId, shard_index: ShardIndex) -> Result<Option<Shard>>;
- "shard_list" = list(&mut self) -> Result<Vec<Shard>>;
- "shard_list_by_topic" = list_by_topic(&mut self, topic: &TopicMetadata) -> Result<Vec<Shard>>;
- "shard_update_min_unpersisted_sequence_number" = update_min_unpersisted_sequence_number(&mut self, shard_id: ShardId, sequence_number: SequenceNumber) -> Result<()>;
- ]
-);
-
decorate!(
impl_trait = PartitionRepo,
methods = [
- "partition_create_or_get" = create_or_get(&mut self, key: PartitionKey, shard_id: ShardId, table_id: TableId) -> Result<Partition>;
+ "partition_create_or_get" = create_or_get(&mut self, key: PartitionKey, table_id: TableId) -> Result<Partition>;
"partition_get_by_id" = get_by_id(&mut self, partition_id: PartitionId) -> Result<Option<Partition>>;
"partition_list_by_table_id" = list_by_table_id(&mut self, table_id: TableId) -> Result<Vec<Partition>>;
"partition_list_ids" = list_ids(&mut self) -> Result<Vec<PartitionId>>;
diff --git a/iox_catalog/src/postgres.rs b/iox_catalog/src/postgres.rs
index 43f81f9ccd..9550965ce0 100644
--- a/iox_catalog/src/postgres.rs
+++ b/iox_catalog/src/postgres.rs
@@ -4,9 +4,10 @@ use crate::{
interface::{
self, sealed::TransactionFinalize, CasFailure, Catalog, ColumnRepo,
ColumnTypeMismatchSnafu, Error, NamespaceRepo, ParquetFileRepo, PartitionRepo,
- QueryPoolRepo, RepoCollection, Result, ShardRepo, SoftDeletedRows, TableRepo,
- TopicMetadataRepo, Transaction, MAX_PARQUET_FILES_SELECTED_ONCE,
+ QueryPoolRepo, RepoCollection, Result, SoftDeletedRows, TableRepo, TopicMetadataRepo,
+ Transaction, MAX_PARQUET_FILES_SELECTED_ONCE,
},
+ kafkaless_transition::{TRANSITION_SHARD_ID, TRANSITION_SHARD_INDEX},
metrics::MetricDecorator,
DEFAULT_MAX_COLUMNS_PER_TABLE, DEFAULT_MAX_TABLES, SHARED_TOPIC_ID, SHARED_TOPIC_NAME,
};
@@ -14,8 +15,7 @@ use async_trait::async_trait;
use data_types::{
Column, ColumnType, CompactionLevel, Namespace, NamespaceId, ParquetFile, ParquetFileId,
ParquetFileParams, Partition, PartitionId, PartitionKey, QueryPool, QueryPoolId,
- SequenceNumber, Shard, ShardId, ShardIndex, SkippedCompaction, Table, TableId, Timestamp,
- TopicId, TopicMetadata, TRANSITION_SHARD_ID, TRANSITION_SHARD_INDEX,
+ SkippedCompaction, Table, TableId, Timestamp, TopicId, TopicMetadata,
};
use iox_time::{SystemProvider, TimeProvider};
use observability_deps::tracing::{debug, info, warn};
@@ -547,10 +547,6 @@ impl RepoCollection for PostgresTxn {
self
}
- fn shards(&mut self) -> &mut dyn ShardRepo {
- self
- }
-
fn partitions(&mut self) -> &mut dyn PartitionRepo {
self
}
@@ -1086,109 +1082,9 @@ RETURNING *;
}
}
-#[async_trait]
-impl ShardRepo for PostgresTxn {
- async fn create_or_get(
- &mut self,
- topic: &TopicMetadata,
- shard_index: ShardIndex,
- ) -> Result<Shard> {
- sqlx::query_as::<_, Shard>(
- r#"
-INSERT INTO shard
- ( topic_id, shard_index, min_unpersisted_sequence_number )
-VALUES
- ( $1, $2, 0 )
-ON CONFLICT ON CONSTRAINT shard_unique
-DO UPDATE SET topic_id = shard.topic_id
-RETURNING *;;
- "#,
- )
- .bind(topic.id) // $1
- .bind(shard_index) // $2
- .fetch_one(&mut self.inner)
- .await
- .map_err(|e| {
- if is_fk_violation(&e) {
- Error::ForeignKeyViolation { source: e }
- } else {
- Error::SqlxError { source: e }
- }
- })
- }
-
- async fn get_by_topic_id_and_shard_index(
- &mut self,
- topic_id: TopicId,
- shard_index: ShardIndex,
- ) -> Result<Option<Shard>> {
- let rec = sqlx::query_as::<_, Shard>(
- r#"
-SELECT *
-FROM shard
-WHERE topic_id = $1
- AND shard_index = $2;
- "#,
- )
- .bind(topic_id) // $1
- .bind(shard_index) // $2
- .fetch_one(&mut self.inner)
- .await;
-
- if let Err(sqlx::Error::RowNotFound) = rec {
- return Ok(None);
- }
-
- let shard = rec.map_err(|e| Error::SqlxError { source: e })?;
-
- Ok(Some(shard))
- }
-
- async fn list(&mut self) -> Result<Vec<Shard>> {
- sqlx::query_as::<_, Shard>(r#"SELECT * FROM shard;"#)
- .fetch_all(&mut self.inner)
- .await
- .map_err(|e| Error::SqlxError { source: e })
- }
-
- async fn list_by_topic(&mut self, topic: &TopicMetadata) -> Result<Vec<Shard>> {
- sqlx::query_as::<_, Shard>(r#"SELECT * FROM shard WHERE topic_id = $1;"#)
- .bind(topic.id) // $1
- .fetch_all(&mut self.inner)
- .await
- .map_err(|e| Error::SqlxError { source: e })
- }
-
- async fn update_min_unpersisted_sequence_number(
- &mut self,
- shard_id: ShardId,
- sequence_number: SequenceNumber,
- ) -> Result<()> {
- let _ = sqlx::query(
- r#"
-UPDATE shard
-SET min_unpersisted_sequence_number = $1
-WHERE id = $2;
- "#,
- )
- .bind(sequence_number.get()) // $1
- .bind(shard_id) // $2
- .execute(&mut self.inner)
- .await
- .map_err(|e| Error::SqlxError { source: e })?;
-
- Ok(())
- }
-}
-
#[async_trait]
impl PartitionRepo for PostgresTxn {
- async fn create_or_get(
- &mut self,
- key: PartitionKey,
- shard_id: ShardId,
- table_id: TableId,
- ) -> Result<Partition> {
+ async fn create_or_get(&mut self, key: PartitionKey, table_id: TableId) -> Result<Partition> {
// Note: since sort_key is now an array, we must explicitly insert '{}' which is an empty
// array rather than NULL which sqlx will throw `UnexpectedNullError` while is is doing
// `ColumnDecode`
@@ -1201,11 +1097,11 @@ VALUES
( $1, $2, $3, '{}')
ON CONFLICT ON CONSTRAINT partition_key_unique
DO UPDATE SET partition_key = partition.partition_key
-RETURNING *;
+RETURNING id, table_id, partition_key, sort_key, persisted_sequence_number, new_file_at;
"#,
)
.bind(key) // $1
- .bind(shard_id) // $2
+ .bind(TRANSITION_SHARD_ID) // $2
.bind(table_id) // $3
.fetch_one(&mut self.inner)
.await
@@ -1217,23 +1113,20 @@ RETURNING *;
}
})?;
- // If the partition_key_unique constraint was hit because there was an
- // existing record for (table_id, partition_key) ensure the partition
- // key in the DB is mapped to the same shard_id the caller
- // requested.
- assert_eq!(
- v.shard_id, shard_id,
- "attempted to overwrite partition with different shard ID"
- );
-
Ok(v)
}
async fn get_by_id(&mut self, partition_id: PartitionId) -> Result<Option<Partition>> {
- let rec = sqlx::query_as::<_, Partition>(r#"SELECT * FROM partition WHERE id = $1;"#)
- .bind(partition_id) // $1
- .fetch_one(&mut self.inner)
- .await;
+ let rec = sqlx::query_as::<_, Partition>(
+ r#"
+SELECT id, table_id, partition_key, sort_key, persisted_sequence_number, new_file_at
+FROM partition
+WHERE id = $1;
+ "#,
+ )
+ .bind(partition_id) // $1
+ .fetch_one(&mut self.inner)
+ .await;
if let Err(sqlx::Error::RowNotFound) = rec {
return Ok(None);
@@ -1247,7 +1140,7 @@ RETURNING *;
async fn list_by_table_id(&mut self, table_id: TableId) -> Result<Vec<Partition>> {
sqlx::query_as::<_, Partition>(
r#"
-SELECT *
+SELECT id, table_id, partition_key, sort_key, persisted_sequence_number, new_file_at
FROM partition
WHERE table_id = $1;
"#,
@@ -1288,7 +1181,7 @@ WHERE table_id = $1;
UPDATE partition
SET sort_key = $1
WHERE id = $2 AND sort_key = $3
-RETURNING *;
+RETURNING id, table_id, partition_key, sort_key, persisted_sequence_number, new_file_at;
"#,
)
.bind(new_sort_key) // $1
@@ -1461,7 +1354,6 @@ RETURNING *
impl ParquetFileRepo for PostgresTxn {
async fn create(&mut self, parquet_file_params: ParquetFileParams) -> Result<ParquetFile> {
let ParquetFileParams {
- shard_id,
namespace_id,
table_id,
partition_id,
@@ -1484,10 +1376,13 @@ INSERT INTO parquet_file (
max_sequence_number, min_time, max_time, file_size_bytes,
row_count, compaction_level, created_at, namespace_id, column_set, max_l0_created_at )
VALUES ( $1, $2, $3, $4, $5, $6, $7, $8, $9, $10, $11, $12, $13, $14 )
-RETURNING *;
+RETURNING
+ id, table_id, partition_id, object_store_id,
+ max_sequence_number, min_time, max_time, to_delete, file_size_bytes,
+ row_count, compaction_level, created_at, namespace_id, column_set, max_l0_created_at;
"#,
)
- .bind(shard_id) // $1
+ .bind(TRANSITION_SHARD_ID) // $1
.bind(table_id) // $2
.bind(partition_id) // $3
.bind(object_store_id) // $4
@@ -1563,16 +1458,14 @@ RETURNING id;
&mut self,
namespace_id: NamespaceId,
) -> Result<Vec<ParquetFile>> {
- // Deliberately doesn't use `SELECT *` to avoid the performance hit of fetching the large
- // `parquet_metadata` column!!
sqlx::query_as::<_, ParquetFile>(
r#"
-SELECT parquet_file.id, parquet_file.shard_id, parquet_file.namespace_id,
+SELECT parquet_file.id, parquet_file.namespace_id,
parquet_file.table_id, parquet_file.partition_id, parquet_file.object_store_id,
parquet_file.max_sequence_number, parquet_file.min_time,
parquet_file.max_time, parquet_file.to_delete, parquet_file.file_size_bytes,
- parquet_file.row_count, parquet_file.compaction_level, parquet_file.created_at, parquet_file.column_set,
- parquet_file.max_l0_created_at
+ parquet_file.row_count, parquet_file.compaction_level, parquet_file.created_at,
+ parquet_file.column_set, parquet_file.max_l0_created_at
FROM parquet_file
INNER JOIN table_name on table_name.id = parquet_file.table_id
WHERE table_name.namespace_id = $1
@@ -1586,11 +1479,9 @@ WHERE table_name.namespace_id = $1
}
async fn list_by_table_not_to_delete(&mut self, table_id: TableId) -> Result<Vec<ParquetFile>> {
- // Deliberately doesn't use `SELECT *` to avoid the performance hit of fetching the large
- // `parquet_metadata` column!!
sqlx::query_as::<_, ParquetFile>(
r#"
-SELECT id, shard_id, namespace_id, table_id, partition_id, object_store_id,
+SELECT id, namespace_id, table_id, partition_id, object_store_id,
max_sequence_number, min_time, max_time, to_delete, file_size_bytes,
row_count, compaction_level, created_at, column_set, max_l0_created_at
FROM parquet_file
@@ -1650,11 +1541,9 @@ RETURNING id;
&mut self,
partition_id: PartitionId,
) -> Result<Vec<ParquetFile>> {
- // Deliberately doesn't use `SELECT *` to avoid the performance hit of fetching the large
- // `parquet_metadata` column!!
sqlx::query_as::<_, ParquetFile>(
r#"
-SELECT id, shard_id, namespace_id, table_id, partition_id, object_store_id,
+SELECT id, namespace_id, table_id, partition_id, object_store_id,
max_sequence_number, min_time, max_time, to_delete, file_size_bytes,
row_count, compaction_level, created_at, column_set, max_l0_created_at
FROM parquet_file
@@ -1720,11 +1609,9 @@ RETURNING id;
&mut self,
object_store_id: Uuid,
) -> Result<Option<ParquetFile>> {
- // Deliberately doesn't use `SELECT *` to avoid the performance hit of fetching the large
- // `parquet_metadata` column!!
let rec = sqlx::query_as::<_, ParquetFile>(
r#"
-SELECT id, shard_id, namespace_id, table_id, partition_id, object_store_id,
+SELECT id, namespace_id, table_id, partition_id, object_store_id,
max_sequence_number, min_time, max_time, to_delete, file_size_bytes,
row_count, compaction_level, created_at, column_set, max_l0_created_at
FROM parquet_file
@@ -1783,7 +1670,7 @@ mod tests {
use super::*;
use crate::create_or_get_default_records;
use assert_matches::assert_matches;
- use data_types::{ColumnId, ColumnSet};
+ use data_types::{ColumnId, ColumnSet, SequenceNumber};
use metric::{Attributes, DurationHistogram, Metric};
use rand::Rng;
use sqlx::migrate::MigrateDatabase;
@@ -1911,9 +1798,6 @@ mod tests {
#[tokio::test]
async fn test_catalog() {
- // If running an integration test on your laptop, this requires that you have Postgres
- // running and that you've done the sqlx migrations. See the README in this crate for
- // info to set it up.
maybe_skip_integration!();
let postgres = setup_db().await;
@@ -1964,23 +1848,13 @@ mod tests {
#[tokio::test]
async fn test_partition_create_or_get_idempotent() {
- // If running an integration test on your laptop, this requires that you have Postgres running
- //
- // This is a command to run this test on your laptop
- // TEST_INTEGRATION=1 TEST_INFLUXDB_IOX_CATALOG_DSN=postgres:postgres://$USER@localhost/iox_shared RUST_BACKTRACE=1 cargo test --package iox_catalog --lib -- postgres::tests::test_partition_create_or_get_idempotent --exact --nocapture
- //
- // If you do not have Postgres's iox_shared db, here are commands to install Postgres (on mac) and create iox_shared db
- // brew install postgresql
- // initdb pg
- // createdb iox_shared
-
maybe_skip_integration!();
let postgres = setup_db().await;
let postgres: Arc<dyn Catalog> = Arc::new(postgres);
let mut txn = postgres.start_transaction().await.expect("txn start");
- let (kafka, query, shards) = create_or_get_default_records(1, txn.deref_mut())
+ let (kafka, query) = create_or_get_default_records(txn.deref_mut())
.await
.expect("db init failed");
txn.commit().await.expect("txn commit");
@@ -2003,100 +1877,27 @@ mod tests {
.id;
let key = "bananas";
- let shard_id = *shards.keys().next().expect("no shard");
let a = postgres
.repositories()
.await
.partitions()
- .create_or_get(key.into(), shard_id, table_id)
+ .create_or_get(key.into(), table_id)
.await
.expect("should create OK");
- // Call create_or_get for the same (key, table_id, shard_id)
- // triplet, setting the same shard ID to ensure the write is
- // idempotent.
+ // Call create_or_get for the same (key, table_id) pair, to ensure the write is idempotent.
let b = postgres
.repositories()
.await
.partitions()
- .create_or_get(key.into(), shard_id, table_id)
+ .create_or_get(key.into(), table_id)
.await
.expect("idempotent write should succeed");
assert_eq!(a, b);
}
- #[tokio::test]
- #[should_panic = "attempted to overwrite partition"]
- async fn test_partition_create_or_get_no_overwrite() {
- // If running an integration test on your laptop, this requires that you have Postgres
- // running and that you've done the sqlx migrations. See the README in this crate for
- // info to set it up.
- maybe_skip_integration!("attempted to overwrite partition");
-
- let postgres = setup_db().await;
-
- let postgres: Arc<dyn Catalog> = Arc::new(postgres);
- let mut txn = postgres.start_transaction().await.expect("txn start");
- let (kafka, query, _) = create_or_get_default_records(2, txn.deref_mut())
- .await
- .expect("db init failed");
- txn.commit().await.expect("txn commit");
-
- let namespace_id = postgres
- .repositories()
- .await
- .namespaces()
- .create("ns3", None, kafka.id, query.id)
- .await
- .expect("namespace create failed")
- .id;
- let table_id = postgres
- .repositories()
- .await
- .tables()
- .create_or_get("table", namespace_id)
- .await
- .expect("create table failed")
- .id;
-
- let key = "bananas";
-
- let shards = postgres
- .repositories()
- .await
- .shards()
- .list()
- .await
- .expect("failed to list shards");
- assert!(
- shards.len() > 1,
- "expected more shards to be created, got {}",
- shards.len()
- );
-
- let a = postgres
- .repositories()
- .await
- .partitions()
- .create_or_get(key.into(), shards[0].id, table_id)
- .await
- .expect("should create OK");
-
- // Call create_or_get for the same (key, table_id) tuple, setting a
- // different shard ID
- let b = postgres
- .repositories()
- .await
- .partitions()
- .create_or_get(key.into(), shards[1].id, table_id)
- .await
- .expect("result should not be evaluated");
-
- assert_eq!(a, b);
- }
-
#[test]
fn test_parse_dsn_file() {
assert_eq!(
@@ -2190,9 +1991,6 @@ mod tests {
paste::paste! {
#[tokio::test]
async fn [<test_column_create_or_get_many_unchecked_ $name>]() {
- // If running an integration test on your laptop, this requires that you have
- // Postgres running and that you've done the sqlx migrations. See the README in
- // this crate for info to set it up.
maybe_skip_integration!();
let postgres = setup_db().await;
@@ -2200,7 +1998,7 @@ mod tests {
let postgres: Arc<dyn Catalog> = Arc::new(postgres);
let mut txn = postgres.start_transaction().await.expect("txn start");
- let (kafka, query, _shards) = create_or_get_default_records(1, txn.deref_mut())
+ let (kafka, query) = create_or_get_default_records(txn.deref_mut())
.await
.expect("db init failed");
txn.commit().await.expect("txn commit");
@@ -2362,19 +2160,6 @@ mod tests {
#[tokio::test]
async fn test_billing_summary_on_parqet_file_creation() {
- // If running an integration test on your laptop, this requires that you have Postgres running
- //
- // This is a command to run this test on your laptop
- // TEST_INTEGRATION=1 TEST_INFLUXDB_IOX_CATALOG_DSN=postgres:postgres://$USER@localhost/iox_shared RUST_BACKTRACE=1 cargo test --package iox_catalog --lib -- postgres::tests::test_billing_summary_on_parqet_file_creation --exact --nocapture
- //
- // If you do not have Postgres's iox_shared db, here are commands to install Postgres (on mac) and create iox_shared db
- // brew install postgresql
- // initdb pg
- // createdb iox_shared
- //
- // Or if you're on Linux or otherwise don't mind using Docker:
- // ./scripts/docker_catalog.sh
-
maybe_skip_integration!();
let postgres = setup_db().await;
@@ -2382,7 +2167,7 @@ mod tests {
let postgres: Arc<dyn Catalog> = Arc::new(postgres);
let mut txn = postgres.start_transaction().await.expect("txn start");
- let (kafka, query, shards) = create_or_get_default_records(1, txn.deref_mut())
+ let (kafka, query) = create_or_get_default_records(txn.deref_mut())
.await
.expect("db init failed");
txn.commit().await.expect("txn commit");
@@ -2405,13 +2190,12 @@ mod tests {
.id;
let key = "bananas";
- let shard_id = *shards.keys().next().expect("no shard");
let partition_id = postgres
.repositories()
.await
.partitions()
- .create_or_get(key.into(), shard_id, table_id)
+ .create_or_get(key.into(), table_id)
.await
.expect("should create OK")
.id;
@@ -2421,7 +2205,6 @@ mod tests {
let time_provider = Arc::new(SystemProvider::new());
let time_now = Timestamp::from(time_provider.now());
let mut p1 = ParquetFileParams {
- shard_id,
namespace_id,
table_id,
partition_id,
diff --git a/iox_catalog/src/sqlite.rs b/iox_catalog/src/sqlite.rs
index 5abcea3686..ab8a9e0075 100644
--- a/iox_catalog/src/sqlite.rs
+++ b/iox_catalog/src/sqlite.rs
@@ -4,9 +4,10 @@ use crate::{
interface::{
self, sealed::TransactionFinalize, CasFailure, Catalog, ColumnRepo,
ColumnTypeMismatchSnafu, Error, NamespaceRepo, ParquetFileRepo, PartitionRepo,
- QueryPoolRepo, RepoCollection, Result, ShardRepo, SoftDeletedRows, TableRepo,
- TopicMetadataRepo, Transaction, MAX_PARQUET_FILES_SELECTED_ONCE,
+ QueryPoolRepo, RepoCollection, Result, SoftDeletedRows, TableRepo, TopicMetadataRepo,
+ Transaction, MAX_PARQUET_FILES_SELECTED_ONCE,
},
+ kafkaless_transition::{TRANSITION_SHARD_ID, TRANSITION_SHARD_INDEX},
metrics::MetricDecorator,
DEFAULT_MAX_COLUMNS_PER_TABLE, DEFAULT_MAX_TABLES, SHARED_TOPIC_ID, SHARED_TOPIC_NAME,
};
@@ -14,8 +15,7 @@ use async_trait::async_trait;
use data_types::{
Column, ColumnId, ColumnSet, ColumnType, CompactionLevel, Namespace, NamespaceId, ParquetFile,
ParquetFileId, ParquetFileParams, Partition, PartitionId, PartitionKey, QueryPool, QueryPoolId,
- SequenceNumber, Shard, ShardId, ShardIndex, SkippedCompaction, Table, TableId, Timestamp,
- TopicId, TopicMetadata, TRANSITION_SHARD_ID, TRANSITION_SHARD_INDEX,
+ SequenceNumber, SkippedCompaction, Table, TableId, Timestamp, TopicId, TopicMetadata,
};
use serde::{Deserialize, Serialize};
use std::ops::Deref;
@@ -318,10 +318,6 @@ impl RepoCollection for SqliteTxn {
self
}
- fn shards(&mut self) -> &mut dyn ShardRepo {
- self
- }
-
fn partitions(&mut self) -> &mut dyn PartitionRepo {
self
}
@@ -866,108 +862,12 @@ RETURNING *;
}
}
-#[async_trait]
-impl ShardRepo for SqliteTxn {
- async fn create_or_get(
- &mut self,
- topic: &TopicMetadata,
- shard_index: ShardIndex,
- ) -> Result<Shard> {
- sqlx::query_as::<_, Shard>(
- r#"
-INSERT INTO shard
- ( topic_id, shard_index, min_unpersisted_sequence_number )
-VALUES
- ( $1, $2, 0 )
-ON CONFLICT (topic_id, shard_index)
-DO UPDATE SET topic_id = shard.topic_id
-RETURNING *;
- "#,
- )
- .bind(topic.id) // $1
- .bind(shard_index) // $2
- .fetch_one(self.inner.get_mut())
- .await
- .map_err(|e| {
- if is_fk_violation(&e) {
- Error::ForeignKeyViolation { source: e }
- } else {
- Error::SqlxError { source: e }
- }
- })
- }
-
- async fn get_by_topic_id_and_shard_index(
- &mut self,
- topic_id: TopicId,
- shard_index: ShardIndex,
- ) -> Result<Option<Shard>> {
- let rec = sqlx::query_as::<_, Shard>(
- r#"
-SELECT *
-FROM shard
-WHERE topic_id = $1
- AND shard_index = $2;
- "#,
- )
- .bind(topic_id) // $1
- .bind(shard_index) // $2
- .fetch_one(self.inner.get_mut())
- .await;
-
- if let Err(sqlx::Error::RowNotFound) = rec {
- return Ok(None);
- }
-
- let shard = rec.map_err(|e| Error::SqlxError { source: e })?;
-
- Ok(Some(shard))
- }
-
- async fn list(&mut self) -> Result<Vec<Shard>> {
- sqlx::query_as::<_, Shard>(r#"SELECT * FROM shard;"#)
- .fetch_all(self.inner.get_mut())
- .await
- .map_err(|e| Error::SqlxError { source: e })
- }
-
- async fn list_by_topic(&mut self, topic: &TopicMetadata) -> Result<Vec<Shard>> {
- sqlx::query_as::<_, Shard>(r#"SELECT * FROM shard WHERE topic_id = $1;"#)
- .bind(topic.id) // $1
- .fetch_all(self.inner.get_mut())
- .await
- .map_err(|e| Error::SqlxError { source: e })
- }
-
- async fn update_min_unpersisted_sequence_number(
- &mut self,
- shard_id: ShardId,
- sequence_number: SequenceNumber,
- ) -> Result<()> {
- let _ = sqlx::query(
- r#"
-UPDATE shard
-SET min_unpersisted_sequence_number = $1
-WHERE id = $2;
- "#,
- )
- .bind(sequence_number.get()) // $1
- .bind(shard_id) // $2
- .execute(self.inner.get_mut())
- .await
- .map_err(|e| Error::SqlxError { source: e })?;
-
- Ok(())
- }
-}
-
// We can't use [`Partition`], as uses Vec<String> which the Sqlite
// driver cannot serialise
#[derive(Debug, Clone, PartialEq, Eq, sqlx::FromRow)]
struct PartitionPod {
id: PartitionId,
- shard_id: ShardId,
table_id: TableId,
partition_key: PartitionKey,
sort_key: Json<Vec<String>>,
@@ -979,7 +879,6 @@ impl From<PartitionPod> for Partition {
fn from(value: PartitionPod) -> Self {
Self {
id: value.id,
- shard_id: value.shard_id,
table_id: value.table_id,
partition_key: value.partition_key,
sort_key: value.sort_key.0,
@@ -991,12 +890,7 @@ impl From<PartitionPod> for Partition {
#[async_trait]
impl PartitionRepo for SqliteTxn {
- async fn create_or_get(
- &mut self,
- key: PartitionKey,
- shard_id: ShardId,
- table_id: TableId,
- ) -> Result<Partition> {
+ async fn create_or_get(&mut self, key: PartitionKey, table_id: TableId) -> Result<Partition> {
// Note: since sort_key is now an array, we must explicitly insert '{}' which is an empty
// array rather than NULL which sqlx will throw `UnexpectedNullError` while is is doing
// `ColumnDecode`
@@ -1009,11 +903,11 @@ VALUES
( $1, $2, $3, '[]')
ON CONFLICT (table_id, partition_key)
DO UPDATE SET partition_key = partition.partition_key
-RETURNING *;
+RETURNING id, table_id, partition_key, sort_key, persisted_sequence_number, new_file_at;
"#,
)
.bind(key) // $1
- .bind(shard_id) // $2
+ .bind(TRANSITION_SHARD_ID) // $2
.bind(table_id) // $3
.fetch_one(self.inner.get_mut())
.await
@@ -1025,23 +919,20 @@ RETURNING *;
}
})?;
- // If the partition_key_unique constraint was hit because there was an
- // existing record for (table_id, partition_key) ensure the partition
- // key in the DB is mapped to the same shard_id the caller
- // requested.
- assert_eq!(
- v.shard_id, shard_id,
- "attempted to overwrite partition with different shard ID"
- );
-
Ok(v.into())
}
async fn get_by_id(&mut self, partition_id: PartitionId) -> Result<Option<Partition>> {
- let rec = sqlx::query_as::<_, PartitionPod>(r#"SELECT * FROM partition WHERE id = $1;"#)
- .bind(partition_id) // $1
- .fetch_one(self.inner.get_mut())
- .await;
+ let rec = sqlx::query_as::<_, PartitionPod>(
+ r#"
+SELECT id, table_id, partition_key, sort_key, persisted_sequence_number, new_file_at
+FROM partition
+WHERE id = $1;
+ "#,
+ )
+ .bind(partition_id) // $1
+ .fetch_one(self.inner.get_mut())
+ .await;
if let Err(sqlx::Error::RowNotFound) = rec {
return Ok(None);
@@ -1055,7 +946,7 @@ RETURNING *;
async fn list_by_table_id(&mut self, table_id: TableId) -> Result<Vec<Partition>> {
Ok(sqlx::query_as::<_, PartitionPod>(
r#"
-SELECT *
+SELECT id, table_id, partition_key, sort_key, persisted_sequence_number, new_file_at
FROM partition
WHERE table_id = $1;
"#,
@@ -1099,7 +990,7 @@ WHERE table_id = $1;
UPDATE partition
SET sort_key = $1
WHERE id = $2 AND sort_key = $3
-RETURNING *;
+RETURNING id, table_id, partition_key, sort_key, persisted_sequence_number, new_file_at;
"#,
)
.bind(Json(new_sort_key)) // $1
@@ -1237,7 +1128,12 @@ RETURNING *
async fn most_recent_n(&mut self, n: usize) -> Result<Vec<Partition>> {
Ok(sqlx::query_as::<_, PartitionPod>(
- r#"SELECT * FROM partition ORDER BY id DESC LIMIT $1;"#,
+ r#"
+SELECT id, table_id, partition_key, sort_key, persisted_sequence_number, new_file_at
+FROM partition
+ORDER BY id DESC
+LIMIT $1;
+ "#,
)
.bind(n as i64) // $1
.fetch_all(self.inner.get_mut())
@@ -1285,7 +1181,6 @@ fn to_column_set(v: &Json<Vec<i64>>) -> ColumnSet {
#[derive(Debug, Clone, PartialEq, Eq, sqlx::FromRow)]
struct ParquetFilePod {
id: ParquetFileId,
- shard_id: ShardId,
namespace_id: NamespaceId,
table_id: TableId,
partition_id: PartitionId,
@@ -1306,7 +1201,6 @@ impl From<ParquetFilePod> for ParquetFile {
fn from(value: ParquetFilePod) -> Self {
Self {
id: value.id,
- shard_id: value.shard_id,
namespace_id: value.namespace_id,
table_id: value.table_id,
partition_id: value.partition_id,
@@ -1329,7 +1223,6 @@ impl From<ParquetFilePod> for ParquetFile {
impl ParquetFileRepo for SqliteTxn {
async fn create(&mut self, parquet_file_params: ParquetFileParams) -> Result<ParquetFile> {
let ParquetFileParams {
- shard_id,
namespace_id,
table_id,
partition_id,
@@ -1352,10 +1245,13 @@ INSERT INTO parquet_file (
max_sequence_number, min_time, max_time, file_size_bytes,
row_count, compaction_level, created_at, namespace_id, column_set, max_l0_created_at )
VALUES ( $1, $2, $3, $4, $5, $6, $7, $8, $9, $10, $11, $12, $13, $14 )
-RETURNING *;
+RETURNING
+ id, table_id, partition_id, object_store_id,
+ max_sequence_number, min_time, max_time, to_delete, file_size_bytes,
+ row_count, compaction_level, created_at, namespace_id, column_set, max_l0_created_at;
"#,
)
- .bind(shard_id) // $1
+ .bind(TRANSITION_SHARD_ID) // $1
.bind(table_id) // $2
.bind(partition_id) // $3
.bind(object_store_id) // $4
@@ -1435,33 +1331,30 @@ RETURNING id;
// `parquet_metadata` column!!
Ok(sqlx::query_as::<_, ParquetFilePod>(
r#"
-SELECT parquet_file.id, parquet_file.shard_id, parquet_file.namespace_id,
- parquet_file.table_id, parquet_file.partition_id, parquet_file.object_store_id,
- parquet_file.max_sequence_number, parquet_file.min_time,
- parquet_file.max_time, parquet_file.to_delete, parquet_file.file_size_bytes,
- parquet_file.row_count, parquet_file.compaction_level, parquet_file.created_at, parquet_file.column_set,
- parquet_file.max_l0_created_at
+SELECT parquet_file.id, parquet_file.namespace_id, parquet_file.table_id,
+ parquet_file.partition_id, parquet_file.object_store_id, parquet_file.max_sequence_number,
+ parquet_file.min_time, parquet_file.max_time, parquet_file.to_delete,
+ parquet_file.file_size_bytes, parquet_file.row_count, parquet_file.compaction_level,
+ parquet_file.created_at, parquet_file.column_set, parquet_file.max_l0_created_at
FROM parquet_file
INNER JOIN table_name on table_name.id = parquet_file.table_id
WHERE table_name.namespace_id = $1
AND parquet_file.to_delete IS NULL;
"#,
)
- .bind(namespace_id) // $1
- .fetch_all(self.inner.get_mut())
- .await
- .map_err(|e| Error::SqlxError { source: e })?
- .into_iter()
- .map(Into::into)
- .collect())
+ .bind(namespace_id) // $1
+ .fetch_all(self.inner.get_mut())
+ .await
+ .map_err(|e| Error::SqlxError { source: e })?
+ .into_iter()
+ .map(Into::into)
+ .collect())
}
async fn list_by_table_not_to_delete(&mut self, table_id: TableId) -> Result<Vec<ParquetFile>> {
- // Deliberately doesn't use `SELECT *` to avoid the performance hit of fetching the large
- // `parquet_metadata` column!!
Ok(sqlx::query_as::<_, ParquetFilePod>(
r#"
-SELECT id, shard_id, namespace_id, table_id, partition_id, object_store_id,
+SELECT id, namespace_id, table_id, partition_id, object_store_id,
max_sequence_number, min_time, max_time, to_delete, file_size_bytes,
row_count, compaction_level, created_at, column_set, max_l0_created_at
FROM parquet_file
@@ -1527,11 +1420,9 @@ RETURNING id;
&mut self,
partition_id: PartitionId,
) -> Result<Vec<ParquetFile>> {
- // Deliberately doesn't use `SELECT *` to avoid the performance hit of fetching the large
- // `parquet_metadata` column!!
Ok(sqlx::query_as::<_, ParquetFilePod>(
r#"
-SELECT id, shard_id, namespace_id, table_id, partition_id, object_store_id,
+SELECT id, namespace_id, table_id, partition_id, object_store_id,
max_sequence_number, min_time, max_time, to_delete, file_size_bytes,
row_count, compaction_level, created_at, column_set, max_l0_created_at
FROM parquet_file
@@ -1600,11 +1491,9 @@ RETURNING id;
&mut self,
object_store_id: Uuid,
) -> Result<Option<ParquetFile>> {
- // Deliberately doesn't use `SELECT *` to avoid the performance hit of fetching the large
- // `parquet_metadata` column!!
let rec = sqlx::query_as::<_, ParquetFilePod>(
r#"
-SELECT id, shard_id, namespace_id, table_id, partition_id, object_store_id,
+SELECT id, namespace_id, table_id, partition_id, object_store_id,
max_sequence_number, min_time, max_time, to_delete, file_size_bytes,
row_count, compaction_level, created_at, column_set, max_l0_created_at
FROM parquet_file
@@ -1707,7 +1596,7 @@ mod tests {
let sqlite: Arc<dyn Catalog> = Arc::new(sqlite);
let mut txn = sqlite.start_transaction().await.expect("txn start");
- let (kafka, query, shards) = create_or_get_default_records(1, txn.deref_mut())
+ let (kafka, query) = create_or_get_default_records(txn.deref_mut())
.await
.expect("db init failed");
txn.commit().await.expect("txn commit");
@@ -1730,95 +1619,27 @@ mod tests {
.id;
let key = "bananas";
- let shard_id = *shards.keys().next().expect("no shard");
let a = sqlite
.repositories()
.await
.partitions()
- .create_or_get(key.into(), shard_id, table_id)
+ .create_or_get(key.into(), table_id)
.await
.expect("should create OK");
- // Call create_or_get for the same (key, table_id, shard_id)
- // triplet, setting the same shard ID to ensure the write is
- // idempotent.
+ // Call create_or_get for the same (key, table_id) pair, to ensure the write is idempotent.
let b = sqlite
.repositories()
.await
.partitions()
- .create_or_get(key.into(), shard_id, table_id)
+ .create_or_get(key.into(), table_id)
.await
.expect("idempotent write should succeed");
assert_eq!(a, b);
}
- #[tokio::test]
- #[should_panic = "attempted to overwrite partition"]
- async fn test_partition_create_or_get_no_overwrite() {
- let sqlite = setup_db().await;
-
- let sqlite: Arc<dyn Catalog> = Arc::new(sqlite);
- let mut txn = sqlite.start_transaction().await.expect("txn start");
- let (kafka, query, _) = create_or_get_default_records(2, txn.deref_mut())
- .await
- .expect("db init failed");
- txn.commit().await.expect("txn commit");
-
- let namespace_id = sqlite
- .repositories()
- .await
- .namespaces()
- .create("ns3", None, kafka.id, query.id)
- .await
- .expect("namespace create failed")
- .id;
- let table_id = sqlite
- .repositories()
- .await
- .tables()
- .create_or_get("table", namespace_id)
- .await
- .expect("create table failed")
- .id;
-
- let key = "bananas";
-
- let shards = sqlite
- .repositories()
- .await
- .shards()
- .list()
- .await
- .expect("failed to list shards");
- assert!(
- shards.len() > 1,
- "expected more shards to be created, got {}",
- shards.len()
- );
-
- let a = sqlite
- .repositories()
- .await
- .partitions()
- .create_or_get(key.into(), shards[0].id, table_id)
- .await
- .expect("should create OK");
-
- // Call create_or_get for the same (key, table_id) tuple, setting a
- // different shard ID
- let b = sqlite
- .repositories()
- .await
- .partitions()
- .create_or_get(key.into(), shards[1].id, table_id)
- .await
- .expect("result should not be evaluated");
-
- assert_eq!(a, b);
- }
-
macro_rules! test_column_create_or_get_many_unchecked {
(
$name:ident,
@@ -1833,7 +1654,7 @@ mod tests {
let sqlite: Arc<dyn Catalog> = Arc::new(sqlite);
let mut txn = sqlite.start_transaction().await.expect("txn start");
- let (kafka, query, _shards) = create_or_get_default_records(1, txn.deref_mut())
+ let (kafka, query) = create_or_get_default_records(txn.deref_mut())
.await
.expect("db init failed");
txn.commit().await.expect("txn commit");
@@ -2000,7 +1821,7 @@ mod tests {
let sqlite: Arc<dyn Catalog> = Arc::new(sqlite);
let mut txn = sqlite.start_transaction().await.expect("txn start");
- let (kafka, query, shards) = create_or_get_default_records(1, txn.deref_mut())
+ let (kafka, query) = create_or_get_default_records(txn.deref_mut())
.await
.expect("db init failed");
txn.commit().await.expect("txn commit");
@@ -2023,13 +1844,12 @@ mod tests {
.id;
let key = "bananas";
- let shard_id = *shards.keys().next().expect("no shard");
let partition_id = sqlite
.repositories()
.await
.partitions()
- .create_or_get(key.into(), shard_id, table_id)
+ .create_or_get(key.into(), table_id)
.await
.expect("should create OK")
.id;
@@ -2039,7 +1859,6 @@ mod tests {
let time_provider = Arc::new(SystemProvider::new());
let time_now = Timestamp::from(time_provider.now());
let mut p1 = ParquetFileParams {
- shard_id,
namespace_id,
table_id,
partition_id,
diff --git a/iox_tests/src/builders.rs b/iox_tests/src/builders.rs
index fdef83ae8b..48ecc201f1 100644
--- a/iox_tests/src/builders.rs
+++ b/iox_tests/src/builders.rs
@@ -1,6 +1,6 @@
use data_types::{
ColumnSet, CompactionLevel, NamespaceId, ParquetFile, ParquetFileId, Partition, PartitionId,
- PartitionKey, SequenceNumber, ShardId, SkippedCompaction, Table, TableId, Timestamp,
+ PartitionKey, SequenceNumber, SkippedCompaction, Table, TableId, Timestamp,
};
use uuid::Uuid;
@@ -17,7 +17,6 @@ impl ParquetFileBuilder {
Self {
file: ParquetFile {
id: ParquetFileId::new(id),
- shard_id: ShardId::new(0),
namespace_id: NamespaceId::new(0),
table_id: TableId::new(0),
partition_id: PartitionId::new(0),
@@ -155,7 +154,6 @@ impl PartitionBuilder {
Self {
partition: Partition {
id: PartitionId::new(id),
- shard_id: ShardId::new(0),
table_id: TableId::new(0),
partition_key: PartitionKey::from("key"),
sort_key: vec![],
diff --git a/iox_tests/src/catalog.rs b/iox_tests/src/catalog.rs
index 577ed55a37..c4a3f5ad4a 100644
--- a/iox_tests/src/catalog.rs
+++ b/iox_tests/src/catalog.rs
@@ -6,8 +6,8 @@ use arrow::{
};
use data_types::{
Column, ColumnSet, ColumnType, CompactionLevel, Namespace, NamespaceSchema, ParquetFile,
- ParquetFileParams, Partition, PartitionId, QueryPool, SequenceNumber, Shard, ShardIndex, Table,
- TableId, TableSchema, Timestamp, TopicMetadata,
+ ParquetFileParams, Partition, PartitionId, QueryPool, SequenceNumber, Table, TableId,
+ TableSchema, Timestamp, TopicMetadata,
};
use datafusion::physical_plan::metrics::Count;
use datafusion_util::MemoryStream;
@@ -137,21 +137,6 @@ impl TestCatalog {
Arc::clone(&self.exec)
}
- /// Create a shard in the catalog
- pub async fn create_shard(self: &Arc<Self>, shard_index: i32) -> Arc<Shard> {
- let mut repos = self.catalog.repositories().await;
-
- let topic = repos.topics().create_or_get("topic").await.unwrap();
- let shard_index = ShardIndex::new(shard_index);
- Arc::new(
- repos
- .shards()
- .create_or_get(&topic, shard_index)
- .await
- .unwrap(),
- )
- }
-
/// Create namespace with specified retention
pub async fn create_namespace_with_retention(
self: &Arc<Self>,
@@ -254,23 +239,6 @@ impl TestNamespace {
})
}
- /// Create a shard for this namespace
- pub async fn create_shard(self: &Arc<Self>, shard_index: i32) -> Arc<TestShard> {
- let mut repos = self.catalog.catalog.repositories().await;
-
- let shard = repos
- .shards()
- .create_or_get(&self.topic, ShardIndex::new(shard_index))
- .await
- .unwrap();
-
- Arc::new(TestShard {
- catalog: Arc::clone(&self.catalog),
- namespace: Arc::clone(self),
- shard,
- })
- }
-
/// Get namespace schema for this namespace.
pub async fn schema(&self) -> NamespaceSchema {
let mut repos = self.catalog.catalog.repositories().await;
@@ -304,15 +272,6 @@ impl TestNamespace {
}
}
-/// A test shard with its namespace in the catalog
-#[derive(Debug)]
-#[allow(missing_docs)]
-pub struct TestShard {
- pub catalog: Arc<TestCatalog>,
- pub namespace: Arc<TestNamespace>,
- pub shard: Shard,
-}
-
/// A test table of a namespace in the catalog
#[allow(missing_docs)]
#[derive(Debug)]
@@ -323,16 +282,49 @@ pub struct TestTable {
}
impl TestTable {
- /// Attach a shard to the table
- pub fn with_shard(self: &Arc<Self>, shard: &Arc<TestShard>) -> Arc<TestTableBoundShard> {
- assert!(Arc::ptr_eq(&self.catalog, &shard.catalog));
- assert!(Arc::ptr_eq(&self.namespace, &shard.namespace));
+ /// Creat a partition for the table
+ pub async fn create_partition(self: &Arc<Self>, key: &str) -> Arc<TestPartition> {
+ let mut repos = self.catalog.catalog.repositories().await;
+
+ let partition = repos
+ .partitions()
+ .create_or_get(key.into(), self.table.id)
+ .await
+ .unwrap();
+
+ Arc::new(TestPartition {
+ catalog: Arc::clone(&self.catalog),
+ namespace: Arc::clone(&self.namespace),
+ table: Arc::clone(self),
+ partition,
+ })
+ }
+
+ /// Create a partition with a specified sort key for the table
+ pub async fn create_partition_with_sort_key(
+ self: &Arc<Self>,
+ key: &str,
+ sort_key: &[&str],
+ ) -> Arc<TestPartition> {
+ let mut repos = self.catalog.catalog.repositories().await;
+
+ let partition = repos
+ .partitions()
+ .create_or_get(key.into(), self.table.id)
+ .await
+ .unwrap();
+
+ let partition = repos
+ .partitions()
+ .cas_sort_key(partition.id, None, sort_key)
+ .await
+ .unwrap();
- Arc::new(TestTableBoundShard {
+ Arc::new(TestPartition {
catalog: Arc::clone(&self.catalog),
namespace: Arc::clone(&self.namespace),
table: Arc::clone(self),
- shard: Arc::clone(shard),
+ partition,
})
}
@@ -407,73 +399,13 @@ pub struct TestColumn {
pub column: Column,
}
-/// A test catalog with specified namespace, shard, and table
-#[allow(missing_docs)]
-pub struct TestTableBoundShard {
- pub catalog: Arc<TestCatalog>,
- pub namespace: Arc<TestNamespace>,
- pub table: Arc<TestTable>,
- pub shard: Arc<TestShard>,
-}
-
-impl TestTableBoundShard {
- /// Creat a partition for the table
- pub async fn create_partition(self: &Arc<Self>, key: &str) -> Arc<TestPartition> {
- let mut repos = self.catalog.catalog.repositories().await;
-
- let partition = repos
- .partitions()
- .create_or_get(key.into(), self.shard.shard.id, self.table.table.id)
- .await
- .unwrap();
-
- Arc::new(TestPartition {
- catalog: Arc::clone(&self.catalog),
- namespace: Arc::clone(&self.namespace),
- table: Arc::clone(&self.table),
- shard: Arc::clone(&self.shard),
- partition,
- })
- }
-
- /// Creat a partition with a specified sort key for the table
- pub async fn create_partition_with_sort_key(
- self: &Arc<Self>,
- key: &str,
- sort_key: &[&str],
- ) -> Arc<TestPartition> {
- let mut repos = self.catalog.catalog.repositories().await;
-
- let partition = repos
- .partitions()
- .create_or_get(key.into(), self.shard.shard.id, self.table.table.id)
- .await
- .unwrap();
-
- let partition = repos
- .partitions()
- .cas_sort_key(partition.id, None, sort_key)
- .await
- .unwrap();
-
- Arc::new(TestPartition {
- catalog: Arc::clone(&self.catalog),
- namespace: Arc::clone(&self.namespace),
- table: Arc::clone(&self.table),
- shard: Arc::clone(&self.shard),
- partition,
- })
- }
-}
-
-/// A test catalog with specified namespace, shard, table, partition
+/// A test catalog with specified namespace, table, partition
#[allow(missing_docs)]
#[derive(Debug)]
pub struct TestPartition {
pub catalog: Arc<TestCatalog>,
pub namespace: Arc<TestNamespace>,
pub table: Arc<TestTable>,
- pub shard: Arc<TestShard>,
pub partition: Partition,
}
@@ -510,7 +442,6 @@ impl TestPartition {
catalog: Arc::clone(&self.catalog),
namespace: Arc::clone(&self.namespace),
table: Arc::clone(&self.table),
- shard: Arc::clone(&self.shard),
partition,
})
}
@@ -562,7 +493,6 @@ impl TestPartition {
creation_timestamp: now(),
namespace_id: self.namespace.namespace.id,
namespace_name: self.namespace.namespace.name.clone().into(),
- shard_id: self.shard.shard.id,
table_id: self.table.table.id,
table_name: self.table.table.name.clone().into(),
partition_id: self.partition.id,
@@ -651,7 +581,6 @@ impl TestPartition {
};
let parquet_file_params = ParquetFileParams {
- shard_id: self.shard.shard.id,
namespace_id: self.namespace.namespace.id,
table_id: self.table.table.id,
partition_id: self.partition.id,
@@ -686,7 +615,6 @@ impl TestPartition {
catalog: Arc::clone(&self.catalog),
namespace: Arc::clone(&self.namespace),
table: Arc::clone(&self.table),
- shard: Arc::clone(&self.shard),
partition: Arc::clone(self),
parquet_file,
size_override,
@@ -895,7 +823,6 @@ pub struct TestParquetFile {
pub catalog: Arc<TestCatalog>,
pub namespace: Arc<TestNamespace>,
pub table: Arc<TestTable>,
- pub shard: Arc<TestShard>,
pub partition: Arc<TestPartition>,
pub parquet_file: ParquetFile,
pub size_override: Option<i64>,
diff --git a/iox_tests/src/lib.rs b/iox_tests/src/lib.rs
index b3d1ade6b8..403a177f51 100644
--- a/iox_tests/src/lib.rs
+++ b/iox_tests/src/lib.rs
@@ -14,8 +14,7 @@
mod catalog;
pub use catalog::{
- TestCatalog, TestNamespace, TestParquetFile, TestParquetFileBuilder, TestPartition, TestShard,
- TestTable,
+ TestCatalog, TestNamespace, TestParquetFile, TestParquetFileBuilder, TestPartition, TestTable,
};
mod builders;
diff --git a/ioxd_compactor2/src/lib.rs b/ioxd_compactor2/src/lib.rs
index e2439c8cab..19d8ba81a6 100644
--- a/ioxd_compactor2/src/lib.rs
+++ b/ioxd_compactor2/src/lib.rs
@@ -5,7 +5,7 @@ use compactor2::{
compactor::Compactor2,
config::{Config, PartitionsSourceConfig, ShardConfig},
};
-use data_types::{PartitionId, TRANSITION_SHARD_NUMBER};
+use data_types::PartitionId;
use hyper::{Body, Request, Response};
use iox_catalog::interface::Catalog;
use iox_query::exec::Executor;
@@ -28,10 +28,6 @@ use std::{
use tokio_util::sync::CancellationToken;
use trace::TraceCollector;
-// There is only one shard with index 1
-const TOPIC: &str = "iox-shared";
-const TRANSITION_SHARD_INDEX: i32 = TRANSITION_SHARD_NUMBER;
-
pub struct Compactor2ServerType {
compactor: Compactor2,
metric_registry: Arc<Registry>,
@@ -174,16 +170,8 @@ pub async fn create_compactor2_server_type(
CompactionType::Cold => compactor2::config::CompactionType::Cold,
};
- let shard_id = Config::fetch_shard_id(
- Arc::clone(&catalog),
- backoff_config.clone(),
- TOPIC.to_string(),
- TRANSITION_SHARD_INDEX,
- )
- .await;
let compactor = Compactor2::start(Config {
compaction_type,
- shard_id,
metric_registry: Arc::clone(&metric_registry),
catalog,
parquet_store_real,
diff --git a/ioxd_querier/src/rpc/namespace.rs b/ioxd_querier/src/rpc/namespace.rs
index a599a1ae87..03f6e24399 100644
--- a/ioxd_querier/src/rpc/namespace.rs
+++ b/ioxd_querier/src/rpc/namespace.rs
@@ -118,9 +118,6 @@ mod tests {
async fn test_get_namespaces_empty() {
let catalog = TestCatalog::new();
- // QuerierDatabase::new returns an error if there are no shards in the catalog
- catalog.create_shard(0).await;
-
let catalog_cache = Arc::new(QuerierCatalogCache::new_testing(
catalog.catalog(),
catalog.time_provider(),
@@ -154,9 +151,6 @@ mod tests {
async fn test_get_namespaces() {
let catalog = TestCatalog::new();
- // QuerierDatabase::new returns an error if there are no shards in the catalog
- catalog.create_shard(0).await;
-
let catalog_cache = Arc::new(QuerierCatalogCache::new_testing(
catalog.catalog(),
catalog.time_provider(),
diff --git a/parquet_file/src/lib.rs b/parquet_file/src/lib.rs
index 8b179fb059..966e5eea1c 100644
--- a/parquet_file/src/lib.rs
+++ b/parquet_file/src/lib.rs
@@ -20,9 +20,7 @@ pub mod metadata;
pub mod serialize;
pub mod storage;
-use data_types::{
- NamespaceId, ParquetFile, ParquetFileParams, PartitionId, ShardId, TableId, TRANSITION_SHARD_ID,
-};
+use data_types::{NamespaceId, ParquetFile, ParquetFileParams, PartitionId, TableId};
use object_store::path::Path;
use uuid::Uuid;
@@ -32,7 +30,6 @@ use uuid::Uuid;
pub struct ParquetFilePath {
namespace_id: NamespaceId,
table_id: TableId,
- shard_id: ShardId,
partition_id: PartitionId,
object_store_id: Uuid,
}
@@ -42,14 +39,12 @@ impl ParquetFilePath {
pub fn new(
namespace_id: NamespaceId,
table_id: TableId,
- shard_id: ShardId,
partition_id: PartitionId,
object_store_id: Uuid,
) -> Self {
Self {
namespace_id,
table_id,
- shard_id,
partition_id,
object_store_id,
}
@@ -60,26 +55,15 @@ impl ParquetFilePath {
let Self {
namespace_id,
table_id,
- shard_id,
partition_id,
object_store_id,
} = self;
- if shard_id == &TRANSITION_SHARD_ID {
- Path::from_iter([
- namespace_id.to_string().as_str(),
- table_id.to_string().as_str(),
- partition_id.to_string().as_str(),
- &format!("{object_store_id}.parquet"),
- ])
- } else {
- Path::from_iter([
- namespace_id.to_string().as_str(),
- table_id.to_string().as_str(),
- shard_id.to_string().as_str(),
- partition_id.to_string().as_str(),
- &format!("{object_store_id}.parquet"),
- ])
- }
+ Path::from_iter([
+ namespace_id.to_string().as_str(),
+ table_id.to_string().as_str(),
+ partition_id.to_string().as_str(),
+ &format!("{object_store_id}.parquet"),
+ ])
}
/// Get object store ID.
@@ -107,7 +91,6 @@ impl From<&crate::metadata::IoxMetadata> for ParquetFilePath {
Self {
namespace_id: m.namespace_id,
table_id: m.table_id,
- shard_id: m.shard_id,
partition_id: m.partition_id,
object_store_id: m.object_store_id,
}
@@ -119,7 +102,6 @@ impl From<&ParquetFile> for ParquetFilePath {
Self {
namespace_id: f.namespace_id,
table_id: f.table_id,
- shard_id: f.shard_id,
partition_id: f.partition_id,
object_store_id: f.object_store_id,
}
@@ -131,7 +113,6 @@ impl From<&ParquetFileParams> for ParquetFilePath {
Self {
namespace_id: f.namespace_id,
table_id: f.table_id,
- shard_id: f.shard_id,
partition_id: f.partition_id,
object_store_id: f.object_store_id,
}
@@ -147,23 +128,6 @@ mod tests {
let pfp = ParquetFilePath::new(
NamespaceId::new(1),
TableId::new(2),
- ShardId::new(3),
- PartitionId::new(4),
- Uuid::nil(),
- );
- let path = pfp.object_store_path();
- assert_eq!(
- path.to_string(),
- "1/2/3/4/00000000-0000-0000-0000-000000000000.parquet".to_string(),
- );
- }
-
- #[test]
- fn parquet_file_without_shard_id() {
- let pfp = ParquetFilePath::new(
- NamespaceId::new(1),
- TableId::new(2),
- TRANSITION_SHARD_ID,
PartitionId::new(4),
Uuid::nil(),
);
diff --git a/parquet_file/src/metadata.rs b/parquet_file/src/metadata.rs
index e59c31490b..5bf26cec17 100644
--- a/parquet_file/src/metadata.rs
+++ b/parquet_file/src/metadata.rs
@@ -90,8 +90,8 @@ use base64::{prelude::BASE64_STANDARD, Engine};
use bytes::Bytes;
use data_types::{
ColumnId, ColumnSet, ColumnSummary, CompactionLevel, InfluxDbType, NamespaceId,
- ParquetFileParams, PartitionId, PartitionKey, SequenceNumber, ShardId, StatValues, Statistics,
- TableId, Timestamp,
+ ParquetFileParams, PartitionId, PartitionKey, SequenceNumber, StatValues, Statistics, TableId,
+ Timestamp,
};
use generated_types::influxdata::iox::ingester::v1 as proto;
use iox_time::Time;
@@ -262,9 +262,6 @@ pub struct IoxMetadata {
/// namespace name of the data
pub namespace_name: Arc<str>,
- /// shard id of the data
- pub shard_id: ShardId,
-
/// table id of the data
pub table_id: TableId,
@@ -339,7 +336,6 @@ impl IoxMetadata {
creation_timestamp: Some(self.creation_timestamp.date_time().into()),
namespace_id: self.namespace_id.get(),
namespace_name: self.namespace_name.to_string(),
- shard_id: self.shard_id.get(),
table_id: self.table_id.get(),
table_name: self.table_name.to_string(),
partition_id: self.partition_id.get(),
@@ -392,7 +388,6 @@ impl IoxMetadata {
creation_timestamp,
namespace_id: NamespaceId::new(proto_msg.namespace_id),
namespace_name,
- shard_id: ShardId::new(proto_msg.shard_id),
table_id: TableId::new(proto_msg.table_id),
table_name,
partition_id: PartitionId::new(proto_msg.partition_id),
@@ -418,7 +413,6 @@ impl IoxMetadata {
creation_timestamp: Time::from_timestamp_nanos(creation_timestamp_ns),
namespace_id: NamespaceId::new(1),
namespace_name: "external".into(),
- shard_id: ShardId::new(1),
table_id: TableId::new(1),
table_name: table_name.into(),
partition_id: PartitionId::new(1),
@@ -501,7 +495,6 @@ impl IoxMetadata {
};
ParquetFileParams {
- shard_id: self.shard_id,
namespace_id: self.namespace_id,
table_id: self.table_id,
partition_id: self.partition_id,
@@ -1020,7 +1013,6 @@ mod tests {
creation_timestamp: create_time,
namespace_id: NamespaceId::new(2),
namespace_name: Arc::from("hi"),
- shard_id: ShardId::new(1),
table_id: TableId::new(3),
table_name: Arc::from("weather"),
partition_id: PartitionId::new(4),
@@ -1045,7 +1037,6 @@ mod tests {
creation_timestamp: Time::from_timestamp_nanos(42),
namespace_id: NamespaceId::new(1),
namespace_name: "bananas".into(),
- shard_id: ShardId::new(2),
table_id: TableId::new(3),
table_name: "platanos".into(),
partition_id: PartitionId::new(4),
diff --git a/parquet_file/src/serialize.rs b/parquet_file/src/serialize.rs
index e7920d3ef5..dfb8b094a2 100644
--- a/parquet_file/src/serialize.rs
+++ b/parquet_file/src/serialize.rs
@@ -197,7 +197,7 @@ mod tests {
record_batch::RecordBatch,
};
use bytes::Bytes;
- use data_types::{CompactionLevel, NamespaceId, PartitionId, SequenceNumber, ShardId, TableId};
+ use data_types::{CompactionLevel, NamespaceId, PartitionId, SequenceNumber, TableId};
use datafusion::parquet::arrow::arrow_reader::ParquetRecordBatchReaderBuilder;
use datafusion_util::MemoryStream;
use iox_time::Time;
@@ -210,7 +210,6 @@ mod tests {
creation_timestamp: Time::from_timestamp_nanos(42),
namespace_id: NamespaceId::new(1),
namespace_name: "bananas".into(),
- shard_id: ShardId::new(2),
table_id: TableId::new(3),
table_name: "platanos".into(),
partition_id: PartitionId::new(4),
diff --git a/parquet_file/src/storage.rs b/parquet_file/src/storage.rs
index cce3787040..52adf34302 100644
--- a/parquet_file/src/storage.rs
+++ b/parquet_file/src/storage.rs
@@ -323,7 +323,7 @@ mod tests {
array::{ArrayRef, Int64Array, StringArray},
record_batch::RecordBatch,
};
- use data_types::{CompactionLevel, NamespaceId, PartitionId, SequenceNumber, ShardId, TableId};
+ use data_types::{CompactionLevel, NamespaceId, PartitionId, SequenceNumber, TableId};
use datafusion::common::DataFusionError;
use datafusion_util::MemoryStream;
use iox_time::Time;
@@ -575,7 +575,6 @@ mod tests {
creation_timestamp: Time::from_timestamp_nanos(42),
namespace_id: NamespaceId::new(1),
namespace_name: "bananas".into(),
- shard_id: ShardId::new(2),
table_id: TableId::new(3),
table_name: "platanos".into(),
partition_id: PartitionId::new(4),
diff --git a/parquet_file/tests/metadata.rs b/parquet_file/tests/metadata.rs
index 24036e84fd..f8a8d0df9d 100644
--- a/parquet_file/tests/metadata.rs
+++ b/parquet_file/tests/metadata.rs
@@ -5,8 +5,7 @@ use arrow::{
record_batch::RecordBatch,
};
use data_types::{
- ColumnId, CompactionLevel, NamespaceId, PartitionId, SequenceNumber, ShardId, TableId,
- Timestamp,
+ ColumnId, CompactionLevel, NamespaceId, PartitionId, SequenceNumber, TableId, Timestamp,
};
use datafusion_util::MemoryStream;
use iox_time::Time;
@@ -54,7 +53,6 @@ async fn test_decoded_iox_metadata() {
creation_timestamp: Time::from_timestamp_nanos(42),
namespace_id: NamespaceId::new(1),
namespace_name: "bananas".into(),
- shard_id: ShardId::new(2),
table_id: TableId::new(3),
table_name: "platanos".into(),
partition_id: PartitionId::new(4),
@@ -196,7 +194,6 @@ async fn test_empty_parquet_file_panic() {
creation_timestamp: Time::from_timestamp_nanos(42),
namespace_id: NamespaceId::new(1),
namespace_name: "bananas".into(),
- shard_id: ShardId::new(2),
table_id: TableId::new(3),
table_name: "platanos".into(),
partition_id: PartitionId::new(4),
@@ -291,7 +288,6 @@ async fn test_decoded_many_columns_with_null_cols_iox_metadata() {
creation_timestamp: Time::from_timestamp_nanos(42),
namespace_id: NamespaceId::new(1),
namespace_name: "bananas".into(),
- shard_id: ShardId::new(2),
table_id: TableId::new(3),
table_name: "platanos".into(),
partition_id: PartitionId::new(4),
@@ -380,7 +376,6 @@ async fn test_derive_parquet_file_params() {
creation_timestamp: Time::from_timestamp_nanos(1234),
namespace_id: NamespaceId::new(1),
namespace_name: "bananas".into(),
- shard_id: ShardId::new(2),
table_id: TableId::new(3),
table_name: "platanos".into(),
partition_id,
@@ -425,7 +420,6 @@ async fn test_derive_parquet_file_params() {
//
// NOTE: thrift-encoded metadata not checked
// TODO: check thrift-encoded metadata which may be the issue of bug 4695
- assert_eq!(catalog_data.shard_id, meta.shard_id);
assert_eq!(catalog_data.namespace_id, meta.namespace_id);
assert_eq!(catalog_data.table_id, meta.table_id);
assert_eq!(catalog_data.partition_id, meta.partition_id);
diff --git a/querier/src/cache/parquet_file.rs b/querier/src/cache/parquet_file.rs
index d9c61f0426..f231093ad0 100644
--- a/querier/src/cache/parquet_file.rs
+++ b/querier/src/cache/parquet_file.rs
@@ -347,8 +347,8 @@ mod tests {
partition.create_parquet_file(builder).await;
let table_id = table.table.id;
- let single_file_size = 232;
- let two_file_size = 424;
+ let single_file_size = 224;
+ let two_file_size = 408;
assert!(single_file_size < two_file_size);
let cache = make_cache(&catalog);
@@ -444,9 +444,8 @@ mod tests {
let table = ns.create_table(table_name).await;
table.create_column("foo", ColumnType::F64).await;
table.create_column("time", ColumnType::Time).await;
- let shard1 = ns.create_shard(1).await;
- let partition = table.with_shard(&shard1).create_partition("k").await;
+ let partition = table.create_partition("k").await;
(table, partition)
}
diff --git a/querier/src/cache/partition.rs b/querier/src/cache/partition.rs
index 1a7b1ece77..a3de22d0ff 100644
--- a/querier/src/cache/partition.rs
+++ b/querier/src/cache/partition.rs
@@ -11,7 +11,7 @@ use cache_system::{
loader::{metrics::MetricsLoader, FunctionLoader},
resource_consumption::FunctionEstimator,
};
-use data_types::{ColumnId, PartitionId, ShardId};
+use data_types::{ColumnId, PartitionId};
use iox_catalog::interface::Catalog;
use iox_time::TimeProvider;
use schema::sort::SortKey;
@@ -74,10 +74,7 @@ impl PartitionCache {
Arc::new(PartitionSortKey::new(sort_key, &extra.column_id_map_rev))
});
- Some(CachedPartition {
- shard_id: partition.shard_id,
- sort_key,
- })
+ Some(CachedPartition { sort_key })
}
});
let loader = Arc::new(MetricsLoader::new(
@@ -118,19 +115,6 @@ impl PartitionCache {
}
}
- /// Get shard ID.
- pub async fn shard_id(
- &self,
- cached_table: Arc<CachedTable>,
- partition_id: PartitionId,
- span: Option<Span>,
- ) -> Option<ShardId> {
- self.cache
- .get(partition_id, (cached_table, span))
- .await
- .map(|p| p.shard_id)
- }
-
/// Get sort key
///
/// Expire partition if the cached sort key does NOT cover the given set of columns.
@@ -164,7 +148,6 @@ impl PartitionCache {
#[derive(Debug, Clone)]
struct CachedPartition {
- shard_id: ShardId,
sort_key: Option<Arc<PartitionSortKey>>,
}
@@ -227,74 +210,6 @@ mod tests {
use iox_tests::TestCatalog;
use schema::{Schema, SchemaBuilder};
- #[tokio::test]
- async fn test_shard_id() {
- let catalog = TestCatalog::new();
-
- let ns = catalog.create_namespace_1hr_retention("ns").await;
- let t = ns.create_table("table").await;
- let s1 = ns.create_shard(1).await;
- let s2 = ns.create_shard(2).await;
- let p1 = t
- .with_shard(&s1)
- .create_partition("k1")
- .await
- .partition
- .clone();
- let p2 = t
- .with_shard(&s2)
- .create_partition("k2")
- .await
- .partition
- .clone();
- let cached_table = Arc::new(CachedTable {
- id: t.table.id,
- schema: schema(),
- column_id_map: HashMap::default(),
- column_id_map_rev: HashMap::default(),
- primary_key_column_ids: vec![],
- });
-
- let cache = PartitionCache::new(
- catalog.catalog(),
- BackoffConfig::default(),
- catalog.time_provider(),
- &catalog.metric_registry(),
- test_ram_pool(),
- true,
- );
-
- let id1 = cache
- .shard_id(Arc::clone(&cached_table), p1.id, None)
- .await
- .unwrap();
- assert_eq!(id1, s1.shard.id);
- assert_histogram_metric_count(&catalog.metric_registry, "partition_get_by_id", 1);
-
- let id2 = cache
- .shard_id(Arc::clone(&cached_table), p2.id, None)
- .await
- .unwrap();
- assert_eq!(id2, s2.shard.id);
- assert_histogram_metric_count(&catalog.metric_registry, "partition_get_by_id", 2);
-
- let id1 = cache
- .shard_id(Arc::clone(&cached_table), p1.id, None)
- .await
- .unwrap();
- assert_eq!(id1, s1.shard.id);
- assert_histogram_metric_count(&catalog.metric_registry, "partition_get_by_id", 2);
-
- // non-existing partition
- for _ in 0..2 {
- let res = cache
- .shard_id(Arc::clone(&cached_table), PartitionId::new(i64::MAX), None)
- .await;
- assert_eq!(res, None);
- assert_histogram_metric_count(&catalog.metric_registry, "partition_get_by_id", 3);
- }
- }
-
#[tokio::test]
async fn test_sort_key() {
let catalog = TestCatalog::new();
@@ -303,16 +218,12 @@ mod tests {
let t = ns.create_table("table").await;
let c1 = t.create_column("tag", ColumnType::Tag).await;
let c2 = t.create_column("time", ColumnType::Time).await;
- let s1 = ns.create_shard(1).await;
- let s2 = ns.create_shard(2).await;
let p1 = t
- .with_shard(&s1)
.create_partition_with_sort_key("k1", &["tag", "time"])
.await
.partition
.clone();
let p2 = t
- .with_shard(&s2)
.create_partition("k2") // no sort key
.await
.partition
@@ -391,26 +302,13 @@ mod tests {
let t = ns.create_table("table").await;
let c1 = t.create_column("tag", ColumnType::Tag).await;
let c2 = t.create_column("time", ColumnType::Time).await;
- let s1 = ns.create_shard(1).await;
- let s2 = ns.create_shard(2).await;
let p1 = t
- .with_shard(&s1)
.create_partition_with_sort_key("k1", &["tag", "time"])
.await
.partition
.clone();
- let p2 = t
- .with_shard(&s2)
- .create_partition("k2")
- .await
- .partition
- .clone();
- let p3 = t
- .with_shard(&s2)
- .create_partition("k3")
- .await
- .partition
- .clone();
+ let p2 = t.create_partition("k2").await.partition.clone();
+ let p3 = t.create_partition("k3").await.partition.clone();
let cached_table = Arc::new(CachedTable {
id: t.table.id,
schema: schema(),
@@ -434,22 +332,19 @@ mod tests {
true,
);
- cache.shard_id(Arc::clone(&cached_table), p2.id, None).await;
cache
.sort_key(Arc::clone(&cached_table), p3.id, &Vec::new(), None)
.await;
- assert_histogram_metric_count(&catalog.metric_registry, "partition_get_by_id", 2);
+ assert_histogram_metric_count(&catalog.metric_registry, "partition_get_by_id", 1);
- cache.shard_id(Arc::clone(&cached_table), p1.id, None).await;
cache
.sort_key(Arc::clone(&cached_table), p2.id, &Vec::new(), None)
.await;
- assert_histogram_metric_count(&catalog.metric_registry, "partition_get_by_id", 3);
+ assert_histogram_metric_count(&catalog.metric_registry, "partition_get_by_id", 2);
cache
.sort_key(Arc::clone(&cached_table), p1.id, &Vec::new(), None)
.await;
- cache.shard_id(Arc::clone(&cached_table), p2.id, None).await;
assert_histogram_metric_count(&catalog.metric_registry, "partition_get_by_id", 3);
}
@@ -461,8 +356,7 @@ mod tests {
let t = ns.create_table("table").await;
let c1 = t.create_column("foo", ColumnType::Tag).await;
let c2 = t.create_column("time", ColumnType::Time).await;
- let s = ns.create_shard(1).await;
- let p = t.with_shard(&s).create_partition("k1").await;
+ let p = t.create_partition("k1").await;
let p_id = p.partition.id;
let p_sort_key = p.partition.sort_key();
let cached_table = Arc::new(CachedTable {
diff --git a/querier/src/database.rs b/querier/src/database.rs
index 3e3b423902..9b27ee0aef 100644
--- a/querier/src/database.rs
+++ b/querier/src/database.rs
@@ -234,8 +234,6 @@ mod tests {
#[tokio::test]
async fn test_namespace() {
let catalog = TestCatalog::new();
- // QuerierDatabase::new returns an error if there are no shards in the catalog
- catalog.create_shard(0).await;
let catalog_cache = Arc::new(CatalogCache::new_testing(
catalog.catalog(),
@@ -264,8 +262,6 @@ mod tests {
#[tokio::test]
async fn test_namespaces() {
let catalog = TestCatalog::new();
- // QuerierDatabase::new returns an error if there are no shards in the catalog
- catalog.create_shard(0).await;
let catalog_cache = Arc::new(CatalogCache::new_testing(
catalog.catalog(),
diff --git a/querier/src/handler.rs b/querier/src/handler.rs
index ff18e8d559..94e57a4c4a 100644
--- a/querier/src/handler.rs
+++ b/querier/src/handler.rs
@@ -160,7 +160,6 @@ impl Drop for QuerierHandlerImpl {
mod tests {
use super::*;
use crate::{cache::CatalogCache, create_ingester_connection_for_testing};
- use data_types::ShardIndex;
use iox_catalog::mem::MemCatalog;
use iox_query::exec::Executor;
use iox_time::{MockProvider, Time};
@@ -204,18 +203,6 @@ mod tests {
Arc::clone(&object_store),
&Handle::current(),
));
- // QuerierDatabase::new returns an error if there are no shards in the catalog
- {
- let mut repos = catalog.repositories().await;
-
- let topic = repos.topics().create_or_get("topic").await.unwrap();
- let shard_index = ShardIndex::new(0);
- repos
- .shards()
- .create_or_get(&topic, shard_index)
- .await
- .unwrap();
- }
let database = Arc::new(
QuerierDatabase::new(
diff --git a/querier/src/ingester/mod.rs b/querier/src/ingester/mod.rs
index 4b1a76d4e3..50dd83e30d 100644
--- a/querier/src/ingester/mod.rs
+++ b/querier/src/ingester/mod.rs
@@ -13,8 +13,8 @@ use async_trait::async_trait;
use backoff::{Backoff, BackoffConfig, BackoffError};
use client_util::connection;
use data_types::{
- ChunkId, ChunkOrder, DeletePredicate, NamespaceId, PartitionId, SequenceNumber, ShardId,
- ShardIndex, TableSummary, TimestampMinMax,
+ ChunkId, ChunkOrder, DeletePredicate, NamespaceId, PartitionId, SequenceNumber, TableSummary,
+ TimestampMinMax,
};
use datafusion::error::DataFusionError;
use futures::{stream::FuturesUnordered, TryStreamExt};
@@ -127,16 +127,6 @@ pub enum Error {
ingester_address: String,
},
- #[snafu(display(
- "No ingester found in shard to ingester mapping for shard index {shard_index}"
- ))]
- NoIngesterFoundForShard { shard_index: ShardIndex },
-
- #[snafu(display(
- "Shard index {shard_index} was neither mapped to an ingester nor marked ignore"
- ))]
- ShardNotMapped { shard_index: ShardIndex },
-
#[snafu(display("Could not parse `{ingester_uuid}` as a UUID: {source}"))]
IngesterUuid {
ingester_uuid: String,
@@ -498,46 +488,13 @@ async fn execute(
decoder.finalize().await
}
-/// Current partition used while decoding the ingester response stream.
-#[derive(Debug)]
-enum CurrentPartition {
- /// There exists a partition.
- Some(IngesterPartition),
-
- /// There is no existing partition.
- None,
-
- /// Skip the current partition (e.g. because it is gone from the catalog).
- Skip,
-}
-
-impl CurrentPartition {
- fn take(&mut self) -> Option<IngesterPartition> {
- let mut tmp = Self::None;
- std::mem::swap(&mut tmp, self);
-
- match tmp {
- Self::None | Self::Skip => None,
- Self::Some(p) => Some(p),
- }
- }
-
- fn is_skip(&self) -> bool {
- matches!(self, Self::Skip)
- }
-
- fn is_some(&self) -> bool {
- matches!(self, Self::Some(_))
- }
-}
-
/// Helper to disassemble the data from the ingester Apache Flight arrow stream.
///
/// This should be used AFTER the stream was drained because we will perform some catalog IO and
/// this should likely not block the ingester.
struct IngesterStreamDecoder {
finished_partitions: HashMap<PartitionId, IngesterPartition>,
- current_partition: CurrentPartition,
+ current_partition: Option<IngesterPartition>,
current_chunk: Option<(Schema, Vec<RecordBatch>)>,
ingester_address: Arc<str>,
catalog_cache: Arc<CatalogCache>,
@@ -555,7 +512,7 @@ impl IngesterStreamDecoder {
) -> Self {
Self {
finished_partitions: HashMap::new(),
- current_partition: CurrentPartition::None,
+ current_partition: None,
current_chunk: None,
ingester_address,
catalog_cache,
@@ -571,11 +528,8 @@ impl IngesterStreamDecoder {
.current_partition
.take()
.expect("Partition should have been checked before chunk creation");
- self.current_partition = CurrentPartition::Some(current_partition.try_add_chunk(
- ChunkId::new(),
- schema,
- batches,
- )?);
+ self.current_partition =
+ Some(current_partition.try_add_chunk(ChunkId::new(), schema, batches)?);
}
Ok(())
@@ -648,21 +602,6 @@ impl IngesterStreamDecoder {
ingester_address: self.ingester_address.as_ref()
},
);
- let shard_id = self
- .catalog_cache
- .partition()
- .shard_id(
- Arc::clone(&self.cached_table),
- partition_id,
- self.span_recorder
- .child_span("cache GET partition shard ID"),
- )
- .await;
-
- let Some(shard_id) = shard_id else {
- self.current_partition = CurrentPartition::Skip;
- return Ok(())
- };
// Use a temporary empty partition sort key. We are going to fetch this AFTER we
// know all chunks because then we are able to detect all relevant primary key
@@ -683,18 +622,13 @@ impl IngesterStreamDecoder {
let partition = IngesterPartition::new(
ingester_uuid,
partition_id,
- shard_id,
md.completed_persistence_count,
status.parquet_max_sequence_number.map(SequenceNumber::new),
partition_sort_key,
);
- self.current_partition = CurrentPartition::Some(partition);
+ self.current_partition = Some(partition);
}
DecodedPayload::Schema(schema) => {
- if self.current_partition.is_skip() {
- return Ok(());
- }
-
self.flush_chunk()?;
ensure!(
self.current_partition.is_some(),
@@ -716,10 +650,6 @@ impl IngesterStreamDecoder {
self.current_chunk = Some((schema, vec![]));
}
DecodedPayload::RecordBatch(batch) => {
- if self.current_partition.is_skip() {
- return Ok(());
- }
-
let current_chunk =
self.current_chunk
.as_mut()
@@ -771,7 +701,7 @@ fn encode_predicate_as_base64(predicate: &Predicate) -> String {
#[async_trait]
impl IngesterConnection for IngesterConnectionImpl {
- /// Retrieve chunks from the ingester for the particular table, shard, and predicate
+ /// Retrieve chunks from the ingester for the particular table and predicate
async fn partitions(
&self,
namespace_id: NamespaceId,
@@ -871,12 +801,11 @@ impl IngesterConnection for IngesterConnectionImpl {
/// Given the catalog hierarchy:
///
/// ```text
-/// (Catalog) Shard -> (Catalog) Table --> (Catalog) Partition
+/// (Catalog) Table --> (Catalog) Partition
/// ```
///
-/// An IngesterPartition contains the unpersisted data for a catalog
-/// partition from a shard. Thus, there can be more than one
-/// IngesterPartition for each table the ingester knows about.
+/// An IngesterPartition contains the unpersisted data for a catalog partition. Thus, there can be
+/// more than one IngesterPartition for each table the ingester knows about.
#[derive(Debug, Clone)]
pub struct IngesterPartition {
/// If using ingester2/rpc write path, the ingester UUID will be present and will identify
@@ -887,7 +816,6 @@ pub struct IngesterPartition {
ingester_uuid: Option<Uuid>,
partition_id: PartitionId,
- shard_id: ShardId,
/// If using ingester2/rpc write path, this will be the number of Parquet files this ingester
/// UUID has persisted for this partition.
@@ -910,7 +838,6 @@ impl IngesterPartition {
pub fn new(
ingester_uuid: Option<Uuid>,
partition_id: PartitionId,
- shard_id: ShardId,
completed_persistence_count: u64,
parquet_max_sequence_number: Option<SequenceNumber>,
partition_sort_key: Option<Arc<SortKey>>,
@@ -918,7 +845,6 @@ impl IngesterPartition {
Self {
ingester_uuid,
partition_id,
- shard_id,
completed_persistence_count,
parquet_max_sequence_number,
partition_sort_key,
@@ -996,10 +922,6 @@ impl IngesterPartition {
self.partition_id
}
- pub(crate) fn shard_id(&self) -> ShardId {
- self.shard_id
- }
-
pub(crate) fn completed_persistence_count(&self) -> u64 {
self.completed_persistence_count
}
@@ -1322,64 +1244,6 @@ mod tests {
assert!(partitions.is_empty());
}
- #[tokio::test]
- async fn test_flight_unknown_partitions() {
- let ingester_uuid = Uuid::new_v4();
- let record_batch = lp_to_record_batch("table foo=1 1");
-
- let schema = record_batch.schema();
-
- let mock_flight_client = Arc::new(
- MockFlightClient::new([(
- "addr1",
- Ok(MockQueryData {
- results: vec![
- metadata(
- 1000,
- Some(PartitionStatus {
- parquet_max_sequence_number: Some(11),
- }),
- ingester_uuid.to_string(),
- 3,
- ),
- metadata(
- 1001,
- Some(PartitionStatus {
- parquet_max_sequence_number: Some(11),
- }),
- ingester_uuid.to_string(),
- 4,
- ),
- Ok((
- DecodedPayload::Schema(Arc::clone(&schema)),
- IngesterQueryResponseMetadata::default(),
- )),
- metadata(
- 1002,
- Some(PartitionStatus {
- parquet_max_sequence_number: Some(11),
- }),
- ingester_uuid.to_string(),
- 5,
- ),
- Ok((
- DecodedPayload::Schema(Arc::clone(&schema)),
- IngesterQueryResponseMetadata::default(),
- )),
- Ok((
- DecodedPayload::RecordBatch(record_batch),
- IngesterQueryResponseMetadata::default(),
- )),
- ],
- }),
- )])
- .await,
- );
- let ingester_conn = mock_flight_client.ingester_conn().await;
- let partitions = get_partitions(&ingester_conn).await.unwrap();
- assert!(partitions.is_empty());
- }
-
#[tokio::test]
async fn test_flight_no_batches() {
let ingester_uuid = Uuid::new_v4();
@@ -1515,7 +1379,7 @@ mod tests {
}
#[tokio::test]
- async fn test_flight_many_batches_no_shard() {
+ async fn test_flight_many_batches() {
let ingester_uuid1 = Uuid::new_v4();
let ingester_uuid2 = Uuid::new_v4();
@@ -1958,12 +1822,9 @@ mod tests {
let ns = catalog.create_namespace_1hr_retention("namespace").await;
let table = ns.create_table("table").await;
- let s0 = ns.create_shard(0).await;
- let s1 = ns.create_shard(1).await;
-
- table.with_shard(&s0).create_partition("k1").await;
- table.with_shard(&s0).create_partition("k2").await;
- table.with_shard(&s1).create_partition("k3").await;
+ table.create_partition("k1").await;
+ table.create_partition("k2").await;
+ table.create_partition("k3").await;
Self {
catalog,
@@ -2038,7 +1899,6 @@ mod tests {
let ingester_partition = IngesterPartition::new(
Some(ingester_uuid),
PartitionId::new(1),
- ShardId::new(1),
0,
parquet_max_sequence_number,
None,
@@ -2068,7 +1928,6 @@ mod tests {
let err = IngesterPartition::new(
Some(ingester_uuid),
PartitionId::new(1),
- ShardId::new(1),
0,
parquet_max_sequence_number,
None,
diff --git a/querier/src/namespace/query_access.rs b/querier/src/namespace/query_access.rs
index e09777918c..4ce9353935 100644
--- a/querier/src/namespace/query_access.rs
+++ b/querier/src/namespace/query_access.rs
@@ -224,9 +224,6 @@ mod tests {
// namespace with infinite retention policy
let ns = catalog.create_namespace_with_retention("ns", None).await;
- let shard1 = ns.create_shard(1).await;
- let shard2 = ns.create_shard(2).await;
-
let table_cpu = ns.create_table("cpu").await;
let table_mem = ns.create_table("mem").await;
@@ -238,11 +235,11 @@ mod tests {
table_mem.create_column("time", ColumnType::Time).await;
table_mem.create_column("perc", ColumnType::F64).await;
- let partition_cpu_a_1 = table_cpu.with_shard(&shard1).create_partition("a").await;
- let partition_cpu_a_2 = table_cpu.with_shard(&shard2).create_partition("a").await;
- let partition_cpu_b_1 = table_cpu.with_shard(&shard1).create_partition("b").await;
- let partition_mem_c_1 = table_mem.with_shard(&shard1).create_partition("c").await;
- let partition_mem_c_2 = table_mem.with_shard(&shard2).create_partition("c").await;
+ let partition_cpu_a_1 = table_cpu.create_partition("a").await;
+ let partition_cpu_a_2 = table_cpu.create_partition("a").await;
+ let partition_cpu_b_1 = table_cpu.create_partition("b").await;
+ let partition_mem_c_1 = table_mem.create_partition("c").await;
+ let partition_mem_c_2 = table_mem.create_partition("c").await;
let builder = TestParquetFileBuilder::default()
.with_max_l0_created_at(Time::from_timestamp_nanos(1))
@@ -322,8 +319,6 @@ mod tests {
.flag_for_delete()
.await;
- table_mem.with_shard(&shard1);
-
let querier_namespace = Arc::new(querier_namespace(&ns).await);
let traces = Arc::new(RingBufferTraceCollector::new(100));
diff --git a/querier/src/parquet/mod.rs b/querier/src/parquet/mod.rs
index a72fc22811..37b89eacde 100644
--- a/querier/src/parquet/mod.rs
+++ b/querier/src/parquet/mod.rs
@@ -233,7 +233,6 @@ pub mod tests {
]
.join("\n");
let ns = catalog.create_namespace_1hr_retention("ns").await;
- let shard = ns.create_shard(1).await;
let table = ns.create_table("table").await;
table.create_column("tag1", ColumnType::Tag).await;
table.create_column("tag2", ColumnType::Tag).await;
@@ -243,7 +242,6 @@ pub mod tests {
table.create_column("field_float", ColumnType::F64).await;
table.create_column("time", ColumnType::Time).await;
let partition = table
- .with_shard(&shard)
.create_partition("part")
.await
.update_sort_key(SortKey::from_columns(["tag1", "tag2", "tag4", "time"]))
diff --git a/querier/src/table/mod.rs b/querier/src/table/mod.rs
index 03f1bc5f2c..9b57c3fb50 100644
--- a/querier/src/table/mod.rs
+++ b/querier/src/table/mod.rs
@@ -491,14 +491,13 @@ mod tests {
let outside_retention =
inside_retention - Duration::from_secs(2 * 60 * 60).as_nanos() as i64; // 2 hours ago
- let shard = ns.create_shard(1).await;
let table = ns.create_table("cpu").await;
table.create_column("host", ColumnType::Tag).await;
table.create_column("time", ColumnType::Time).await;
table.create_column("load", ColumnType::F64).await;
- let partition = table.with_shard(&shard).create_partition("a").await;
+ let partition = table.create_partition("a").await;
let querier_table = TestQuerierTable::new(&catalog, &table).await;
@@ -577,12 +576,9 @@ mod tests {
let table1 = ns.create_table("table1").await;
let table2 = ns.create_table("table2").await;
- let shard1 = ns.create_shard(1).await;
- let shard2 = ns.create_shard(2).await;
-
- let partition11 = table1.with_shard(&shard1).create_partition("k").await;
- let partition12 = table1.with_shard(&shard2).create_partition("k").await;
- let partition21 = table2.with_shard(&shard1).create_partition("k").await;
+ let partition11 = table1.create_partition("k").await;
+ let partition12 = table1.create_partition("k").await;
+ let partition21 = table2.create_partition("k").await;
table1.create_column("time", ColumnType::Time).await;
table1.create_column("foo", ColumnType::F64).await;
@@ -704,12 +700,11 @@ mod tests {
let catalog = TestCatalog::new();
let ns = catalog.create_namespace_1hr_retention("ns").await;
let table = ns.create_table("table").await;
- let shard = ns.create_shard(1).await;
- let partition = table.with_shard(&shard).create_partition("k").await;
+ let partition = table.create_partition("k").await;
let schema = make_schema_two_fields_two_tags(&table).await;
// let add a partion from the ingester
- let builder = IngesterPartitionBuilder::new(schema, &shard, &partition)
+ let builder = IngesterPartitionBuilder::new(schema, &partition)
.with_lp(["table,tag1=val1,tag2=val2 foo=3,bar=4 11"]);
let ingester_partition =
@@ -773,12 +768,10 @@ mod tests {
let catalog = TestCatalog::new();
let ns = catalog.create_namespace_1hr_retention("ns").await;
let table = ns.create_table("table1").await;
- let shard = ns.create_shard(1).await;
- let partition = table.with_shard(&shard).create_partition("k").await;
+ let partition = table.create_partition("k").await;
let schema = make_schema(&table).await;
- let builder =
- IngesterPartitionBuilder::new(schema, &shard, &partition).with_lp(["table foo=1 1"]);
+ let builder = IngesterPartitionBuilder::new(schema, &partition).with_lp(["table foo=1 1"]);
// Parquet file between with max sequence number 2
let pf_builder = TestParquetFileBuilder::default()
diff --git a/querier/src/table/state_reconciler.rs b/querier/src/table/state_reconciler.rs
index fe1f839d0f..3b22495cc7 100644
--- a/querier/src/table/state_reconciler.rs
+++ b/querier/src/table/state_reconciler.rs
@@ -220,12 +220,11 @@ mod tests {
interface::{IngesterPartitionInfo, ParquetFileInfo},
*,
};
- use data_types::{CompactionLevel, SequenceNumber, ShardId};
+ use data_types::{CompactionLevel, SequenceNumber};
#[derive(Debug)]
struct MockIngesterPartitionInfo {
partition_id: PartitionId,
- shard_id: ShardId,
parquet_max_sequence_number: Option<SequenceNumber>,
}
@@ -234,10 +233,6 @@ mod tests {
self.partition_id
}
- fn shard_id(&self) -> ShardId {
- self.shard_id
- }
-
fn parquet_max_sequence_number(&self) -> Option<SequenceNumber> {
self.parquet_max_sequence_number
}
diff --git a/querier/src/table/state_reconciler/interface.rs b/querier/src/table/state_reconciler/interface.rs
index 1fd4eaa6ca..ba7bd95afe 100644
--- a/querier/src/table/state_reconciler/interface.rs
+++ b/querier/src/table/state_reconciler/interface.rs
@@ -1,7 +1,7 @@
//! Interface for reconciling Ingester and catalog state
use crate::{ingester::IngesterPartition, parquet::QuerierParquetChunk};
-use data_types::{CompactionLevel, ParquetFile, PartitionId, SequenceNumber, ShardId};
+use data_types::{CompactionLevel, ParquetFile, PartitionId, SequenceNumber};
use std::{ops::Deref, sync::Arc};
/// Information about an ingester partition.
@@ -9,7 +9,6 @@ use std::{ops::Deref, sync::Arc};
/// This is mostly the same as [`IngesterPartition`] but allows easier mocking.
pub trait IngesterPartitionInfo {
fn partition_id(&self) -> PartitionId;
- fn shard_id(&self) -> ShardId;
fn parquet_max_sequence_number(&self) -> Option<SequenceNumber>;
}
@@ -18,10 +17,6 @@ impl IngesterPartitionInfo for IngesterPartition {
self.deref().partition_id()
}
- fn shard_id(&self) -> ShardId {
- self.deref().shard_id()
- }
-
fn parquet_max_sequence_number(&self) -> Option<SequenceNumber> {
self.deref().parquet_max_sequence_number()
}
@@ -35,10 +30,6 @@ where
self.deref().partition_id()
}
- fn shard_id(&self) -> ShardId {
- self.deref().shard_id()
- }
-
fn parquet_max_sequence_number(&self) -> Option<SequenceNumber> {
self.deref().parquet_max_sequence_number()
}
diff --git a/querier/src/table/test_util.rs b/querier/src/table/test_util.rs
index b69e114b92..ecf7f40873 100644
--- a/querier/src/table/test_util.rs
+++ b/querier/src/table/test_util.rs
@@ -6,7 +6,7 @@ use crate::{
use arrow::record_batch::RecordBatch;
use data_types::{ChunkId, SequenceNumber};
use iox_catalog::interface::{get_schema_by_name, SoftDeletedRows};
-use iox_tests::{TestCatalog, TestPartition, TestShard, TestTable};
+use iox_tests::{TestCatalog, TestPartition, TestTable};
use mutable_batch_lp::test_helpers::lp_to_mutable_batch;
use schema::{sort::SortKey, Projection, Schema};
use std::{sync::Arc, time::Duration};
@@ -64,7 +64,6 @@ pub(crate) fn lp_to_record_batch(lp: &str) -> RecordBatch {
#[derive(Debug, Clone)]
pub(crate) struct IngesterPartitionBuilder {
schema: Schema,
- shard: Arc<TestShard>,
partition: Arc<TestPartition>,
ingester_chunk_id: u128,
@@ -75,14 +74,9 @@ pub(crate) struct IngesterPartitionBuilder {
}
impl IngesterPartitionBuilder {
- pub(crate) fn new(
- schema: Schema,
- shard: &Arc<TestShard>,
- partition: &Arc<TestPartition>,
- ) -> Self {
+ pub(crate) fn new(schema: Schema, partition: &Arc<TestPartition>) -> Self {
Self {
schema,
- shard: Arc::clone(shard),
partition: Arc::clone(partition),
partition_sort_key: None,
ingester_chunk_id: 1,
@@ -115,7 +109,6 @@ impl IngesterPartitionBuilder {
IngesterPartition::new(
Some(Uuid::new_v4()),
self.partition.partition.id,
- self.shard.shard.id,
0,
parquet_max_sequence_number,
self.partition_sort_key.clone(),
diff --git a/service_grpc_catalog/src/lib.rs b/service_grpc_catalog/src/lib.rs
index 350fad4d30..e19cba4762 100644
--- a/service_grpc_catalog/src/lib.rs
+++ b/service_grpc_catalog/src/lib.rs
@@ -200,7 +200,6 @@ mod tests {
use super::*;
use data_types::{
ColumnId, ColumnSet, CompactionLevel, ParquetFileParams, SequenceNumber, Timestamp,
- TRANSITION_SHARD_INDEX,
};
use generated_types::influxdata::iox::catalog::v1::catalog_service_server::CatalogService;
use iox_catalog::mem::MemCatalog;
@@ -222,11 +221,6 @@ mod tests {
.create_or_get("iox-shared")
.await
.unwrap();
- let shard = repos
- .shards()
- .create_or_get(&topic, TRANSITION_SHARD_INDEX)
- .await
- .unwrap();
let namespace = repos
.namespaces()
.create("catalog_partition_test", None, topic.id, pool.id)
@@ -239,11 +233,10 @@ mod tests {
.unwrap();
let partition = repos
.partitions()
- .create_or_get("foo".into(), shard.id, table.id)
+ .create_or_get("foo".into(), table.id)
.await
.unwrap();
let p1params = ParquetFileParams {
- shard_id: shard.id,
namespace_id: namespace.id,
table_id: table.id,
partition_id: partition.id,
@@ -299,11 +292,6 @@ mod tests {
.create_or_get("iox-shared")
.await
.unwrap();
- let shard = repos
- .shards()
- .create_or_get(&topic, TRANSITION_SHARD_INDEX)
- .await
- .unwrap();
let namespace = repos
.namespaces()
.create("catalog_partition_test", None, topic.id, pool.id)
@@ -316,12 +304,12 @@ mod tests {
.unwrap();
partition1 = repos
.partitions()
- .create_or_get("foo".into(), shard.id, table.id)
+ .create_or_get("foo".into(), table.id)
.await
.unwrap();
partition2 = repos
.partitions()
- .create_or_get("bar".into(), shard.id, table.id)
+ .create_or_get("bar".into(), table.id)
.await
.unwrap();
diff --git a/service_grpc_object_store/src/lib.rs b/service_grpc_object_store/src/lib.rs
index 89e1a69e34..1abd7f825a 100644
--- a/service_grpc_object_store/src/lib.rs
+++ b/service_grpc_object_store/src/lib.rs
@@ -70,7 +70,6 @@ impl object_store_service_server::ObjectStoreService for ObjectStoreService {
let path = ParquetFilePath::new(
parquet_file.namespace_id,
parquet_file.table_id,
- parquet_file.shard_id,
parquet_file.partition_id,
parquet_file.object_store_id,
);
@@ -98,8 +97,7 @@ mod tests {
use super::*;
use bytes::Bytes;
use data_types::{
- ColumnId, ColumnSet, CompactionLevel, ParquetFileParams, SequenceNumber, ShardIndex,
- Timestamp,
+ ColumnId, ColumnSet, CompactionLevel, ParquetFileParams, SequenceNumber, Timestamp,
};
use generated_types::influxdata::iox::object_store::v1::object_store_service_server::ObjectStoreService;
use iox_catalog::mem::MemCatalog;
@@ -120,11 +118,6 @@ mod tests {
.create_or_get("iox-shared")
.await
.unwrap();
- let shard = repos
- .shards()
- .create_or_get(&topic, ShardIndex::new(1))
- .await
- .unwrap();
let namespace = repos
.namespaces()
.create("catalog_partition_test", None, topic.id, pool.id)
@@ -137,11 +130,10 @@ mod tests {
.unwrap();
let partition = repos
.partitions()
- .create_or_get("foo".into(), shard.id, table.id)
+ .create_or_get("foo".into(), table.id)
.await
.unwrap();
let p1params = ParquetFileParams {
- shard_id: shard.id,
namespace_id: namespace.id,
table_id: table.id,
partition_id: partition.id,
@@ -166,7 +158,6 @@ mod tests {
let path = ParquetFilePath::new(
p1.namespace_id,
p1.table_id,
- p1.shard_id,
p1.partition_id,
p1.object_store_id,
);
|
befc6d668bff75b358ef194a1911bb7c6bae859e
|
Marco Neumann
|
2022-11-28 16:51:41
|
avoid user error for unsupported querier<>ingester preds (#6238)
|
Fixes #6195.
|
Co-authored-by: kodiakhq[bot] <49736102+kodiakhq[bot]@users.noreply.github.com>
|
fix: avoid user error for unsupported querier<>ingester preds (#6238)
Fixes #6195.
Co-authored-by: kodiakhq[bot] <49736102+kodiakhq[bot]@users.noreply.github.com>
|
diff --git a/querier/src/ingester/flight_client.rs b/querier/src/ingester/flight_client.rs
index c621802a7f..6d48d1deff 100644
--- a/querier/src/ingester/flight_client.rs
+++ b/querier/src/ingester/flight_client.rs
@@ -120,15 +120,42 @@ fn serialize_ingester_query_request(
) -> Result<proto::IngesterQueryRequest, Error> {
match request.clone().try_into() {
Ok(proto) => Ok(proto),
- Err(e) if (e.field == "exprs") && (e.description.contains("recursion limit reached")) => {
- warn!(
- predicate=?request.predicate,
- "Cannot serialize predicate due to recursion limit, stripping it",
- );
- request.predicate = None;
- request.try_into().context(CreatingRequestSnafu)
+ Err(e) => {
+ match SerializeFailureReason::extract_from_description(&e.field, &e.description) {
+ Some(reason) => {
+ warn!(
+ predicate=?request.predicate,
+ reason=?reason,
+ "Cannot serialize predicate, stripping it",
+ );
+ request.predicate = None;
+ request.try_into().context(CreatingRequestSnafu)
+ }
+ None => Err(Error::CreatingRequest { source: e }),
+ }
+ }
+ }
+}
+
+#[derive(Debug)]
+enum SerializeFailureReason {
+ RecursionLimit,
+ NotSupported,
+}
+
+impl SerializeFailureReason {
+ fn extract_from_description(field: &str, description: &str) -> Option<Self> {
+ if field != "exprs" {
+ return None;
+ }
+
+ if description.contains("recursion limit reached") {
+ Some(Self::RecursionLimit)
+ } else if description.contains("not supported") {
+ Some(Self::NotSupported)
+ } else {
+ None
}
- Err(e) => Err(Error::CreatingRequest { source: e }),
}
}
@@ -217,7 +244,10 @@ impl CachedConnection {
#[cfg(test)]
mod tests {
use data_types::{NamespaceId, TableId};
- use datafusion::prelude::{col, lit, when, Expr};
+ use datafusion::{
+ logical_expr::LogicalPlanBuilder,
+ prelude::{col, exists, lit, when, Expr},
+ };
use predicate::Predicate;
use super::*;
@@ -285,6 +315,17 @@ mod tests {
}).expect("spawning thread").join().expect("joining thread");
}
+ #[test]
+ fn serialize_predicate_that_is_unsupported() {
+ // See https://github.com/influxdata/influxdb_iox/issues/6195
+
+ let subquery = Arc::new(LogicalPlanBuilder::empty(true).build().unwrap());
+ let expr = exists(subquery);
+
+ let (_request1, request2) = serialize_roundtrip(expr);
+ assert!(request2.predicate.is_none());
+ }
+
/// Creates a [`IngesterQueryRequest`] and round trips it through
/// serialization, returning both the original and the serialized
/// request
|
891da533825cec92f3e69e70c9fbe2b16691bd90
|
Adam Curtis
|
2025-02-23 14:01:46
|
fix shellcheck lints (#25956)
|
Removed all of the shellcheck complaints that were showing up in my
editor.
Where possible, I just fixed them directly but I just told it to ignore
this one in the install scripts https://www.shellcheck.net/wiki/SC2059
Happy to go and fix that lint too I just wasn't sure if we prefer the
current approach, since it doesn't seem to be causing any problems.
| null |
chore: fix shellcheck lints (#25956)
Removed all of the shellcheck complaints that were showing up in my
editor.
Where possible, I just fixed them directly but I just told it to ignore
this one in the install scripts https://www.shellcheck.net/wiki/SC2059
Happy to go and fix that lint too I just wasn't sure if we prefer the
current approach, since it doesn't seem to be causing any problems.
|
diff --git a/docker/entrypoint.sh b/docker/entrypoint.sh
index 0af46f97ed..4c8b896ed8 100755
--- a/docker/entrypoint.sh
+++ b/docker/entrypoint.sh
@@ -4,7 +4,7 @@ set -eu -o pipefail
args=( "$@" )
for i in "${!args[@]}"; do
- args[$i]="$(echo "${args[$i]}" | envsubst)"
+ args[i]="$(echo "${args[$i]}" | envsubst)"
done
exec "$PACKAGE" "${args[@]}"
diff --git a/install_influxdb.sh b/install_influxdb.sh
index 4c330fe4ff..382b69955d 100644
--- a/install_influxdb.sh
+++ b/install_influxdb.sh
@@ -1,4 +1,5 @@
#!/bin/sh -e
+# shellcheck disable=SC2059
readonly GREEN='\033[0;32m'
readonly BOLD='\033[1m'
@@ -64,7 +65,7 @@ elif [ "${OS}" = "Darwin" ]; then
fi
# Exit if unsupported system
-[ -n "${ARTIFACT}" ] || {
+[ -n "${ARTIFACT}" ] || {
printf "Unfortunately this script doesn't support your '${OS}' | '${ARCHITECTURE}' setup, or was unable to identify it correctly.\n"
printf "Visit our public Discord at \033[4;94mhttps://discord.gg/az4jPm8x${NC} for additional guidance.\n"
printf "View alternative binaries on our Getting Started guide at \033[4;94mhttps://docs.influxdata.com/influxdb3/${EDITION_TAG}/${NC}.\n"
@@ -334,7 +335,7 @@ if [ "${EDITION}" = "Core" ]; then
printf "├─${DIM} Node ID: %s${NC}\n" "$NODE_ID"
printf "├─${DIM} Storage: %s${NC}\n" "$STORAGE_TYPE"
printf "├─${DIM} '%s' serve --node-id='%s' --http-bind='0.0.0.0:%s' %s${NC}\n" "$INSTALL_LOC/$BINARY_NAME" "$NODE_ID" "$PORT" "$STORAGE_FLAGS_ECHO"
- "$INSTALL_LOC/$BINARY_NAME" serve --node-id="$NODE_ID" --http-bind="0.0.0.0:$PORT" $STORAGE_FLAGS > /dev/null &
+ "$INSTALL_LOC/$BINARY_NAME" serve --node-id="$NODE_ID" --http-bind="0.0.0.0:$PORT" "$STORAGE_FLAGS" > /dev/null &
PID="$!"
SUCCESS=0
|
efae0f108a49c8bd50156734523e14c3dad0daf6
|
wiedld
|
2023-07-18 09:36:25
|
enable `/` in db name for v1 write. (#8235)
|
* test case for proposed new behavior in v1 write endpoint.
* autogen and default are equivalent reserved words for rp
* have write endpoint match query endpoint, in that db and rp are always concated
| null |
feat(idpe-17887): enable `/` in db name for v1 write. (#8235)
* test case for proposed new behavior in v1 write endpoint.
* autogen and default are equivalent reserved words for rp
* have write endpoint match query endpoint, in that db and rp are always concated
|
diff --git a/router/src/server/http/write/single_tenant/mod.rs b/router/src/server/http/write/single_tenant/mod.rs
index 23555eb1e0..e208b53537 100644
--- a/router/src/server/http/write/single_tenant/mod.rs
+++ b/router/src/server/http/write/single_tenant/mod.rs
@@ -64,9 +64,7 @@ impl From<&SingleTenantExtractError> for hyper::StatusCode {
SingleTenantExtractError::NoBucketSpecified => Self::BAD_REQUEST,
SingleTenantExtractError::InvalidNamespace(_) => Self::BAD_REQUEST,
SingleTenantExtractError::ParseV1Request(
- V1WriteParseError::NoQueryParams
- | V1WriteParseError::DecodeFail(_)
- | V1WriteParseError::ContainsRpSeparator,
+ V1WriteParseError::NoQueryParams | V1WriteParseError::DecodeFail(_),
) => Self::BAD_REQUEST,
SingleTenantExtractError::ParseV2Request(
V2WriteParseError::NoQueryParams | V2WriteParseError::DecodeFail(_),
@@ -125,10 +123,6 @@ async fn parse_v1(
// Extract the write parameters.
let write_params = WriteParamsV1::try_from(req)?;
- // Extracting the write parameters validates the db field never contains the
- // '/' separator to avoid ambiguity with the "namespace/rp" construction.
- debug_assert!(!write_params.db.contains(V1_NAMESPACE_RP_SEPARATOR));
-
// Extract or construct the namespace name string from the write parameters
let namespace = NamespaceName::new(match write_params.rp {
RetentionPolicy::Unspecified | RetentionPolicy::Autogen => write_params.db,
@@ -316,22 +310,65 @@ mod tests {
}
);
- // Prevent ambiguity by denying the `/` character in the DB
+ // Permit `/` character in the DB
test_parse_v1!(
no_rp_db_with_rp_separator,
query_string = "?db=bananas/are/great",
- want = Err(Error::SingleTenantError(
- SingleTenantExtractError::ParseV1Request(V1WriteParseError::ContainsRpSeparator)
- ))
+ want = Ok(WriteParams{ namespace, precision }) => {
+ assert_eq!(namespace.as_str(), "bananas/are/great");
+ assert_matches!(precision, Precision::Nanoseconds);
+ }
);
- // Prevent ambiguity by denying the `/` character in the RP
+ // Permit the `/` character in the RP
test_parse_v1!(
rp_with_rp_separator,
query_string = "?db=bananas&rp=are/great",
- want = Err(Error::SingleTenantError(
- SingleTenantExtractError::ParseV1Request(V1WriteParseError::ContainsRpSeparator)
- ))
+ want = Ok(WriteParams{ namespace, precision }) => {
+ assert_eq!(namespace.as_str(), "bananas/are/great");
+ assert_matches!(precision, Precision::Nanoseconds);
+ }
+ );
+
+ // `/` character is allowed in the DB, if a named RP is specified
+ test_parse_v1!(
+ db_with_rp_separator_and_rp,
+ query_string = "?db=foo/bar&rp=my_rp",
+ want = Ok(WriteParams{ namespace, precision }) => {
+ assert_eq!(namespace.as_str(), "foo/bar/my_rp");
+ assert_matches!(precision, Precision::Nanoseconds);
+ }
+ );
+
+ // Always concat, even if this results in duplication rp within the namespace.
+ // ** this matches the query API behavior **
+ test_parse_v1!(
+ db_with_rp_separator_and_duplicate_rp,
+ query_string = "?db=foo/my_rp&rp=my_rp",
+ want = Ok(WriteParams{ namespace, precision }) => {
+ assert_eq!(namespace.as_str(), "foo/my_rp/my_rp");
+ assert_matches!(precision, Precision::Nanoseconds);
+ }
+ );
+
+ // `/` character is allowed in the DB, if an autogen RP is specified
+ test_parse_v1!(
+ db_with_rp_separator_and_rp_autogen,
+ query_string = "?db=foo/bar&rp=autogen",
+ want = Ok(WriteParams{ namespace, precision }) => {
+ assert_eq!(namespace.as_str(), "foo/bar");
+ assert_matches!(precision, Precision::Nanoseconds);
+ }
+ );
+
+ // `/` character is allowed in the DB, if a default RP is specified
+ test_parse_v1!(
+ db_with_rp_separator_and_rp_default,
+ query_string = "?db=foo/bar&rp=default",
+ want = Ok(WriteParams{ namespace, precision }) => {
+ assert_eq!(namespace.as_str(), "foo/bar");
+ assert_matches!(precision, Precision::Nanoseconds);
+ }
);
test_parse_v1!(
diff --git a/router/src/server/http/write/v1.rs b/router/src/server/http/write/v1.rs
index 4ab78ccd03..f450dd66da 100644
--- a/router/src/server/http/write/v1.rs
+++ b/router/src/server/http/write/v1.rs
@@ -29,12 +29,6 @@ pub enum V1WriteParseError {
/// The request contains invalid parameters.
#[error("failed to deserialize db/rp/precision in request: {0}")]
DecodeFail(#[from] serde::de::value::Error),
-
- /// The provided "db" or "rp" value contains the reserved `/` character.
- ///
- /// See [`V1_NAMESPACE_RP_SEPARATOR`].
- #[error("db cannot contain the reserved character '/'")]
- ContainsRpSeparator,
}
/// May be empty string, explicit rp name, or `autogen`. As provided at the
@@ -61,7 +55,7 @@ impl<'de> Deserialize<'de> for RetentionPolicy {
Ok(match s.as_str() {
"" => RetentionPolicy::Unspecified,
"''" => RetentionPolicy::Unspecified,
- "autogen" => RetentionPolicy::Autogen,
+ "autogen" | "default" => RetentionPolicy::Autogen,
_ => RetentionPolicy::Named(s),
})
}
@@ -90,20 +84,6 @@ impl<T> TryFrom<&Request<T>> for WriteParamsV1 {
let query = req.uri().query().ok_or(V1WriteParseError::NoQueryParams)?;
let params: WriteParamsV1 = serde_urlencoded::from_str(query)?;
- // No namespace (db) is ever allowed to contain a `/` to prevent
- // ambiguity with the namespace/rp NamespaceName construction.
- if params.db.contains(V1_NAMESPACE_RP_SEPARATOR) {
- return Err(V1WriteParseError::ContainsRpSeparator);
- }
-
- // Likewise the "rp" field itself cannot contain the `/` character if
- // specified.
- if let RetentionPolicy::Named(s) = ¶ms.rp {
- if s.contains(V1_NAMESPACE_RP_SEPARATOR) {
- return Err(V1WriteParseError::ContainsRpSeparator);
- }
- }
-
Ok(params)
}
}
|
33a441fbecb19e656b05767fda69c73bd44cbaf6
|
Dom Dwyer
|
2023-09-19 14:09:07
|
pick up latest merkle-search-tree version
|
Pick up the improvements allowing construction of PageRangeSnapshots
from owned keys / no cloning.
| null |
build: pick up latest merkle-search-tree version
Pick up the improvements allowing construction of PageRangeSnapshots
from owned keys / no cloning.
|
diff --git a/Cargo.lock b/Cargo.lock
index d746b31acf..306b44dde4 100644
--- a/Cargo.lock
+++ b/Cargo.lock
@@ -3501,12 +3501,12 @@ dependencies = [
[[package]]
name = "merkle-search-tree"
-version = "0.6.0"
+version = "0.7.0"
source = "registry+https://github.com/rust-lang/crates.io-index"
-checksum = "b6f5f8e25bd481489f8e0389fd4ced21ec6cbaf1a30e3204102df45dc6b04ce5"
+checksum = "f7775d0a8399d72f2dfde32855fa9b50f331e05c980009e5260d77031f059fc7"
dependencies = [
"base64 0.21.4",
- "siphasher 0.3.11",
+ "siphasher 1.0.0",
"tracing",
]
diff --git a/router/Cargo.toml b/router/Cargo.toml
index 001ce6608c..3758f61d45 100644
--- a/router/Cargo.toml
+++ b/router/Cargo.toml
@@ -20,7 +20,7 @@ hashbrown = { workspace = true }
hyper = "0.14"
iox_catalog = { path = "../iox_catalog" }
iox_time = { path = "../iox_time" }
-merkle-search-tree = { version = "0.6.0", features = ["tracing"] }
+merkle-search-tree = { version = "0.7.0", features = ["tracing"] }
metric = { path = "../metric" }
mutable_batch = { path = "../mutable_batch" }
mutable_batch_lp = { path = "../mutable_batch_lp" }
|
46bfa0badc28fab8c9b7cb09ec8951e27bf27cb2
|
Andrew Lamb
|
2023-08-08 08:41:14
|
Update DataFusion (#8447)
|
* chore: Update DataFusion pin
* chore: Update for API changes
| null |
chore: Update DataFusion (#8447)
* chore: Update DataFusion pin
* chore: Update for API changes
|
diff --git a/Cargo.lock b/Cargo.lock
index 6ba14884a9..c40ed35fc1 100644
--- a/Cargo.lock
+++ b/Cargo.lock
@@ -1389,7 +1389,7 @@ dependencies = [
[[package]]
name = "datafusion"
version = "28.0.0"
-source = "git+https://github.com/apache/arrow-datafusion.git?rev=5faa10b2911ecca4c2199f78ae675363c7d8230e#5faa10b2911ecca4c2199f78ae675363c7d8230e"
+source = "git+https://github.com/apache/arrow-datafusion.git?rev=99e2cd4b4082296b0e7f98b0fb122861c4f74a11#99e2cd4b4082296b0e7f98b0fb122861c4f74a11"
dependencies = [
"ahash",
"arrow",
@@ -1437,7 +1437,7 @@ dependencies = [
[[package]]
name = "datafusion-common"
version = "28.0.0"
-source = "git+https://github.com/apache/arrow-datafusion.git?rev=5faa10b2911ecca4c2199f78ae675363c7d8230e#5faa10b2911ecca4c2199f78ae675363c7d8230e"
+source = "git+https://github.com/apache/arrow-datafusion.git?rev=99e2cd4b4082296b0e7f98b0fb122861c4f74a11#99e2cd4b4082296b0e7f98b0fb122861c4f74a11"
dependencies = [
"arrow",
"arrow-array",
@@ -1451,7 +1451,7 @@ dependencies = [
[[package]]
name = "datafusion-execution"
version = "28.0.0"
-source = "git+https://github.com/apache/arrow-datafusion.git?rev=5faa10b2911ecca4c2199f78ae675363c7d8230e#5faa10b2911ecca4c2199f78ae675363c7d8230e"
+source = "git+https://github.com/apache/arrow-datafusion.git?rev=99e2cd4b4082296b0e7f98b0fb122861c4f74a11#99e2cd4b4082296b0e7f98b0fb122861c4f74a11"
dependencies = [
"dashmap",
"datafusion-common",
@@ -1468,7 +1468,7 @@ dependencies = [
[[package]]
name = "datafusion-expr"
version = "28.0.0"
-source = "git+https://github.com/apache/arrow-datafusion.git?rev=5faa10b2911ecca4c2199f78ae675363c7d8230e#5faa10b2911ecca4c2199f78ae675363c7d8230e"
+source = "git+https://github.com/apache/arrow-datafusion.git?rev=99e2cd4b4082296b0e7f98b0fb122861c4f74a11#99e2cd4b4082296b0e7f98b0fb122861c4f74a11"
dependencies = [
"ahash",
"arrow",
@@ -1482,7 +1482,7 @@ dependencies = [
[[package]]
name = "datafusion-optimizer"
version = "28.0.0"
-source = "git+https://github.com/apache/arrow-datafusion.git?rev=5faa10b2911ecca4c2199f78ae675363c7d8230e#5faa10b2911ecca4c2199f78ae675363c7d8230e"
+source = "git+https://github.com/apache/arrow-datafusion.git?rev=99e2cd4b4082296b0e7f98b0fb122861c4f74a11#99e2cd4b4082296b0e7f98b0fb122861c4f74a11"
dependencies = [
"arrow",
"async-trait",
@@ -1499,7 +1499,7 @@ dependencies = [
[[package]]
name = "datafusion-physical-expr"
version = "28.0.0"
-source = "git+https://github.com/apache/arrow-datafusion.git?rev=5faa10b2911ecca4c2199f78ae675363c7d8230e#5faa10b2911ecca4c2199f78ae675363c7d8230e"
+source = "git+https://github.com/apache/arrow-datafusion.git?rev=99e2cd4b4082296b0e7f98b0fb122861c4f74a11#99e2cd4b4082296b0e7f98b0fb122861c4f74a11"
dependencies = [
"ahash",
"arrow",
@@ -1533,7 +1533,7 @@ dependencies = [
[[package]]
name = "datafusion-proto"
version = "28.0.0"
-source = "git+https://github.com/apache/arrow-datafusion.git?rev=5faa10b2911ecca4c2199f78ae675363c7d8230e#5faa10b2911ecca4c2199f78ae675363c7d8230e"
+source = "git+https://github.com/apache/arrow-datafusion.git?rev=99e2cd4b4082296b0e7f98b0fb122861c4f74a11#99e2cd4b4082296b0e7f98b0fb122861c4f74a11"
dependencies = [
"arrow",
"chrono",
@@ -1547,7 +1547,7 @@ dependencies = [
[[package]]
name = "datafusion-sql"
version = "28.0.0"
-source = "git+https://github.com/apache/arrow-datafusion.git?rev=5faa10b2911ecca4c2199f78ae675363c7d8230e#5faa10b2911ecca4c2199f78ae675363c7d8230e"
+source = "git+https://github.com/apache/arrow-datafusion.git?rev=99e2cd4b4082296b0e7f98b0fb122861c4f74a11#99e2cd4b4082296b0e7f98b0fb122861c4f74a11"
dependencies = [
"arrow",
"arrow-schema",
diff --git a/Cargo.toml b/Cargo.toml
index 5df1c74d88..eff2492c4d 100644
--- a/Cargo.toml
+++ b/Cargo.toml
@@ -121,8 +121,8 @@ license = "MIT OR Apache-2.0"
[workspace.dependencies]
arrow = { version = "43.0.0" }
arrow-flight = { version = "43.0.0" }
-datafusion = { git = "https://github.com/apache/arrow-datafusion.git", rev = "5faa10b2911ecca4c2199f78ae675363c7d8230e", default-features = false }
-datafusion-proto = { git = "https://github.com/apache/arrow-datafusion.git", rev = "5faa10b2911ecca4c2199f78ae675363c7d8230e" }
+datafusion = { git = "https://github.com/apache/arrow-datafusion.git", rev = "99e2cd4b4082296b0e7f98b0fb122861c4f74a11", default-features = false }
+datafusion-proto = { git = "https://github.com/apache/arrow-datafusion.git", rev = "99e2cd4b4082296b0e7f98b0fb122861c4f74a11" }
hashbrown = { version = "0.14.0" }
object_store = { version = "0.6.0" }
diff --git a/iox_query_influxql/src/plan/planner.rs b/iox_query_influxql/src/plan/planner.rs
index e5aab26676..2ebb2d2536 100644
--- a/iox_query_influxql/src/plan/planner.rs
+++ b/iox_query_influxql/src/plan/planner.rs
@@ -39,9 +39,9 @@ use datafusion::logical_expr::utils::{expr_as_column_expr, find_aggregate_exprs}
use datafusion::logical_expr::{
binary_expr, col, date_bin, expr, expr::WindowFunction, lit, lit_timestamp_nano, now, union,
window_function, AggregateFunction, AggregateUDF, Between, BuiltInWindowFunction,
- BuiltinScalarFunction, EmptyRelation, Explain, Expr, ExprSchemable, Extension, GetIndexedField,
- LogicalPlan, LogicalPlanBuilder, Operator, PlanType, Projection, ScalarUDF, TableSource,
- ToStringifiedPlan, WindowFrame, WindowFrameBound, WindowFrameUnits,
+ BuiltinScalarFunction, EmptyRelation, Explain, Expr, ExprSchemable, Extension, LogicalPlan,
+ LogicalPlanBuilder, Operator, PlanType, Projection, ScalarUDF, TableSource, ToStringifiedPlan,
+ WindowFrame, WindowFrameBound, WindowFrameUnits,
};
use datafusion::optimizer::utils::conjunction;
use datafusion::physical_expr::execution_props::ExecutionProps;
@@ -1198,11 +1198,8 @@ impl<'a> InfluxQLToLogicalPlan<'a> {
aggr_exprs[0] = selector_new.clone();
for (idx, struct_name, out_alias) in fields_to_extract {
- select_exprs[idx] = Expr::GetIndexedField(GetIndexedField {
- expr: Box::new(selector_new.clone()),
- key: ScalarValue::Utf8(Some(struct_name)),
- })
- .alias(out_alias);
+ select_exprs[idx] =
+ selector_new.clone().field(struct_name).alias(out_alias);
should_fill_expr[idx] = true;
}
}
@@ -1244,10 +1241,7 @@ impl<'a> InfluxQLToLogicalPlan<'a> {
}
};
- Expr::GetIndexedField(GetIndexedField {
- expr: Box::new(selector),
- key: ScalarValue::Utf8(Some("time".to_owned())),
- })
+ selector.field("time")
} else {
lit_timestamp_nano(0)
}
@@ -2013,10 +2007,7 @@ impl<'a> InfluxQLToLogicalPlan<'a> {
}
.call(vec![expr, "time".as_expr()]);
- Ok(Expr::GetIndexedField(GetIndexedField {
- expr: Box::new(selector_udf),
- key: ScalarValue::Utf8(Some("value".to_owned())),
- }))
+ Ok(selector_udf.field("value"))
}
"difference" => {
check_arg_count(name, args, 1)?;
diff --git a/iox_query_influxql/src/plan/util_copy.rs b/iox_query_influxql/src/plan/util_copy.rs
index b9e0dc6cb9..b2bb28291a 100644
--- a/iox_query_influxql/src/plan/util_copy.rs
+++ b/iox_query_influxql/src/plan/util_copy.rs
@@ -12,6 +12,7 @@ use datafusion::common::Result;
use datafusion::logical_expr::expr::{
AggregateUDF, Alias, InList, InSubquery, Placeholder, ScalarFunction, ScalarUDF,
};
+use datafusion::logical_expr::GetFieldAccess;
use datafusion::logical_expr::{
expr::{
AggregateFunction, Between, BinaryExpr, Case, Cast, Expr, GetIndexedField, GroupingSet,
@@ -20,6 +21,7 @@ use datafusion::logical_expr::{
utils::expr_as_column_expr,
LogicalPlan,
};
+use datafusion::physical_plan::expressions::GetFieldAccessExpr;
/// Returns a cloned `Expr`, but any of the `Expr`'s in the tree may be
/// replaced/customized by the replacement function.
@@ -52,273 +54,288 @@ where
Some(replacement) => Ok(replacement),
// No replacement was provided, clone the node and recursively call
// clone_with_replacement() on any nested expressions.
- None => {
- match expr {
- Expr::AggregateFunction(AggregateFunction {
- fun,
- args,
- distinct,
- filter,
- order_by,
- }) => Ok(Expr::AggregateFunction(AggregateFunction::new(
- fun.clone(),
- args.iter()
- .map(|e| clone_with_replacement(e, replacement_fn))
- .collect::<Result<Vec<Expr>>>()?,
- *distinct,
- filter.clone(),
- order_by.clone(),
- ))),
- Expr::WindowFunction(WindowFunction {
- fun,
- args,
- partition_by,
- order_by,
- window_frame,
- }) => Ok(Expr::WindowFunction(WindowFunction::new(
- fun.clone(),
- args.iter()
- .map(|e| clone_with_replacement(e, replacement_fn))
- .collect::<Result<Vec<_>>>()?,
- partition_by
- .iter()
- .map(|e| clone_with_replacement(e, replacement_fn))
- .collect::<Result<Vec<_>>>()?,
- order_by
- .iter()
- .map(|e| clone_with_replacement(e, replacement_fn))
- .collect::<Result<Vec<_>>>()?,
- window_frame.clone(),
- ))),
- Expr::AggregateUDF(AggregateUDF {
- fun,
- args,
- filter,
- order_by,
- }) => Ok(Expr::AggregateUDF(AggregateUDF {
+ None => match expr {
+ Expr::AggregateFunction(AggregateFunction {
+ fun,
+ args,
+ distinct,
+ filter,
+ order_by,
+ }) => Ok(Expr::AggregateFunction(AggregateFunction::new(
+ fun.clone(),
+ args.iter()
+ .map(|e| clone_with_replacement(e, replacement_fn))
+ .collect::<Result<Vec<Expr>>>()?,
+ *distinct,
+ filter.clone(),
+ order_by.clone(),
+ ))),
+ Expr::WindowFunction(WindowFunction {
+ fun,
+ args,
+ partition_by,
+ order_by,
+ window_frame,
+ }) => Ok(Expr::WindowFunction(WindowFunction::new(
+ fun.clone(),
+ args.iter()
+ .map(|e| clone_with_replacement(e, replacement_fn))
+ .collect::<Result<Vec<_>>>()?,
+ partition_by
+ .iter()
+ .map(|e| clone_with_replacement(e, replacement_fn))
+ .collect::<Result<Vec<_>>>()?,
+ order_by
+ .iter()
+ .map(|e| clone_with_replacement(e, replacement_fn))
+ .collect::<Result<Vec<_>>>()?,
+ window_frame.clone(),
+ ))),
+ Expr::AggregateUDF(AggregateUDF {
+ fun,
+ args,
+ filter,
+ order_by,
+ }) => Ok(Expr::AggregateUDF(AggregateUDF {
+ fun: fun.clone(),
+ args: args
+ .iter()
+ .map(|e| clone_with_replacement(e, replacement_fn))
+ .collect::<Result<Vec<Expr>>>()?,
+ filter: filter.clone(),
+ order_by: order_by.clone(),
+ })),
+ Expr::Alias(Alias {
+ expr: nested_expr,
+ name: alias_name,
+ }) => Ok(Expr::Alias(Alias {
+ expr: Box::new(clone_with_replacement(nested_expr, replacement_fn)?),
+ name: alias_name.clone(),
+ })),
+ Expr::Between(Between {
+ expr,
+ negated,
+ low,
+ high,
+ }) => Ok(Expr::Between(Between::new(
+ Box::new(clone_with_replacement(expr, replacement_fn)?),
+ *negated,
+ Box::new(clone_with_replacement(low, replacement_fn)?),
+ Box::new(clone_with_replacement(high, replacement_fn)?),
+ ))),
+ Expr::InList(InList {
+ expr: nested_expr,
+ list,
+ negated,
+ }) => Ok(Expr::InList(InList {
+ expr: Box::new(clone_with_replacement(nested_expr, replacement_fn)?),
+ list: list
+ .iter()
+ .map(|e| clone_with_replacement(e, replacement_fn))
+ .collect::<Result<Vec<Expr>>>()?,
+ negated: *negated,
+ })),
+ Expr::BinaryExpr(BinaryExpr { left, right, op }) => {
+ Ok(Expr::BinaryExpr(BinaryExpr::new(
+ Box::new(clone_with_replacement(left, replacement_fn)?),
+ *op,
+ Box::new(clone_with_replacement(right, replacement_fn)?),
+ )))
+ }
+ Expr::Like(Like {
+ negated,
+ expr,
+ pattern,
+ case_insensitive,
+ escape_char,
+ }) => Ok(Expr::Like(Like::new(
+ *negated,
+ Box::new(clone_with_replacement(expr, replacement_fn)?),
+ Box::new(clone_with_replacement(pattern, replacement_fn)?),
+ *escape_char,
+ *case_insensitive,
+ ))),
+ Expr::SimilarTo(Like {
+ negated,
+ expr,
+ pattern,
+ case_insensitive,
+ escape_char,
+ }) => Ok(Expr::SimilarTo(Like::new(
+ *negated,
+ Box::new(clone_with_replacement(expr, replacement_fn)?),
+ Box::new(clone_with_replacement(pattern, replacement_fn)?),
+ *escape_char,
+ *case_insensitive,
+ ))),
+ Expr::Case(case) => Ok(Expr::Case(Case::new(
+ match &case.expr {
+ Some(case_expr) => {
+ Some(Box::new(clone_with_replacement(case_expr, replacement_fn)?))
+ }
+ None => None,
+ },
+ case.when_then_expr
+ .iter()
+ .map(|(a, b)| {
+ Ok((
+ Box::new(clone_with_replacement(a, replacement_fn)?),
+ Box::new(clone_with_replacement(b, replacement_fn)?),
+ ))
+ })
+ .collect::<Result<Vec<(_, _)>>>()?,
+ match &case.else_expr {
+ Some(else_expr) => {
+ Some(Box::new(clone_with_replacement(else_expr, replacement_fn)?))
+ }
+ None => None,
+ },
+ ))),
+ Expr::ScalarFunction(ScalarFunction { fun, args }) => {
+ Ok(Expr::ScalarFunction(ScalarFunction {
fun: fun.clone(),
args: args
.iter()
.map(|e| clone_with_replacement(e, replacement_fn))
.collect::<Result<Vec<Expr>>>()?,
- filter: filter.clone(),
- order_by: order_by.clone(),
- })),
- Expr::Alias(Alias {
- expr: nested_expr,
- name: alias_name,
- }) => Ok(Expr::Alias(Alias {
- expr: Box::new(clone_with_replacement(nested_expr, replacement_fn)?),
- name: alias_name.clone(),
- })),
- Expr::Between(Between {
- expr,
- negated,
- low,
- high,
- }) => Ok(Expr::Between(Between::new(
- Box::new(clone_with_replacement(expr, replacement_fn)?),
- *negated,
- Box::new(clone_with_replacement(low, replacement_fn)?),
- Box::new(clone_with_replacement(high, replacement_fn)?),
- ))),
- Expr::InList(InList {
- expr: nested_expr,
- list,
- negated,
- }) => Ok(Expr::InList(InList {
- expr: Box::new(clone_with_replacement(nested_expr, replacement_fn)?),
- list: list
+ }))
+ }
+ Expr::ScalarUDF(ScalarUDF { fun, args }) => Ok(Expr::ScalarUDF(ScalarUDF {
+ fun: fun.clone(),
+ args: args
+ .iter()
+ .map(|arg| clone_with_replacement(arg, replacement_fn))
+ .collect::<Result<Vec<Expr>>>()?,
+ })),
+ Expr::Negative(nested_expr) => Ok(Expr::Negative(Box::new(clone_with_replacement(
+ nested_expr,
+ replacement_fn,
+ )?))),
+ Expr::Not(nested_expr) => Ok(Expr::Not(Box::new(clone_with_replacement(
+ nested_expr,
+ replacement_fn,
+ )?))),
+ Expr::IsNotNull(nested_expr) => Ok(Expr::IsNotNull(Box::new(clone_with_replacement(
+ nested_expr,
+ replacement_fn,
+ )?))),
+ Expr::IsNull(nested_expr) => Ok(Expr::IsNull(Box::new(clone_with_replacement(
+ nested_expr,
+ replacement_fn,
+ )?))),
+ Expr::IsTrue(nested_expr) => Ok(Expr::IsTrue(Box::new(clone_with_replacement(
+ nested_expr,
+ replacement_fn,
+ )?))),
+ Expr::IsFalse(nested_expr) => Ok(Expr::IsFalse(Box::new(clone_with_replacement(
+ nested_expr,
+ replacement_fn,
+ )?))),
+ Expr::IsUnknown(nested_expr) => Ok(Expr::IsUnknown(Box::new(clone_with_replacement(
+ nested_expr,
+ replacement_fn,
+ )?))),
+ Expr::IsNotTrue(nested_expr) => Ok(Expr::IsNotTrue(Box::new(clone_with_replacement(
+ nested_expr,
+ replacement_fn,
+ )?))),
+ Expr::IsNotFalse(nested_expr) => Ok(Expr::IsNotFalse(Box::new(
+ clone_with_replacement(nested_expr, replacement_fn)?,
+ ))),
+ Expr::IsNotUnknown(nested_expr) => Ok(Expr::IsNotUnknown(Box::new(
+ clone_with_replacement(nested_expr, replacement_fn)?,
+ ))),
+ Expr::Cast(Cast { expr, data_type }) => Ok(Expr::Cast(Cast::new(
+ Box::new(clone_with_replacement(expr, replacement_fn)?),
+ data_type.clone(),
+ ))),
+ Expr::TryCast(TryCast {
+ expr: nested_expr,
+ data_type,
+ }) => Ok(Expr::TryCast(TryCast::new(
+ Box::new(clone_with_replacement(nested_expr, replacement_fn)?),
+ data_type.clone(),
+ ))),
+ Expr::Sort(Sort {
+ expr: nested_expr,
+ asc,
+ nulls_first,
+ }) => Ok(Expr::Sort(Sort::new(
+ Box::new(clone_with_replacement(nested_expr, replacement_fn)?),
+ *asc,
+ *nulls_first,
+ ))),
+ Expr::Column { .. }
+ | Expr::OuterReferenceColumn(_, _)
+ | Expr::Literal(_)
+ | Expr::ScalarVariable(_, _)
+ | Expr::Exists { .. }
+ | Expr::ScalarSubquery(_) => Ok(expr.clone()),
+ Expr::InSubquery(InSubquery {
+ expr: nested_expr,
+ subquery,
+ negated,
+ }) => Ok(Expr::InSubquery(InSubquery {
+ expr: Box::new(clone_with_replacement(nested_expr, replacement_fn)?),
+ subquery: subquery.clone(),
+ negated: *negated,
+ })),
+ Expr::Wildcard => Ok(Expr::Wildcard),
+ Expr::QualifiedWildcard { .. } => Ok(expr.clone()),
+ Expr::GetIndexedField(GetIndexedField { field, expr }) => {
+ let field = match field {
+ GetFieldAccess::NamedStructField { name } => {
+ GetFieldAccess::NamedStructField { name: name.clone() }
+ }
+ GetFieldAccess::ListIndex { key } => GetFieldAccess::ListIndex {
+ key: Box::new(clone_with_replacement(key.as_ref(), replacement_fn)?),
+ },
+ GetFieldAccess::ListRange { start, stop } => GetFieldAccess::ListRange {
+ start: Box::new(clone_with_replacement(start.as_ref(), replacement_fn)?),
+ stop: Box::new(clone_with_replacement(stop.as_ref(), replacement_fn)?),
+ },
+ };
+
+ Ok(Expr::GetIndexedField(GetIndexedField::new(
+ Box::new(clone_with_replacement(expr.as_ref(), replacement_fn)?),
+ field,
+ )))
+ }
+ Expr::GroupingSet(set) => match set {
+ GroupingSet::Rollup(exprs) => Ok(Expr::GroupingSet(GroupingSet::Rollup(
+ exprs
.iter()
.map(|e| clone_with_replacement(e, replacement_fn))
.collect::<Result<Vec<Expr>>>()?,
- negated: *negated,
- })),
- Expr::BinaryExpr(BinaryExpr { left, right, op }) => {
- Ok(Expr::BinaryExpr(BinaryExpr::new(
- Box::new(clone_with_replacement(left, replacement_fn)?),
- *op,
- Box::new(clone_with_replacement(right, replacement_fn)?),
- )))
- }
- Expr::Like(Like {
- negated,
- expr,
- pattern,
- case_insensitive,
- escape_char,
- }) => Ok(Expr::Like(Like::new(
- *negated,
- Box::new(clone_with_replacement(expr, replacement_fn)?),
- Box::new(clone_with_replacement(pattern, replacement_fn)?),
- *escape_char,
- *case_insensitive,
))),
- Expr::SimilarTo(Like {
- negated,
- expr,
- pattern,
- case_insensitive,
- escape_char,
- }) => Ok(Expr::SimilarTo(Like::new(
- *negated,
- Box::new(clone_with_replacement(expr, replacement_fn)?),
- Box::new(clone_with_replacement(pattern, replacement_fn)?),
- *escape_char,
- *case_insensitive,
- ))),
- Expr::Case(case) => Ok(Expr::Case(Case::new(
- match &case.expr {
- Some(case_expr) => {
- Some(Box::new(clone_with_replacement(case_expr, replacement_fn)?))
- }
- None => None,
- },
- case.when_then_expr
+ GroupingSet::Cube(exprs) => Ok(Expr::GroupingSet(GroupingSet::Cube(
+ exprs
.iter()
- .map(|(a, b)| {
- Ok((
- Box::new(clone_with_replacement(a, replacement_fn)?),
- Box::new(clone_with_replacement(b, replacement_fn)?),
- ))
- })
- .collect::<Result<Vec<(_, _)>>>()?,
- match &case.else_expr {
- Some(else_expr) => {
- Some(Box::new(clone_with_replacement(else_expr, replacement_fn)?))
- }
- None => None,
- },
- ))),
- Expr::ScalarFunction(ScalarFunction { fun, args }) => {
- Ok(Expr::ScalarFunction(ScalarFunction {
- fun: fun.clone(),
- args: args
- .iter()
- .map(|e| clone_with_replacement(e, replacement_fn))
- .collect::<Result<Vec<Expr>>>()?,
- }))
- }
- Expr::ScalarUDF(ScalarUDF { fun, args }) => Ok(Expr::ScalarUDF(ScalarUDF {
- fun: fun.clone(),
- args: args
- .iter()
- .map(|arg| clone_with_replacement(arg, replacement_fn))
+ .map(|e| clone_with_replacement(e, replacement_fn))
.collect::<Result<Vec<Expr>>>()?,
- })),
- Expr::Negative(nested_expr) => Ok(Expr::Negative(Box::new(
- clone_with_replacement(nested_expr, replacement_fn)?,
- ))),
- Expr::Not(nested_expr) => Ok(Expr::Not(Box::new(clone_with_replacement(
- nested_expr,
- replacement_fn,
- )?))),
- Expr::IsNotNull(nested_expr) => Ok(Expr::IsNotNull(Box::new(
- clone_with_replacement(nested_expr, replacement_fn)?,
- ))),
- Expr::IsNull(nested_expr) => Ok(Expr::IsNull(Box::new(clone_with_replacement(
- nested_expr,
- replacement_fn,
- )?))),
- Expr::IsTrue(nested_expr) => Ok(Expr::IsTrue(Box::new(clone_with_replacement(
- nested_expr,
- replacement_fn,
- )?))),
- Expr::IsFalse(nested_expr) => Ok(Expr::IsFalse(Box::new(clone_with_replacement(
- nested_expr,
- replacement_fn,
- )?))),
- Expr::IsUnknown(nested_expr) => Ok(Expr::IsUnknown(Box::new(
- clone_with_replacement(nested_expr, replacement_fn)?,
))),
- Expr::IsNotTrue(nested_expr) => Ok(Expr::IsNotTrue(Box::new(
- clone_with_replacement(nested_expr, replacement_fn)?,
- ))),
- Expr::IsNotFalse(nested_expr) => Ok(Expr::IsNotFalse(Box::new(
- clone_with_replacement(nested_expr, replacement_fn)?,
- ))),
- Expr::IsNotUnknown(nested_expr) => Ok(Expr::IsNotUnknown(Box::new(
- clone_with_replacement(nested_expr, replacement_fn)?,
- ))),
- Expr::Cast(Cast { expr, data_type }) => Ok(Expr::Cast(Cast::new(
- Box::new(clone_with_replacement(expr, replacement_fn)?),
- data_type.clone(),
- ))),
- Expr::TryCast(TryCast {
- expr: nested_expr,
- data_type,
- }) => Ok(Expr::TryCast(TryCast::new(
- Box::new(clone_with_replacement(nested_expr, replacement_fn)?),
- data_type.clone(),
- ))),
- Expr::Sort(Sort {
- expr: nested_expr,
- asc,
- nulls_first,
- }) => Ok(Expr::Sort(Sort::new(
- Box::new(clone_with_replacement(nested_expr, replacement_fn)?),
- *asc,
- *nulls_first,
- ))),
- Expr::Column { .. }
- | Expr::OuterReferenceColumn(_, _)
- | Expr::Literal(_)
- | Expr::ScalarVariable(_, _)
- | Expr::Exists { .. }
- | Expr::ScalarSubquery(_) => Ok(expr.clone()),
- Expr::InSubquery(InSubquery {
- expr: nested_expr,
- subquery,
- negated,
- }) => Ok(Expr::InSubquery(InSubquery {
- expr: Box::new(clone_with_replacement(nested_expr, replacement_fn)?),
- subquery: subquery.clone(),
- negated: *negated,
- })),
- Expr::Wildcard => Ok(Expr::Wildcard),
- Expr::QualifiedWildcard { .. } => Ok(expr.clone()),
- Expr::GetIndexedField(GetIndexedField { key, expr }) => {
- Ok(Expr::GetIndexedField(GetIndexedField::new(
- Box::new(clone_with_replacement(expr.as_ref(), replacement_fn)?),
- key.clone(),
- )))
- }
- Expr::GroupingSet(set) => match set {
- GroupingSet::Rollup(exprs) => Ok(Expr::GroupingSet(GroupingSet::Rollup(
- exprs
- .iter()
- .map(|e| clone_with_replacement(e, replacement_fn))
- .collect::<Result<Vec<Expr>>>()?,
- ))),
- GroupingSet::Cube(exprs) => Ok(Expr::GroupingSet(GroupingSet::Cube(
- exprs
- .iter()
- .map(|e| clone_with_replacement(e, replacement_fn))
- .collect::<Result<Vec<Expr>>>()?,
- ))),
- GroupingSet::GroupingSets(lists_of_exprs) => {
- let mut new_lists_of_exprs = vec![];
- for exprs in lists_of_exprs {
- new_lists_of_exprs.push(
- exprs
- .iter()
- .map(|e| clone_with_replacement(e, replacement_fn))
- .collect::<Result<Vec<Expr>>>()?,
- );
- }
- Ok(Expr::GroupingSet(GroupingSet::GroupingSets(
- new_lists_of_exprs,
- )))
+ GroupingSet::GroupingSets(lists_of_exprs) => {
+ let mut new_lists_of_exprs = vec![];
+ for exprs in lists_of_exprs {
+ new_lists_of_exprs.push(
+ exprs
+ .iter()
+ .map(|e| clone_with_replacement(e, replacement_fn))
+ .collect::<Result<Vec<Expr>>>()?,
+ );
}
- },
- Expr::Placeholder(Placeholder { id, data_type }) => {
- Ok(Expr::Placeholder(Placeholder {
- id: id.clone(),
- data_type: data_type.clone(),
- }))
+ Ok(Expr::GroupingSet(GroupingSet::GroupingSets(
+ new_lists_of_exprs,
+ )))
}
+ },
+ Expr::Placeholder(Placeholder { id, data_type }) => {
+ Ok(Expr::Placeholder(Placeholder {
+ id: id.clone(),
+ data_type: data_type.clone(),
+ }))
}
- }
+ },
}
}
diff --git a/iox_query_influxrpc/src/lib.rs b/iox_query_influxrpc/src/lib.rs
index 2b041dd65e..849f95f8d9 100644
--- a/iox_query_influxrpc/src/lib.rs
+++ b/iox_query_influxrpc/src/lib.rs
@@ -22,11 +22,8 @@ use data_types::ChunkId;
use datafusion::{
common::DFSchemaRef,
error::DataFusionError,
- logical_expr::{
- utils::exprlist_to_columns, ExprSchemable, GetIndexedField, LogicalPlan, LogicalPlanBuilder,
- },
+ logical_expr::{utils::exprlist_to_columns, ExprSchemable, LogicalPlan, LogicalPlanBuilder},
prelude::{when, Column, Expr},
- scalar::ScalarValue,
};
use datafusion_util::AsExpr;
use futures::{Stream, StreamExt, TryStreamExt};
@@ -1624,22 +1621,10 @@ impl AggExprs {
let selector = make_selector_expr(agg, field.clone())?;
let field_name = field.name;
- agg_exprs.push(
- Expr::GetIndexedField(GetIndexedField {
- expr: Box::new(selector.clone()),
- key: ScalarValue::from("value"),
- })
- .alias(field_name),
- );
+ agg_exprs.push(selector.clone().field("value").alias(field_name));
let time_column_name = format!("{TIME_COLUMN_NAME}_{field_name}");
- agg_exprs.push(
- Expr::GetIndexedField(GetIndexedField {
- expr: Box::new(selector.clone()),
- key: ScalarValue::from("time"),
- })
- .alias(&time_column_name),
- );
+ agg_exprs.push(selector.field("time").alias(&time_column_name));
field_list.push((
Arc::from(field_name), // value name
diff --git a/workspace-hack/Cargo.toml b/workspace-hack/Cargo.toml
index c1681a05f8..34d350e1bb 100644
--- a/workspace-hack/Cargo.toml
+++ b/workspace-hack/Cargo.toml
@@ -28,9 +28,9 @@ bytes = { version = "1" }
chrono = { version = "0.4", default-features = false, features = ["alloc", "clock", "serde"] }
crossbeam-utils = { version = "0.8" }
crypto-common = { version = "0.1", default-features = false, features = ["std"] }
-datafusion = { git = "https://github.com/apache/arrow-datafusion.git", rev = "5faa10b2911ecca4c2199f78ae675363c7d8230e" }
-datafusion-optimizer = { git = "https://github.com/apache/arrow-datafusion.git", rev = "5faa10b2911ecca4c2199f78ae675363c7d8230e", default-features = false, features = ["crypto_expressions", "regex_expressions", "unicode_expressions"] }
-datafusion-physical-expr = { git = "https://github.com/apache/arrow-datafusion.git", rev = "5faa10b2911ecca4c2199f78ae675363c7d8230e", default-features = false, features = ["crypto_expressions", "encoding_expressions", "regex_expressions", "unicode_expressions"] }
+datafusion = { git = "https://github.com/apache/arrow-datafusion.git", rev = "99e2cd4b4082296b0e7f98b0fb122861c4f74a11" }
+datafusion-optimizer = { git = "https://github.com/apache/arrow-datafusion.git", rev = "99e2cd4b4082296b0e7f98b0fb122861c4f74a11", default-features = false, features = ["crypto_expressions", "regex_expressions", "unicode_expressions"] }
+datafusion-physical-expr = { git = "https://github.com/apache/arrow-datafusion.git", rev = "99e2cd4b4082296b0e7f98b0fb122861c4f74a11", default-features = false, features = ["crypto_expressions", "encoding_expressions", "regex_expressions", "unicode_expressions"] }
digest = { version = "0.10", features = ["mac", "std"] }
either = { version = "1", features = ["serde"] }
fixedbitset = { version = "0.4" }
|
ce8c158956c25fff7bd63631d400ac35eb1034b6
|
Michael Gattozzi
|
2024-03-06 12:43:00
|
Change Bearer Auth Token to use random bits (#24733)
|
This changes the 'influxdb3 create token' command so that it will just
automatically generate a completely random base64 encoded token prepended with
'apiv3_' that is then fed into a Sha512 algorithm instead of Sha256. The
user can no longer pass in a token to be turned into the proper output.
This also changes the server code to handle the change to Sha512 as well.
Closes #24704
| null |
feat: Change Bearer Auth Token to use random bits (#24733)
This changes the 'influxdb3 create token' command so that it will just
automatically generate a completely random base64 encoded token prepended with
'apiv3_' that is then fed into a Sha512 algorithm instead of Sha256. The
user can no longer pass in a token to be turned into the proper output.
This also changes the server code to handle the change to Sha512 as well.
Closes #24704
|
diff --git a/Cargo.lock b/Cargo.lock
index 403d71fceb..87de480c3f 100644
--- a/Cargo.lock
+++ b/Cargo.lock
@@ -223,7 +223,7 @@ dependencies = [
"arrow-data",
"arrow-schema",
"arrow-select",
- "base64",
+ "base64 0.21.7",
"chrono",
"comfy-table",
"half",
@@ -279,7 +279,7 @@ dependencies = [
"arrow-schema",
"arrow-select",
"arrow-string",
- "base64",
+ "base64 0.21.7",
"bytes",
"futures",
"once_cell",
@@ -538,7 +538,7 @@ source = "git+https://github.com/influxdata/influxdb3_core?rev=86d72868fd39f7865
dependencies = [
"async-trait",
"backoff 0.1.0",
- "base64",
+ "base64 0.21.7",
"generated_types",
"http",
"iox_time",
@@ -644,6 +644,12 @@ version = "0.21.7"
source = "registry+https://github.com/rust-lang/crates.io-index"
checksum = "9d297deb1925b89f2ccc13d7635fa0714f12c87adce1c75356b39ca9b7178567"
+[[package]]
+name = "base64"
+version = "0.22.0"
+source = "registry+https://github.com/rust-lang/crates.io-index"
+checksum = "9475866fec1451be56a3c2400fd081ff546538961565ccb5b7142cbd22bc7a51"
+
[[package]]
name = "base64ct"
version = "1.6.0"
@@ -882,9 +888,9 @@ checksum = "fd16c4719339c4530435d38e511904438d07cce7950afa3718a84ac36c10e89e"
[[package]]
name = "chrono"
-version = "0.4.34"
+version = "0.4.35"
source = "registry+https://github.com/rust-lang/crates.io-index"
-checksum = "5bc015644b92d5890fab7489e49d21f879d5c990186827d42ec511919404f38b"
+checksum = "8eaf5903dcbc0a39312feb77df2ff4c76387d591b9fc7b04a238dcf8bb62639a"
dependencies = [
"android-tzdata",
"iana-time-zone",
@@ -1475,7 +1481,7 @@ version = "36.0.0"
source = "git+https://github.com/apache/arrow-datafusion.git?rev=91f3eb2e5430d23e2b551e66732bec1a3a575971#91f3eb2e5430d23e2b551e66732bec1a3a575971"
dependencies = [
"arrow",
- "base64",
+ "base64 0.21.7",
"datafusion-common",
"datafusion-execution",
"datafusion-expr",
@@ -1525,7 +1531,7 @@ dependencies = [
"arrow-ord",
"arrow-schema",
"arrow-string",
- "base64",
+ "base64 0.21.7",
"blake2",
"blake3",
"chrono",
@@ -2197,7 +2203,7 @@ version = "7.5.4"
source = "registry+https://github.com/rust-lang/crates.io-index"
checksum = "765c9198f173dd59ce26ff9f95ef0aafd0a0fe01fb9d72841bc5066a4c06511d"
dependencies = [
- "base64",
+ "base64 0.21.7",
"byteorder",
"flate2",
"nom",
@@ -2464,6 +2470,7 @@ dependencies = [
"arrow_util",
"assert_cmd",
"backtrace",
+ "base64 0.22.0",
"clap",
"clap_blocks",
"console-subscriber",
@@ -2488,6 +2495,7 @@ dependencies = [
"parking_lot",
"parquet_file",
"pretty_assertions",
+ "rand",
"reqwest",
"secrecy",
"sha2",
@@ -2532,6 +2540,7 @@ dependencies = [
"arrow-schema",
"async-trait",
"authz",
+ "base64 0.22.0",
"bytes",
"chrono",
"data_types",
@@ -2663,7 +2672,7 @@ version = "0.1.0"
source = "git+https://github.com/influxdata/influxdb3_core?rev=86d72868fd39f7865e97d0b3a66bac29a5f662b2#86d72868fd39f7865e97d0b3a66bac29a5f662b2"
dependencies = [
"arrow",
- "base64",
+ "base64 0.21.7",
"bytes",
"data_types",
"datafusion",
@@ -3003,7 +3012,7 @@ version = "0.21.1"
source = "registry+https://github.com/rust-lang/crates.io-index"
checksum = "550f99d93aa4c2b25de527bce492d772caf5e21d7ac9bd4b508ba781c8d91e30"
dependencies = [
- "base64",
+ "base64 0.21.7",
"chrono",
"schemars",
"serde",
@@ -3050,7 +3059,7 @@ version = "0.88.1"
source = "registry+https://github.com/rust-lang/crates.io-index"
checksum = "7fe0d65dd6f3adba29cfb84f19dfe55449c7f6c35425f9d8294bec40313e0b64"
dependencies = [
- "base64",
+ "base64 0.21.7",
"bytes",
"chrono",
"either",
@@ -3731,7 +3740,7 @@ source = "registry+https://github.com/rust-lang/crates.io-index"
checksum = "b8718f8b65fdf67a45108d1548347d4af7d71fb81ce727bbf9e3b2535e079db3"
dependencies = [
"async-trait",
- "base64",
+ "base64 0.21.7",
"bytes",
"chrono",
"futures",
@@ -3856,7 +3865,7 @@ dependencies = [
"arrow-ipc",
"arrow-schema",
"arrow-select",
- "base64",
+ "base64 0.21.7",
"brotli",
"bytes",
"chrono",
@@ -3924,7 +3933,7 @@ version = "0.1.0"
source = "git+https://github.com/influxdata/influxdb3_core?rev=86d72868fd39f7865e97d0b3a66bac29a5f662b2#86d72868fd39f7865e97d0b3a66bac29a5f662b2"
dependencies = [
"arrow",
- "base64",
+ "base64 0.21.7",
"bytes",
"data_types",
"datafusion",
@@ -3968,7 +3977,7 @@ version = "0.6.0"
source = "registry+https://github.com/rust-lang/crates.io-index"
checksum = "1030c719b0ec2a2d25a5df729d6cff1acf3cc230bf766f4f97833591f7577b90"
dependencies = [
- "base64",
+ "base64 0.21.7",
"serde",
]
@@ -4005,7 +4014,7 @@ version = "3.0.3"
source = "registry+https://github.com/rust-lang/crates.io-index"
checksum = "1b8fcc794035347fb64beda2d3b462595dd2753e3f268d89c5aae77e8cf2c310"
dependencies = [
- "base64",
+ "base64 0.21.7",
"serde",
]
@@ -4621,7 +4630,7 @@ version = "0.11.24"
source = "registry+https://github.com/rust-lang/crates.io-index"
checksum = "c6920094eb85afde5e4a138be3f2de8bbdf28000f0029e72c45025a56b042251"
dependencies = [
- "base64",
+ "base64 0.21.7",
"bytes",
"encoding_rs",
"futures-core",
@@ -4761,7 +4770,7 @@ version = "1.0.4"
source = "registry+https://github.com/rust-lang/crates.io-index"
checksum = "1c74cae0a4cf6ccbbf5f359f08efdf8ee7e1dc532573bf0db71968cb56b1448c"
dependencies = [
- "base64",
+ "base64 0.21.7",
]
[[package]]
@@ -4770,7 +4779,7 @@ version = "2.1.1"
source = "registry+https://github.com/rust-lang/crates.io-index"
checksum = "f48172685e6ff52a556baa527774f61fcaa884f59daf3375c62a3f1cd2549dab"
dependencies = [
- "base64",
+ "base64 0.21.7",
"rustls-pki-types",
]
@@ -5411,7 +5420,7 @@ source = "registry+https://github.com/rust-lang/crates.io-index"
checksum = "e37195395df71fd068f6e2082247891bc11e3289624bbc776a0cdfa1ca7f1ea4"
dependencies = [
"atoi",
- "base64",
+ "base64 0.21.7",
"bitflags 2.4.2",
"byteorder",
"bytes",
@@ -5454,7 +5463,7 @@ source = "registry+https://github.com/rust-lang/crates.io-index"
checksum = "d6ac0ac3b7ccd10cc96c7ab29791a7dd236bd94021f31eec7ba3d46a74aa1c24"
dependencies = [
"atoi",
- "base64",
+ "base64 0.21.7",
"bitflags 2.4.2",
"byteorder",
"crc",
@@ -5974,7 +5983,7 @@ checksum = "3082666a3a6433f7f511c7192923fa1fe07c69332d3c6a2e6bb040b569199d5a"
dependencies = [
"async-trait",
"axum",
- "base64",
+ "base64 0.21.7",
"bytes",
"futures-core",
"futures-util",
@@ -6003,7 +6012,7 @@ dependencies = [
"async-stream",
"async-trait",
"axum",
- "base64",
+ "base64 0.21.7",
"bytes",
"h2",
"http",
@@ -6090,7 +6099,7 @@ version = "0.4.4"
source = "registry+https://github.com/rust-lang/crates.io-index"
checksum = "61c5bb1d698276a2443e5ecfabc1008bf15a36c12e6a7176e7bf089ea9131140"
dependencies = [
- "base64",
+ "base64 0.21.7",
"bitflags 2.4.2",
"bytes",
"futures-core",
@@ -6818,7 +6827,7 @@ dependencies = [
"ahash",
"arrow",
"arrow-ipc",
- "base64",
+ "base64 0.21.7",
"bit-set",
"bit-vec",
"bitflags 2.4.2",
diff --git a/Cargo.toml b/Cargo.toml
index 965d6205e8..629d6a7dfe 100644
--- a/Cargo.toml
+++ b/Cargo.toml
@@ -39,6 +39,7 @@ arrow-schema = "50.0.0"
assert_cmd = "2.0.14"
async-trait = "0.1"
backtrace = "0.3"
+base64 = "0.22.0"
byteorder = "1.3.4"
bytes = "1.5"
chrono = "0.4"
@@ -70,6 +71,7 @@ pretty_assertions = "1.4.0"
prost = "0.12.3"
prost-build = "0.12.2"
prost-types = "0.12.3"
+rand = "0.8.5"
reqwest = { version = "0.11.24", default-features = false, features = ["rustls-tls"] }
secrecy = "0.8.0"
serde = { version = "1.0", features = ["derive"] }
diff --git a/influxdb3/Cargo.toml b/influxdb3/Cargo.toml
index df370bd51c..763930dff3 100644
--- a/influxdb3/Cargo.toml
+++ b/influxdb3/Cargo.toml
@@ -28,6 +28,7 @@ influxdb3_write = { path = "../influxdb3_write" }
# Crates.io dependencies
backtrace.workspace = true
+base64.workspace = true
clap.workspace = true
dotenvy.workspace = true
hex.workspace = true
@@ -35,6 +36,7 @@ libc.workspace = true
num_cpus.workspace = true
once_cell.workspace = true
parking_lot.workspace = true
+rand.workspace = true
secrecy.workspace = true
sha2.workspace = true
thiserror.workspace = true
diff --git a/influxdb3/src/commands/create.rs b/influxdb3/src/commands/create.rs
index b3d2478dd5..3252b5b88a 100644
--- a/influxdb3/src/commands/create.rs
+++ b/influxdb3/src/commands/create.rs
@@ -1,6 +1,11 @@
+use base64::engine::general_purpose::URL_SAFE_NO_PAD as B64;
+use base64::Engine as _;
+use rand::rngs::OsRng;
+use rand::RngCore;
use sha2::Digest;
-use sha2::Sha256;
+use sha2::Sha512;
use std::error::Error;
+use std::str;
#[derive(Debug, clap::Parser)]
pub struct Config {
@@ -10,25 +15,28 @@ pub struct Config {
#[derive(Debug, clap::Parser)]
pub enum SubCommand {
- Token { token: String },
+ Token,
}
pub fn command(config: Config) -> Result<(), Box<dyn Error>> {
match config.cmd {
- SubCommand::Token { token } => {
- if token.is_empty() {
- return Err("Token argument must not be empty".into());
- }
-
+ SubCommand::Token => {
+ let token = {
+ let mut token = String::from("apiv3_");
+ let mut key = [0u8; 64];
+ OsRng.fill_bytes(&mut key);
+ token.push_str(&B64.encode(key));
+ token
+ };
println!(
"\
- Token Input: {token}\n\
- Hashed Output: {hashed}\n\n\
+ Token: {token}\n\
+ Hashed Token: {hashed}\n\n\
Start the server with `influxdb3 serve --bearer-token {hashed}`\n\n\
HTTP requests require the following header: \"Authorization: Bearer {token}\"\n\
This will grant you access to every HTTP endpoint or deny it otherwise
",
- hashed = hex::encode(&Sha256::digest(&token)[..])
+ hashed = hex::encode(&Sha512::digest(&token)[..])
);
}
}
diff --git a/influxdb3/tests/server/auth.rs b/influxdb3/tests/server/auth.rs
index 1565801170..fec2f393fc 100644
--- a/influxdb3/tests/server/auth.rs
+++ b/influxdb3/tests/server/auth.rs
@@ -27,6 +27,8 @@ static COMMAND: Mutex<Option<DropCommand>> = parking_lot::const_mutex(None);
#[tokio::test]
async fn auth() {
+ const HASHED_TOKEN: &str = "5315f0c4714537843face80cca8c18e27ce88e31e9be7a5232dc4dc8444f27c0227a9bd64831d3ab58f652bd0262dd8558dd08870ac9e5c650972ce9e4259439";
+ const TOKEN: &str = "apiv3_mp75KQAhbqv0GeQXk8MPuZ3ztaLEaR5JzS8iifk1FwuroSVyXXyrJK1c4gEr1kHkmbgzDV-j3MvQpaIMVJBAiA";
// The binary is made before testing so we have access to it
let bin_path = {
let mut bin_path = env::current_exe().unwrap();
@@ -41,10 +43,10 @@ async fn auth() {
"--object-store",
"memory",
"--bearer-token",
- "2c26b46b68ffc68ff99b453c1d30413413422d706483bfa0f98a5e886266e7ae", // foo as a sha256
+ HASHED_TOKEN,
])
- .stderr(Stdio::null())
.stdout(Stdio::null())
+ .stderr(Stdio::null())
.spawn()
.expect("Was able to spawn a server"),
);
@@ -62,7 +64,7 @@ async fn auth() {
// Wait for the server to come up
while client
.get("http://127.0.0.1:8181/health")
- .bearer_auth("foo")
+ .bearer_auth(TOKEN)
.send()
.await
.is_err()
@@ -91,7 +93,7 @@ async fn auth() {
client
.post("http://127.0.0.1:8181/api/v3/write_lp?db=foo")
.body("cpu,host=a val=1i 123")
- .bearer_auth("foo")
+ .bearer_auth(TOKEN)
.send()
.await
.unwrap()
@@ -101,7 +103,7 @@ async fn auth() {
assert_eq!(
client
.get("http://127.0.0.1:8181/api/v3/query_sql?db=foo&q=select+*+from+cpu")
- .bearer_auth("foo")
+ .bearer_auth(TOKEN)
.send()
.await
.unwrap()
@@ -113,7 +115,7 @@ async fn auth() {
assert_eq!(
client
.get("http://127.0.0.1:8181/api/v3/query_sql?db=foo&q=select+*+from+cpu")
- .header("Authorization", "Bearer foo whee")
+ .header("Authorization", format!("Bearer {TOKEN} whee"))
.send()
.await
.unwrap()
@@ -123,7 +125,7 @@ async fn auth() {
assert_eq!(
client
.get("http://127.0.0.1:8181/api/v3/query_sql?db=foo&q=select+*+from+cpu")
- .header("Authorization", "bearer foo")
+ .header("Authorization", format!("bearer {TOKEN}"))
.send()
.await
.unwrap()
@@ -143,7 +145,7 @@ async fn auth() {
assert_eq!(
client
.get("http://127.0.0.1:8181/api/v3/query_sql?db=foo&q=select+*+from+cpu")
- .header("Authorizon", "Bearer foo")
+ .header("auth", format!("Bearer {TOKEN}"))
.send()
.await
.unwrap()
diff --git a/influxdb3_server/Cargo.toml b/influxdb3_server/Cargo.toml
index b67607ccb6..c8cad1f26e 100644
--- a/influxdb3_server/Cargo.toml
+++ b/influxdb3_server/Cargo.toml
@@ -38,6 +38,7 @@ arrow-flight.workspace = true
arrow-json.workspace = true
arrow-schema.workspace = true
async-trait.workspace = true
+base64.workspace = true
bytes.workspace = true
chrono.workspace = true
datafusion.workspace = true
diff --git a/influxdb3_server/src/http.rs b/influxdb3_server/src/http.rs
index 60d917908a..cd48f0cd3e 100644
--- a/influxdb3_server/src/http.rs
+++ b/influxdb3_server/src/http.rs
@@ -30,7 +30,7 @@ use serde::de::DeserializeOwned;
use serde::Deserialize;
use serde::Serialize;
use sha2::Digest;
-use sha2::Sha256;
+use sha2::Sha512;
use std::convert::Infallible;
use std::fmt::Debug;
use std::num::NonZeroI32;
@@ -516,7 +516,7 @@ where
}
// Check that the hashed token is acceptable
- let authorized = &Sha256::digest(token)[..] == bearer_token;
+ let authorized = &Sha512::digest(token)[..] == bearer_token;
if !authorized {
return Err(AuthorizationError::Unauthorized);
}
|
f83db0a52eb55f9c5ae90b775981a6364cfd4785
|
Marco Neumann
|
2023-02-06 13:29:32
|
pass more information to `commit` (#6867)
|
This is NOT used yet but will greatly help w/ logging and metrics. E.g.
it allows us to count rows and bytes of in/out-flow, create per-file
histograms of bytes/rows, and more.
|
Co-authored-by: kodiakhq[bot] <49736102+kodiakhq[bot]@users.noreply.github.com>
|
refactor: pass more information to `commit` (#6867)
This is NOT used yet but will greatly help w/ logging and metrics. E.g.
it allows us to count rows and bytes of in/out-flow, create per-file
histograms of bytes/rows, and more.
Co-authored-by: kodiakhq[bot] <49736102+kodiakhq[bot]@users.noreply.github.com>
|
diff --git a/compactor2/src/components/combos/throttle_partition.rs b/compactor2/src/components/combos/throttle_partition.rs
index 874d6a7c85..2566f9095c 100644
--- a/compactor2/src/components/combos/throttle_partition.rs
+++ b/compactor2/src/components/combos/throttle_partition.rs
@@ -8,7 +8,7 @@ use std::{
};
use async_trait::async_trait;
-use data_types::{CompactionLevel, ParquetFileId, ParquetFileParams, PartitionId};
+use data_types::{CompactionLevel, ParquetFile, ParquetFileId, ParquetFileParams, PartitionId};
use futures::StreamExt;
use iox_time::{Time, TimeProvider};
@@ -214,8 +214,8 @@ where
async fn commit(
&self,
partition_id: PartitionId,
- delete: &[ParquetFileId],
- upgrade: &[ParquetFileId],
+ delete: &[ParquetFile],
+ upgrade: &[ParquetFile],
create: &[ParquetFileParams],
target_level: CompactionLevel,
) -> Vec<ParquetFileId> {
diff --git a/compactor2/src/components/commit/catalog.rs b/compactor2/src/components/commit/catalog.rs
index 38e36b61e4..17c4838a06 100644
--- a/compactor2/src/components/commit/catalog.rs
+++ b/compactor2/src/components/commit/catalog.rs
@@ -2,7 +2,7 @@ use std::{fmt::Display, sync::Arc};
use async_trait::async_trait;
use backoff::{Backoff, BackoffConfig};
-use data_types::{CompactionLevel, ParquetFileId, ParquetFileParams, PartitionId};
+use data_types::{CompactionLevel, ParquetFile, ParquetFileId, ParquetFileParams, PartitionId};
use iox_catalog::interface::Catalog;
use super::Commit;
@@ -33,14 +33,16 @@ impl Commit for CatalogCommit {
async fn commit(
&self,
_partition_id: PartitionId,
- delete: &[ParquetFileId],
- upgrade: &[ParquetFileId],
+ delete: &[ParquetFile],
+ upgrade: &[ParquetFile],
create: &[ParquetFileParams],
target_level: CompactionLevel,
) -> Vec<ParquetFileId> {
// Either upgrade or (delete & create) must not empty
assert!(!upgrade.is_empty() || (!delete.is_empty() && !create.is_empty()));
+ let upgrade = upgrade.iter().map(|f| f.id).collect::<Vec<_>>();
+
Backoff::new(&self.backoff_config)
.retry_all_errors("commit parquet file changes", || async {
let mut txn = self.catalog.start_transaction().await?;
@@ -48,11 +50,11 @@ impl Commit for CatalogCommit {
let parquet_files = txn.parquet_files();
for file in delete {
- parquet_files.flag_for_delete(*file).await?;
+ parquet_files.flag_for_delete(file.id).await?;
}
parquet_files
- .update_compaction_level(upgrade, target_level)
+ .update_compaction_level(&upgrade, target_level)
.await?;
let mut ids = Vec::with_capacity(create.len());
diff --git a/compactor2/src/components/commit/logging.rs b/compactor2/src/components/commit/logging.rs
index 43c650d57f..9d947a34ef 100644
--- a/compactor2/src/components/commit/logging.rs
+++ b/compactor2/src/components/commit/logging.rs
@@ -1,7 +1,7 @@
use std::fmt::Display;
use async_trait::async_trait;
-use data_types::{CompactionLevel, ParquetFileId, ParquetFileParams, PartitionId};
+use data_types::{CompactionLevel, ParquetFile, ParquetFileId, ParquetFileParams, PartitionId};
use observability_deps::tracing::info;
use super::Commit;
@@ -40,8 +40,8 @@ where
async fn commit(
&self,
partition_id: PartitionId,
- delete: &[ParquetFileId],
- upgrade: &[ParquetFileId],
+ delete: &[ParquetFile],
+ upgrade: &[ParquetFile],
create: &[ParquetFileParams],
target_level: CompactionLevel,
) -> Vec<ParquetFileId> {
@@ -59,9 +59,9 @@ where
partition_id=partition_id.get(),
n_delete=delete.len(),
n_upgrade=upgrade.len(),
- n_create=created.len(),
- delete=?delete.iter().map(|id| id.get()).collect::<Vec<_>>(),
- upgrade=?upgrade.iter().map(|id| id.get()).collect::<Vec<_>>(),
+ n_create=created.len(),
+ delete=?delete.iter().map(|f| f.id.get()).collect::<Vec<_>>(),
+ upgrade=?upgrade.iter().map(|f| f.id.get()).collect::<Vec<_>>(),
create=?created.iter().map(|id| id.get()).collect::<Vec<_>>(),
"committed parquet file change",
);
@@ -94,6 +94,10 @@ mod tests {
let inner = Arc::new(MockCommit::new());
let commit = LoggingCommitWrapper::new(Arc::clone(&inner));
+ let existing_1 = ParquetFileBuilder::new(1).build();
+ let existing_2 = ParquetFileBuilder::new(2).build();
+ let existing_3 = ParquetFileBuilder::new(3).build();
+
let created_1 = ParquetFileBuilder::new(1000).with_partition(1).build();
let created_2 = ParquetFileBuilder::new(1001).with_partition(1).build();
@@ -102,7 +106,7 @@ mod tests {
let ids = commit
.commit(
PartitionId::new(1),
- &[ParquetFileId::new(1)],
+ &[existing_1.clone()],
&[],
&[created_1.clone().into(), created_2.clone().into()],
CompactionLevel::Final,
@@ -116,8 +120,8 @@ mod tests {
let ids = commit
.commit(
PartitionId::new(2),
- &[ParquetFileId::new(2), ParquetFileId::new(3)],
- &[ParquetFileId::new(1)],
+ &[existing_2.clone(), existing_3.clone()],
+ &[existing_1.clone()],
&[],
CompactionLevel::Final,
)
@@ -126,7 +130,7 @@ mod tests {
assert_eq!(
capture.to_string(),
- "level = INFO; message = committed parquet file change; target_level = Final; partition_id = 1; n_delete = 1; n_upgrade = 0; n_create = 2; delete = [1]; upgrade = []; create = [1000, 1001];
+ "level = INFO; message = committed parquet file change; target_level = Final; partition_id = 1; n_delete = 1; n_upgrade = 0; n_create = 2; delete = [1]; upgrade = []; create = [1000, 1001]; \n\
level = INFO; message = committed parquet file change; target_level = Final; partition_id = 2; n_delete = 2; n_upgrade = 1; n_create = 0; delete = [2, 3]; upgrade = [1]; create = []; "
);
@@ -135,15 +139,15 @@ level = INFO; message = committed parquet file change; target_level = Final; par
vec![
CommitHistoryEntry {
partition_id: PartitionId::new(1),
- delete: vec![ParquetFileId::new(1)],
+ delete: vec![existing_1.clone()],
upgrade: vec![],
created: vec![created_1, created_2],
target_level: CompactionLevel::Final,
},
CommitHistoryEntry {
partition_id: PartitionId::new(2),
- delete: vec![ParquetFileId::new(2), ParquetFileId::new(3)],
- upgrade: vec![ParquetFileId::new(1)],
+ delete: vec![existing_2, existing_3],
+ upgrade: vec![existing_1],
created: vec![],
target_level: CompactionLevel::Final,
},
diff --git a/compactor2/src/components/commit/metrics.rs b/compactor2/src/components/commit/metrics.rs
index 4b4040b329..4690b3e31a 100644
--- a/compactor2/src/components/commit/metrics.rs
+++ b/compactor2/src/components/commit/metrics.rs
@@ -1,7 +1,7 @@
use std::fmt::Display;
use async_trait::async_trait;
-use data_types::{CompactionLevel, ParquetFileId, ParquetFileParams, PartitionId};
+use data_types::{CompactionLevel, ParquetFile, ParquetFileId, ParquetFileParams, PartitionId};
use metric::{Registry, U64Counter};
use super::Commit;
@@ -74,8 +74,8 @@ where
async fn commit(
&self,
partition_id: PartitionId,
- delete: &[ParquetFileId],
- upgrade: &[ParquetFileId],
+ delete: &[ParquetFile],
+ upgrade: &[ParquetFile],
create: &[ParquetFileParams],
target_level: CompactionLevel,
) -> Vec<ParquetFileId> {
@@ -120,6 +120,11 @@ mod tests {
let inner = Arc::new(MockCommit::new());
let commit = MetricsCommitWrapper::new(Arc::clone(&inner), ®istry);
+ let existing_1 = ParquetFileBuilder::new(1).build();
+ let existing_2 = ParquetFileBuilder::new(2).build();
+ let existing_3 = ParquetFileBuilder::new(3).build();
+ let existing_4 = ParquetFileBuilder::new(4).build();
+
let created = ParquetFileBuilder::new(1000).with_partition(1).build();
assert_eq!(create_counter(®istry), 0);
@@ -130,8 +135,8 @@ mod tests {
let ids = commit
.commit(
PartitionId::new(1),
- &[ParquetFileId::new(1)],
- &[ParquetFileId::new(2)],
+ &[existing_1.clone()],
+ &[existing_2.clone()],
&[created.clone().into()],
CompactionLevel::FileNonOverlapped,
)
@@ -141,8 +146,8 @@ mod tests {
let ids = commit
.commit(
PartitionId::new(2),
- &[ParquetFileId::new(2), ParquetFileId::new(3)],
- &[ParquetFileId::new(4)],
+ &[existing_2.clone(), existing_3.clone()],
+ &[existing_4.clone()],
&[],
CompactionLevel::Final,
)
@@ -159,15 +164,15 @@ mod tests {
vec![
CommitHistoryEntry {
partition_id: PartitionId::new(1),
- delete: vec![ParquetFileId::new(1)],
- upgrade: vec![ParquetFileId::new(2)],
+ delete: vec![existing_1],
+ upgrade: vec![existing_2.clone()],
created: vec![created],
target_level: CompactionLevel::FileNonOverlapped,
},
CommitHistoryEntry {
partition_id: PartitionId::new(2),
- delete: vec![ParquetFileId::new(2), ParquetFileId::new(3)],
- upgrade: vec![ParquetFileId::new(4)],
+ delete: vec![existing_2, existing_3],
+ upgrade: vec![existing_4],
created: vec![],
target_level: CompactionLevel::Final,
},
diff --git a/compactor2/src/components/commit/mock.rs b/compactor2/src/components/commit/mock.rs
index 6c278c977b..71295af25a 100644
--- a/compactor2/src/components/commit/mock.rs
+++ b/compactor2/src/components/commit/mock.rs
@@ -14,8 +14,8 @@ use super::Commit;
#[derive(Debug, PartialEq, Eq, Clone)]
pub struct CommitHistoryEntry {
pub partition_id: PartitionId,
- pub delete: Vec<ParquetFileId>,
- pub upgrade: Vec<ParquetFileId>,
+ pub delete: Vec<ParquetFile>,
+ pub upgrade: Vec<ParquetFile>,
pub created: Vec<ParquetFile>,
pub target_level: CompactionLevel,
}
@@ -52,8 +52,8 @@ impl Commit for MockCommit {
async fn commit(
&self,
partition_id: PartitionId,
- delete: &[ParquetFileId],
- upgrade: &[ParquetFileId],
+ delete: &[ParquetFile],
+ upgrade: &[ParquetFile],
create: &[ParquetFileParams],
target_level: CompactionLevel,
) -> Vec<ParquetFileId> {
@@ -96,6 +96,15 @@ mod tests {
async fn test_commit() {
let commit = MockCommit::new();
+ let existing_1 = ParquetFileBuilder::new(1).build();
+ let existing_2 = ParquetFileBuilder::new(2).build();
+ let existing_3 = ParquetFileBuilder::new(3).build();
+ let existing_4 = ParquetFileBuilder::new(4).build();
+ let existing_5 = ParquetFileBuilder::new(5).build();
+ let existing_6 = ParquetFileBuilder::new(6).build();
+ let existing_7 = ParquetFileBuilder::new(7).build();
+ let existing_8 = ParquetFileBuilder::new(8).build();
+
let created_1_1 = ParquetFileBuilder::new(1000).with_partition(1).build();
let created_1_2 = ParquetFileBuilder::new(1001).with_partition(1).build();
let created_1_3 = ParquetFileBuilder::new(1003).with_partition(1).build();
@@ -104,8 +113,8 @@ mod tests {
let ids = commit
.commit(
PartitionId::new(1),
- &[ParquetFileId::new(1), ParquetFileId::new(2)],
- &[ParquetFileId::new(3), ParquetFileId::new(4)],
+ &[existing_1.clone(), existing_2.clone()],
+ &[existing_3.clone(), existing_4.clone()],
&[created_1_1.clone().into(), created_1_2.clone().into()],
CompactionLevel::FileNonOverlapped,
)
@@ -118,7 +127,7 @@ mod tests {
let ids = commit
.commit(
PartitionId::new(2),
- &[ParquetFileId::new(3)],
+ &[existing_3.clone()],
&[],
&[created_2_1.clone().into()],
CompactionLevel::Final,
@@ -129,11 +138,7 @@ mod tests {
let ids = commit
.commit(
PartitionId::new(1),
- &[
- ParquetFileId::new(5),
- ParquetFileId::new(6),
- ParquetFileId::new(7),
- ],
+ &[existing_5.clone(), existing_6.clone(), existing_7.clone()],
&[],
&[created_1_3.clone().into()],
CompactionLevel::FileNonOverlapped,
@@ -145,7 +150,7 @@ mod tests {
let ids = commit
.commit(
PartitionId::new(1),
- &[ParquetFileId::new(8)],
+ &[existing_8.clone()],
&[],
&[],
CompactionLevel::FileNonOverlapped,
@@ -158,32 +163,28 @@ mod tests {
vec![
CommitHistoryEntry {
partition_id: PartitionId::new(1),
- delete: vec![ParquetFileId::new(1), ParquetFileId::new(2)],
- upgrade: vec![ParquetFileId::new(3), ParquetFileId::new(4)],
+ delete: vec![existing_1, existing_2],
+ upgrade: vec![existing_3.clone(), existing_4.clone()],
created: vec![created_1_1, created_1_2],
target_level: CompactionLevel::FileNonOverlapped,
},
CommitHistoryEntry {
partition_id: PartitionId::new(2),
- delete: vec![ParquetFileId::new(3)],
+ delete: vec![existing_3],
upgrade: vec![],
created: vec![created_2_1],
target_level: CompactionLevel::Final,
},
CommitHistoryEntry {
partition_id: PartitionId::new(1),
- delete: vec![
- ParquetFileId::new(5),
- ParquetFileId::new(6),
- ParquetFileId::new(7)
- ],
+ delete: vec![existing_5, existing_6, existing_7,],
upgrade: vec![],
created: vec![created_1_3],
target_level: CompactionLevel::FileNonOverlapped,
},
CommitHistoryEntry {
partition_id: PartitionId::new(1),
- delete: vec![ParquetFileId::new(8)],
+ delete: vec![existing_8],
upgrade: vec![],
created: vec![],
target_level: CompactionLevel::FileNonOverlapped,
diff --git a/compactor2/src/components/commit/mod.rs b/compactor2/src/components/commit/mod.rs
index 1d833d2f45..b72908b358 100644
--- a/compactor2/src/components/commit/mod.rs
+++ b/compactor2/src/components/commit/mod.rs
@@ -4,7 +4,7 @@ use std::{
};
use async_trait::async_trait;
-use data_types::{CompactionLevel, ParquetFileId, ParquetFileParams, PartitionId};
+use data_types::{CompactionLevel, ParquetFile, ParquetFileId, ParquetFileParams, PartitionId};
pub mod catalog;
pub mod logging;
@@ -23,8 +23,8 @@ pub trait Commit: Debug + Display + Send + Sync {
async fn commit(
&self,
partition_id: PartitionId,
- delete: &[ParquetFileId],
- upgrade: &[ParquetFileId],
+ delete: &[ParquetFile],
+ upgrade: &[ParquetFile],
create: &[ParquetFileParams],
target_level: CompactionLevel,
) -> Vec<ParquetFileId>;
@@ -38,8 +38,8 @@ where
async fn commit(
&self,
partition_id: PartitionId,
- delete: &[ParquetFileId],
- upgrade: &[ParquetFileId],
+ delete: &[ParquetFile],
+ upgrade: &[ParquetFile],
create: &[ParquetFileParams],
target_level: CompactionLevel,
) -> Vec<ParquetFileId> {
diff --git a/compactor2/src/driver.rs b/compactor2/src/driver.rs
index 056f2d40cb..cd07ba8554 100644
--- a/compactor2/src/driver.rs
+++ b/compactor2/src/driver.rs
@@ -1,6 +1,6 @@
use std::{future::Future, num::NonZeroUsize, sync::Arc, time::Duration};
-use data_types::{CompactionLevel, ParquetFile, ParquetFileId, ParquetFileParams, PartitionId};
+use data_types::{CompactionLevel, ParquetFile, ParquetFileParams, PartitionId};
use datafusion::physical_plan::SendableRecordBatchStream;
use futures::{stream::FuturesOrdered, StreamExt, TryFutureExt, TryStreamExt};
use iox_time::Time;
@@ -224,15 +224,10 @@ async fn try_compact_partition(
// Identify the target level and files that should be compacted, upgraded, and
// kept for next round of compaction
let compaction_plan = buil_compaction_plan(branch, Arc::clone(&components))?;
- let ids_to_delete = compaction_plan
- .files_to_compact
- .iter()
- .map(|f| f.id)
- .collect::<Vec<_>>();
// Compact
let created_file_params = compact_files(
- compaction_plan.files_to_compact,
+ &compaction_plan.files_to_compact,
partition_info,
&components,
compaction_plan.target_level,
@@ -253,7 +248,7 @@ async fn try_compact_partition(
let (created_files, upgraded_files) = update_catalog(
Arc::clone(&components),
partition_id,
- ids_to_delete,
+ compaction_plan.files_to_compact,
compaction_plan.files_to_upgrade,
created_file_params,
compaction_plan.target_level,
@@ -291,7 +286,7 @@ struct CompactionPlan {
/// . Input:
/// |--L0.1--| |--L0.2--| |--L0.3--| |--L0.4--| --L0.5--|
/// |--L1.1--| |--L1.2--| |--L1.3--| |--L1.4--|
-/// |---L2.1--|
+/// |---L2.1--|
///
/// .Output
/// . target_level = 1
@@ -343,7 +338,7 @@ fn buil_compaction_plan(
/// This function assumes the input files only include overlapped files of `target_level - 1`
/// and files of target_level.
async fn compact_files(
- files: Vec<ParquetFile>,
+ files: &[ParquetFile],
partition_info: &Arc<PartitionInfo>,
components: &Arc<Components>,
target_level: CompactionLevel,
@@ -365,11 +360,11 @@ async fn compact_files(
let input_paths: Vec<ParquetFilePath> = files.iter().map(|f| f.into()).collect();
let input_uuids_inpad = scratchpad_ctx.load_to_scratchpad(&input_paths).await;
let branch_inpad: Vec<_> = files
- .into_iter()
+ .iter()
.zip(input_uuids_inpad)
.map(|(f, uuid)| ParquetFile {
object_store_id: uuid,
- ..f
+ ..f.clone()
})
.collect();
@@ -430,19 +425,17 @@ async fn upload_files_to_object_store(
async fn update_catalog(
components: Arc<Components>,
partition_id: PartitionId,
- ids_to_delete: Vec<ParquetFileId>,
+ files_to_delete: Vec<ParquetFile>,
files_to_upgrade: Vec<ParquetFile>,
file_params_to_create: Vec<ParquetFileParams>,
target_level: CompactionLevel,
) -> (Vec<ParquetFile>, Vec<ParquetFile>) {
- let ids_to_upgrade = files_to_upgrade.iter().map(|f| f.id).collect::<Vec<_>>();
-
let created_ids = components
.commit
.commit(
partition_id,
- &ids_to_delete,
- &ids_to_upgrade,
+ &files_to_delete,
+ &files_to_upgrade,
&file_params_to_create,
target_level,
)
|
9b7697e0d07fe93ca04851370583dbd94e0771b1
|
Marco Neumann
|
2023-09-08 10:14:28
|
backoff & retry for i->q V2 client (#8688)
|
* feat: error classifiers for retries etc.
* feat: backoff-based retries
---------
|
Co-authored-by: kodiakhq[bot] <49736102+kodiakhq[bot]@users.noreply.github.com>
|
feat: backoff & retry for i->q V2 client (#8688)
* feat: error classifiers for retries etc.
* feat: backoff-based retries
---------
Co-authored-by: kodiakhq[bot] <49736102+kodiakhq[bot]@users.noreply.github.com>
|
diff --git a/Cargo.lock b/Cargo.lock
index 82b36214ec..d1cb77727e 100644
--- a/Cargo.lock
+++ b/Cargo.lock
@@ -2765,6 +2765,7 @@ version = "0.1.0"
dependencies = [
"arrow",
"async-trait",
+ "backoff",
"client_util",
"data_types",
"datafusion",
diff --git a/ingester_query_client/Cargo.toml b/ingester_query_client/Cargo.toml
index f6156acf1c..ab7ed730ce 100644
--- a/ingester_query_client/Cargo.toml
+++ b/ingester_query_client/Cargo.toml
@@ -8,6 +8,7 @@ license.workspace = true
[dependencies] # In alphabetical order
arrow = { workspace = true, features = ["prettyprint", "dyn_cmp_dict"] }
async-trait = "0.1"
+backoff = { path = "../backoff" }
client_util = { path = "../client_util" }
data_types = { path = "../data_types" }
datafusion = { workspace = true }
diff --git a/ingester_query_client/src/error_classifier.rs b/ingester_query_client/src/error_classifier.rs
new file mode 100644
index 0000000000..d8552ce40d
--- /dev/null
+++ b/ingester_query_client/src/error_classifier.rs
@@ -0,0 +1,91 @@
+//! Classifies the kind of the error.
+
+use crate::error::{DynError, ErrorChainExt};
+use std::{fmt::Debug, sync::Arc};
+
+/// Dynamic classifier.
+#[derive(Clone)]
+pub struct ErrorClassifier {
+ inner: Arc<dyn Fn(&DynError) -> bool + Send + Sync>,
+}
+
+impl ErrorClassifier {
+ /// Create dyn-typed error classifier.
+ pub fn new<F>(f: F) -> Self
+ where
+ F: Fn(&DynError) -> bool + Send + Sync + 'static,
+ {
+ Self { inner: Arc::new(f) }
+ }
+
+ /// Checks if given error matches this classifier.
+ pub fn matches(&self, e: &DynError) -> bool {
+ (self.inner)(e)
+ }
+}
+
+impl Debug for ErrorClassifier {
+ fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
+ f.debug_struct("ErrorClassifier").finish_non_exhaustive()
+ }
+}
+
+/// Checks if this is a connection / ingester-state error.
+///
+/// This can lead to cutting the connection or breaking/opening the circuit.
+pub fn is_upstream_error(e: &DynError) -> bool {
+ e.error_chain().any(|e| {
+ if let Some(e) = e.downcast_ref::<tonic::Status>() {
+ return !matches!(
+ e.code(),
+ tonic::Code::NotFound | tonic::Code::ResourceExhausted
+ );
+ }
+
+ false
+ })
+}
+
+/// Simple error for testing purposes that controles [`test_error_classifier`].
+#[derive(Debug)]
+#[allow(missing_copy_implementations)]
+pub struct TestError {
+ retry: bool,
+}
+
+impl TestError {
+ /// Retry.
+ pub const RETRY: Self = Self { retry: true };
+
+ /// Do NOT retry.
+ pub const NO_RETRY: Self = Self { retry: false };
+}
+
+impl std::fmt::Display for TestError {
+ fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
+ write!(f, "test error, retry={}", self.retry)
+ }
+}
+
+impl std::error::Error for TestError {}
+
+/// Classifier that checks for [`TestError`].
+pub fn test_error_classifier() -> ErrorClassifier {
+ ErrorClassifier::new(|e| {
+ e.error_chain().any(|e| {
+ e.downcast_ref::<TestError>()
+ .map(|e| e.retry)
+ .unwrap_or_default()
+ })
+ })
+}
+
+#[cfg(test)]
+mod tests {
+ use crate::assert_impl;
+
+ use super::*;
+
+ assert_impl!(dyn_classifier_is_send, ErrorClassifier, Send);
+ assert_impl!(dyn_classifier_is_sync, ErrorClassifier, Sync);
+}
diff --git a/ingester_query_client/src/layers/backoff.rs b/ingester_query_client/src/layers/backoff.rs
new file mode 100644
index 0000000000..5ff7092dfc
--- /dev/null
+++ b/ingester_query_client/src/layers/backoff.rs
@@ -0,0 +1,181 @@
+//! Backoff layer.
+
+use std::ops::ControlFlow;
+
+use async_trait::async_trait;
+use backoff::{Backoff, BackoffConfig};
+
+use crate::{
+ error::DynError,
+ error_classifier::{is_upstream_error, ErrorClassifier},
+ layer::{Layer, QueryResponse},
+};
+
+/// Backoff layer.
+///
+/// This will retry and backoff if the initial request fails. This will NOT handle errors that occur during streaming.
+/// The reason is that a) the majority of the errors occurs during the initial response and b) retrying during streaming
+/// is generally impossible since parts of the stream might already be consumed (e.g. converted, aggregated, send back
+/// to the user, ...).
+#[derive(Debug)]
+pub struct BackoffLayer<L>
+where
+ L: Layer,
+{
+ config: BackoffConfig,
+ inner: L,
+ should_retry: ErrorClassifier,
+}
+
+impl<L> BackoffLayer<L>
+where
+ L: Layer,
+{
+ /// Create new backoff wrapper.
+ pub fn new(inner: L, config: BackoffConfig) -> Self {
+ Self::new_with_classifier(inner, config, ErrorClassifier::new(is_upstream_error))
+ }
+
+ fn new_with_classifier(inner: L, config: BackoffConfig, should_retry: ErrorClassifier) -> Self {
+ Self {
+ config,
+ inner,
+ should_retry,
+ }
+ }
+}
+
+#[async_trait]
+impl<L> Layer for BackoffLayer<L>
+where
+ L: Layer,
+{
+ type Request = L::Request;
+ type ResponseMetadata = L::ResponseMetadata;
+ type ResponsePayload = L::ResponsePayload;
+
+ async fn query(
+ &self,
+ request: Self::Request,
+ ) -> Result<QueryResponse<Self::ResponseMetadata, Self::ResponsePayload>, DynError> {
+ Backoff::new(&self.config)
+ .retry_with_backoff("ingester request", || async {
+ match self.inner.query(request.clone()).await {
+ Ok(res) => ControlFlow::Break(Ok(res)),
+ Err(e) if self.should_retry.matches(&e) => ControlFlow::Continue(e),
+ Err(e) => ControlFlow::Break(Err(e)),
+ }
+ })
+ .await
+ .map_err(DynError::new)?
+ }
+}
+
+#[cfg(test)]
+mod tests {
+ use futures::TryStreamExt;
+
+ use crate::{
+ error_classifier::{test_error_classifier, TestError},
+ layers::testing::{TestLayer, TestResponse},
+ };
+
+ use super::*;
+
+ #[tokio::test]
+ async fn test_ok() {
+ TestCase {
+ responses: [TestResponse::ok(())],
+ outcome: Outcome::Ok,
+ }
+ .run()
+ .await;
+ }
+
+ #[tokio::test]
+ async fn test_early_error_no_retry() {
+ TestCase {
+ responses: [TestResponse::err(DynError::new(TestError::NO_RETRY))],
+ outcome: Outcome::EarlyError,
+ }
+ .run()
+ .await;
+ }
+
+ #[tokio::test]
+ async fn test_early_error_retry() {
+ TestCase {
+ responses: [
+ TestResponse::err(DynError::new(TestError::RETRY)),
+ TestResponse::ok(()),
+ ],
+ outcome: Outcome::Ok,
+ }
+ .run()
+ .await;
+ }
+
+ #[tokio::test]
+ async fn test_late_error_no_retry() {
+ TestCase {
+ responses: [TestResponse::ok(()).with_err_payload(DynError::new(TestError::NO_RETRY))],
+ outcome: Outcome::LateError,
+ }
+ .run()
+ .await;
+ }
+
+ #[tokio::test]
+ async fn test_late_error_flagged_retry_but_its_too_late() {
+ // NOTE: even though the underlying error is marked as "retry", we won't retry because the error occurs during
+ // the streaming phase.
+ TestCase {
+ responses: [TestResponse::ok(()).with_err_payload(DynError::new(TestError::RETRY))],
+ outcome: Outcome::LateError,
+ }
+ .run()
+ .await;
+ }
+
+ enum Outcome {
+ Ok,
+ EarlyError,
+ LateError,
+ }
+
+ struct TestCase<const N: usize> {
+ responses: [TestResponse<(), ()>; N],
+ outcome: Outcome,
+ }
+
+ impl<const N: usize> TestCase<N> {
+ async fn run(self) {
+ let Self { responses, outcome } = self;
+
+ let l = TestLayer::<(), (), ()>::default();
+ for resp in responses {
+ l.mock_response(resp);
+ }
+
+ let l = BackoffLayer::new_with_classifier(
+ l,
+ BackoffConfig::default(),
+ test_error_classifier(),
+ );
+
+ match outcome {
+ Outcome::Ok => {
+ let resp = l.query(()).await.unwrap();
+ resp.payload.try_collect::<Vec<_>>().await.unwrap();
+ }
+ Outcome::EarlyError => {
+ l.query(()).await.unwrap_err();
+ }
+ Outcome::LateError => {
+ let resp = l.query(()).await.unwrap();
+ resp.payload.try_collect::<Vec<_>>().await.unwrap_err();
+ }
+ }
+ }
+ }
+}
diff --git a/ingester_query_client/src/layers/mod.rs b/ingester_query_client/src/layers/mod.rs
index a175ff6bbe..d85d4d5b03 100644
--- a/ingester_query_client/src/layers/mod.rs
+++ b/ingester_query_client/src/layers/mod.rs
@@ -1,5 +1,6 @@
//! Layers.
+pub mod backoff;
pub mod deserialize;
pub mod logging;
pub mod metrics;
diff --git a/ingester_query_client/src/lib.rs b/ingester_query_client/src/lib.rs
index 3f1f274d25..50ec8f8b20 100644
--- a/ingester_query_client/src/lib.rs
+++ b/ingester_query_client/src/lib.rs
@@ -14,6 +14,7 @@
)]
pub mod error;
+pub mod error_classifier;
pub mod interface;
pub mod layer;
pub mod layers;
|
980589504d1f4ee956614c9b40fea882be5997b8
|
Joe-Blount
|
2023-04-11 15:10:20
|
make compactor concurrency scale non-linearly (#7509)
|
* chore: make compactor concurrency scale non-linearly
* chore: rust formatter making the test cases harder to read
| null |
chore: make compactor concurrency scale non-linearly (#7509)
* chore: make compactor concurrency scale non-linearly
* chore: rust formatter making the test cases harder to read
|
diff --git a/compactor2/src/driver.rs b/compactor2/src/driver.rs
index 5499949384..11795276b6 100644
--- a/compactor2/src/driver.rs
+++ b/compactor2/src/driver.rs
@@ -493,7 +493,11 @@ fn compute_permits(
// compute the share (linearly scaled) of total permits this job requires
let share = columns as f64 / SINGLE_THREADED_COLUMN_COUNT as f64;
- let permits = total_permits as f64 * share;
+
+ // Square the share so the required permits is non-linearly scaled.
+ // See test cases below for detail, but this makes it extra permissive of low column counts,
+ // but still gets to single threaded by SINGLE_THREADED_COLUMN_COUNT.
+ let permits = total_permits as f64 * share * share;
if permits < 1.0 {
return 1;
@@ -508,8 +512,41 @@ mod tests {
#[test]
fn concurrency_limits() {
- assert_eq!(compute_permits(10, 10000), 10); // huge column count takes exactly all permits (not more than the total)
- assert_eq!(compute_permits(10, 1), 1); // 1 column still takes 1 permit
- assert_eq!(compute_permits(10, SINGLE_THREADED_COLUMN_COUNT / 2), 5); // 1/2 the max column count takes half the total permits
+ assert_eq!(compute_permits(100, 1), 1); // 1 column still takes 1 permit
+ assert_eq!(compute_permits(100, SINGLE_THREADED_COLUMN_COUNT / 10), 1); // 10% of the max column count takes 1% of total permits
+ assert_eq!(
+ compute_permits(100, SINGLE_THREADED_COLUMN_COUNT * 2 / 10),
+ 4
+ ); // 20% of the max column count takes 4% of total permits
+ assert_eq!(
+ compute_permits(100, SINGLE_THREADED_COLUMN_COUNT * 3 / 10),
+ 9
+ ); // 30% of the max column count takes 9% of total permits
+ assert_eq!(
+ compute_permits(100, SINGLE_THREADED_COLUMN_COUNT * 4 / 10),
+ 16
+ ); // 40% of the max column count takes 16% of total permits
+ assert_eq!(
+ compute_permits(100, SINGLE_THREADED_COLUMN_COUNT * 5 / 10),
+ 25
+ ); // 50% of the max column count takes 25% of total permits
+ assert_eq!(
+ compute_permits(100, SINGLE_THREADED_COLUMN_COUNT * 6 / 10),
+ 36
+ ); // 60% of the max column count takes 36% of total permits
+ assert_eq!(
+ compute_permits(100, SINGLE_THREADED_COLUMN_COUNT * 7 / 10),
+ 49
+ ); // 70% of the max column count takes 49% of total permits
+ assert_eq!(
+ compute_permits(100, SINGLE_THREADED_COLUMN_COUNT * 8 / 10),
+ 64
+ ); // 80% of the max column count takes 64% of total permits
+ assert_eq!(
+ compute_permits(100, SINGLE_THREADED_COLUMN_COUNT * 9 / 10),
+ 81
+ ); // 90% of the max column count takes 81% of total permits
+ assert_eq!(compute_permits(100, SINGLE_THREADED_COLUMN_COUNT), 100); // 100% of the max column count takes 100% of total permits
+ assert_eq!(compute_permits(100, 10000), 100); // huge column count takes exactly all permits (not more than the total)
}
}
|
624e67e95cdb84bced121ba8b9ac69f37889c7bd
|
peterbarnett03
|
2025-01-13 09:58:15
|
update gsg link (#25823)
|
* chore: update gsg link
* chore: update influxdb to influxdb3
| null |
chore: update gsg link (#25823)
* chore: update gsg link
* chore: update influxdb to influxdb3
|
diff --git a/install_influxdb.sh b/install_influxdb.sh
index ceb0d51ff2..6a327c6635 100644
--- a/install_influxdb.sh
+++ b/install_influxdb.sh
@@ -56,7 +56,7 @@ elif [ "${OS}" = "Darwin" ]; then
if [ "${ARCHITECTURE}" = "x86_64" ]; then
printf "Intel Mac support is coming soon!\n"
printf "Visit our public Discord at \033[4;94mhttps://discord.gg/az4jPm8x${NC} for additional guidance.\n"
- printf "View alternative binaries on our Getting Started guide at \033[4;94mhttps://docs.influxdata.com/influxdb/${EDITION_TAG}${NC}.\n"
+ printf "View alternative binaries on our Getting Started guide at \033[4;94mhttps://docs.influxdata.com/influxdb3/${EDITION_TAG}/${NC}.\n"
exit 1
else
ARTIFACT="aarch64-apple-darwin"
@@ -67,7 +67,7 @@ fi
[ -n "${ARTIFACT}" ] || {
printf "Unfortunately this script doesn't support your '${OS}' | '${ARCHITECTURE}' setup, or was unable to identify it correctly.\n"
printf "Visit our public Discord at \033[4;94mhttps://discord.gg/az4jPm8x${NC} for additional guidance.\n"
- printf "View alternative binaries on our Getting Started guide at \033[4;94mhttps://docs.influxdata.com/influxdb/${EDITION_TAG}${NC}.\n"
+ printf "View alternative binaries on our Getting Started guide at \033[4;94mhttps://docs.influxdata.com/influxdb3/${EDITION_TAG}/${NC}.\n"
exit 1
}
@@ -112,7 +112,7 @@ case "$INSTALL_TYPE" in
printf "1) Run the Docker image:\n"
printf " ├─ ${BOLD}mkdir plugins${NC} ${DIM}(To store and access plugins)${NC}\n"
printf " └─ ${BOLD}docker run -it -p ${PORT}:${PORT} -v ./plugins:/plugins influxdb3-${EDITION_TAG} serve --object-store memory --writer-id writer0 --plugin-dir /plugins${NC} ${DIM}(To start)${NC}\n"
- printf "2) View documentation at \033[4;94mhttps://docs.influxdata.com/${NC}\n\n"
+ printf "2) View documentation at \033[4;94mhttps://docs.influxdata.com/influxdb3/${EDITION_TAG}/${NC}\n\n"
END_TIME=$(date +%s)
DURATION=$((END_TIME - START_TIME))
@@ -377,7 +377,7 @@ if [ -n "$shellrc" ]; then
else
printf "├─ Access InfluxDB with the ${BOLD}%s${NC} command.\n" "$INSTALL_LOC/$BINARY_NAME"
fi
-printf "├─ View the Getting Started guide at \033[4;94mhttps://docs.influxdata.com/influxdb/${EDITION_TAG}${NC}.\n"
+printf "├─ View the Getting Started guide at \033[4;94mhttps://docs.influxdata.com/influxdb3/${EDITION_TAG}/${NC}.\n"
printf "└─ Visit our public Discord at \033[4;94mhttps://discord.gg/az4jPm8x${NC} for additional guidance.\n"
echo
diff --git a/install_influxdb3.sh b/install_influxdb3.sh
index ceb0d51ff2..6a327c6635 100644
--- a/install_influxdb3.sh
+++ b/install_influxdb3.sh
@@ -56,7 +56,7 @@ elif [ "${OS}" = "Darwin" ]; then
if [ "${ARCHITECTURE}" = "x86_64" ]; then
printf "Intel Mac support is coming soon!\n"
printf "Visit our public Discord at \033[4;94mhttps://discord.gg/az4jPm8x${NC} for additional guidance.\n"
- printf "View alternative binaries on our Getting Started guide at \033[4;94mhttps://docs.influxdata.com/influxdb/${EDITION_TAG}${NC}.\n"
+ printf "View alternative binaries on our Getting Started guide at \033[4;94mhttps://docs.influxdata.com/influxdb3/${EDITION_TAG}/${NC}.\n"
exit 1
else
ARTIFACT="aarch64-apple-darwin"
@@ -67,7 +67,7 @@ fi
[ -n "${ARTIFACT}" ] || {
printf "Unfortunately this script doesn't support your '${OS}' | '${ARCHITECTURE}' setup, or was unable to identify it correctly.\n"
printf "Visit our public Discord at \033[4;94mhttps://discord.gg/az4jPm8x${NC} for additional guidance.\n"
- printf "View alternative binaries on our Getting Started guide at \033[4;94mhttps://docs.influxdata.com/influxdb/${EDITION_TAG}${NC}.\n"
+ printf "View alternative binaries on our Getting Started guide at \033[4;94mhttps://docs.influxdata.com/influxdb3/${EDITION_TAG}/${NC}.\n"
exit 1
}
@@ -112,7 +112,7 @@ case "$INSTALL_TYPE" in
printf "1) Run the Docker image:\n"
printf " ├─ ${BOLD}mkdir plugins${NC} ${DIM}(To store and access plugins)${NC}\n"
printf " └─ ${BOLD}docker run -it -p ${PORT}:${PORT} -v ./plugins:/plugins influxdb3-${EDITION_TAG} serve --object-store memory --writer-id writer0 --plugin-dir /plugins${NC} ${DIM}(To start)${NC}\n"
- printf "2) View documentation at \033[4;94mhttps://docs.influxdata.com/${NC}\n\n"
+ printf "2) View documentation at \033[4;94mhttps://docs.influxdata.com/influxdb3/${EDITION_TAG}/${NC}\n\n"
END_TIME=$(date +%s)
DURATION=$((END_TIME - START_TIME))
@@ -377,7 +377,7 @@ if [ -n "$shellrc" ]; then
else
printf "├─ Access InfluxDB with the ${BOLD}%s${NC} command.\n" "$INSTALL_LOC/$BINARY_NAME"
fi
-printf "├─ View the Getting Started guide at \033[4;94mhttps://docs.influxdata.com/influxdb/${EDITION_TAG}${NC}.\n"
+printf "├─ View the Getting Started guide at \033[4;94mhttps://docs.influxdata.com/influxdb3/${EDITION_TAG}/${NC}.\n"
printf "└─ Visit our public Discord at \033[4;94mhttps://discord.gg/az4jPm8x${NC} for additional guidance.\n"
echo
|
ac9d1946e99998fbdd5d97f3785b4396ecbb4c70
|
Andrew Lamb
|
2023-07-21 06:14:06
|
add retry loop to avoid CI flake in build-catalog test (#8271)
|
* fix: add retry loop to avoid CI flake in build-catalog test
* fix: Update influxdb_iox/tests/end_to_end_cases/debug.rs
---------
|
Co-authored-by: kodiakhq[bot] <49736102+kodiakhq[bot]@users.noreply.github.com>
|
fix: add retry loop to avoid CI flake in build-catalog test (#8271)
* fix: add retry loop to avoid CI flake in build-catalog test
* fix: Update influxdb_iox/tests/end_to_end_cases/debug.rs
---------
Co-authored-by: kodiakhq[bot] <49736102+kodiakhq[bot]@users.noreply.github.com>
|
diff --git a/influxdb_iox/tests/end_to_end_cases/debug.rs b/influxdb_iox/tests/end_to_end_cases/debug.rs
index 40a43f9611..14ff39f1b5 100644
--- a/influxdb_iox/tests/end_to_end_cases/debug.rs
+++ b/influxdb_iox/tests/end_to_end_cases/debug.rs
@@ -1,10 +1,5 @@
//! Tests the `influxdb_iox debug` commands
-use std::{
- collections::VecDeque,
- io::Write,
- path::{Path, PathBuf},
- time::Duration,
-};
+use std::path::Path;
use arrow::record_batch::RecordBatch;
use arrow_util::assert_batches_sorted_eq;
@@ -12,7 +7,6 @@ use assert_cmd::Command;
use futures::FutureExt;
use predicates::prelude::*;
use tempfile::TempDir;
-use test_helpers::timeout::FutureTimeout;
use test_helpers_end_to_end::{
maybe_skip_integration, run_sql, MiniCluster, ServerFixture, Step, StepTest, StepTestState,
TestConfig,
@@ -52,8 +46,6 @@ async fn test_print_cpu() {
/// 3. Start a all-in-one instance from that rebuilt catalog
/// 4. Can run a query successfully
#[tokio::test]
-// Ignore due to https://github.com/influxdata/influxdb_iox/issues/8203
-#[ignore]
async fn build_catalog() {
test_helpers::maybe_start_logging();
let database_url = maybe_skip_integration!();
@@ -111,20 +103,11 @@ async fn build_catalog() {
let table_dir = export_dir.path().join(table_name);
// We can build a catalog and start up the server and run a query
- let restarted = RestartedServer::build_catalog_and_start(&table_dir).await;
- let batches = restarted
- .run_sql_until_non_empty(sql, namespace.as_str())
- .await;
- assert_batches_sorted_eq!(&expected, &batches);
+ rebuild_and_query(&table_dir, &namespace, sql, &expected).await;
// We can also rebuild a catalog from just the parquet files
let only_parquet_dir = copy_only_parquet_files(&table_dir);
- let restarted =
- RestartedServer::build_catalog_and_start(only_parquet_dir.path()).await;
- let batches = restarted
- .run_sql_until_non_empty(sql, namespace.as_str())
- .await;
- assert_batches_sorted_eq!(&expected, &batches);
+ rebuild_and_query(only_parquet_dir.path(), &namespace, sql, &expected).await;
}
.boxed()
})),
@@ -134,6 +117,30 @@ async fn build_catalog() {
.await
}
+/// Rebuilds a catalog from an export directory, starts up a server
+/// and verifies the running `sql` in `namespace` produces `expected`
+async fn rebuild_and_query(table_dir: &Path, namespace: &str, sql: &str, expected: &[&str]) {
+ // Very occassionally, something goes wrong with the sqlite based
+ // catalog and it doesn't get the new files. Thus try a few times
+ //
+ // See https://github.com/influxdata/influxdb_iox/issues/8287
+ let mut retries = 5;
+
+ while retries > 0 {
+ println!("** Retries remaining: {retries}");
+ let restarted = RestartedServer::build_catalog_and_start(table_dir).await;
+ let batches = restarted.run_sql(sql, namespace).await;
+
+ // if we got results, great, otherwise try again
+ if !batches.is_empty() {
+ assert_batches_sorted_eq!(expected, &batches);
+ return;
+ }
+
+ retries -= 1;
+ }
+}
+
/// An all in one instance, with data directory of `data_dir`
struct RestartedServer {
all_in_one: ServerFixture,
@@ -171,7 +178,7 @@ impl RestartedServer {
println!("target_directory: {data_dir:?}");
// call `influxdb_iox debug build-catalog <table_dir> <new_data_dir>`
- let cmd = Command::cargo_bin("influxdb_iox")
+ Command::cargo_bin("influxdb_iox")
.unwrap()
// use -v to enable logging so we can check the status messages
.arg("-vv")
@@ -180,31 +187,18 @@ impl RestartedServer {
.arg(exported_table_dir.as_os_str().to_str().unwrap())
.arg(data_dir.path().as_os_str().to_str().unwrap())
.assert()
- .success();
-
- // debug information to track down https://github.com/influxdata/influxdb_iox/issues/8203
- println!("***** Begin build-catalog STDOUT ****");
- std::io::stdout()
- .write_all(&cmd.get_output().stdout)
- .unwrap();
- println!("***** Begin build-catalog STDERR ****");
- std::io::stdout()
- .write_all(&cmd.get_output().stderr)
- .unwrap();
- println!("***** DONE ****");
-
- cmd.stdout(
- predicate::str::contains("Beginning catalog / object_store build")
- .and(predicate::str::contains(
- "Begin importing files total_files=1",
- ))
- .and(predicate::str::contains(
- "Completed importing files total_files=1",
- )),
- );
+ .success()
+ .stdout(
+ predicate::str::contains("Beginning catalog / object_store build")
+ .and(predicate::str::contains(
+ "Begin importing files total_files=1",
+ ))
+ .and(predicate::str::contains(
+ "Completed importing files total_files=1",
+ )),
+ );
println!("Completed rebuild in {data_dir:?}");
- RecursiveDirPrinter::new().print(data_dir.path());
// now, start up a new server in all-in-one mode
// using the newly built data directory
@@ -216,27 +210,6 @@ impl RestartedServer {
data_dir,
}
}
-
- /// Runs the SQL query against this server, in a loop until
- /// results are returned. Panics if the results are not produced
- /// within a 5 seconds
- async fn run_sql_until_non_empty(&self, sql: &str, namespace: &str) -> Vec<RecordBatch> {
- let timeout = Duration::from_secs(5);
- let loop_sleep = Duration::from_millis(500);
- let fut = async {
- loop {
- let batches = self.run_sql(sql, namespace).await;
- if !batches.is_empty() {
- return batches;
- }
- tokio::time::sleep(loop_sleep).await;
- }
- };
-
- fut.with_timeout(timeout)
- .await
- .expect("timed out waiting for non-empty batches in result")
- }
}
/// Copies only parquet files from the source directory to a new
@@ -262,43 +235,3 @@ fn copy_only_parquet_files(src: &Path) -> TempDir {
}
target_dir
}
-
-/// Prints out the contents of the directory recursively
-/// for debugging.
-///
-/// ```text
-/// RecursiveDirPrinter All files rooted at "/tmp/.tmpvf16r0"
-/// "/tmp/.tmpvf16r0"
-/// "/tmp/.tmpvf16r0/catalog.sqlite"
-/// "/tmp/.tmpvf16r0/object_store"
-/// "/tmp/.tmpvf16r0/object_store/1"
-/// "/tmp/.tmpvf16r0/object_store/1/1"
-/// "/tmp/.tmpvf16r0/object_store/1/1/b862a7e9b329ee6a418cde191198eaeb1512753f19b87a81def2ae6c3d0ed237"
-/// "/tmp/.tmpvf16r0/object_store/1/1/b862a7e9b329ee6a418cde191198eaeb1512753f19b87a81def2ae6c3d0ed237/d78abef6-6859-48eb-aa62-3518097fbb9b.parquet"
-///
-struct RecursiveDirPrinter {
- paths: VecDeque<PathBuf>,
-}
-
-impl RecursiveDirPrinter {
- fn new() -> Self {
- Self {
- paths: VecDeque::new(),
- }
- }
-
- // print root and all directories
- fn print(mut self, root: &Path) {
- println!("RecursiveDirPrinter All files rooted at {root:?}");
- self.paths.push_back(PathBuf::from(root));
-
- while let Some(path) = self.paths.pop_front() {
- println!("{path:?}");
- if path.is_dir() {
- for entry in std::fs::read_dir(path).unwrap() {
- self.paths.push_front(entry.unwrap().path());
- }
- }
- }
- }
-}
|
66f1628238f05ddc4c41cf5aad666a5ab5503c61
|
Dom Dwyer
|
2022-12-22 16:53:48
|
drop WAL segments after replay
|
Changes the WAL replay logic to:
* Replay a segment file
* Persist all replayed data
* Drop segment file
* ...repeat...
This ensures old WAL segments are removed once their contents have been
made durable, fixing #6461.
| null |
fix: drop WAL segments after replay
Changes the WAL replay logic to:
* Replay a segment file
* Persist all replayed data
* Drop segment file
* ...repeat...
This ensures old WAL segments are removed once their contents have been
made durable, fixing #6461.
|
diff --git a/ingester2/Cargo.toml b/ingester2/Cargo.toml
index 7e30bcbb46..1dcb22d1e8 100644
--- a/ingester2/Cargo.toml
+++ b/ingester2/Cargo.toml
@@ -41,6 +41,7 @@ schema = { version = "0.1.0", path = "../schema" }
service_grpc_catalog = { version = "0.1.0", path = "../service_grpc_catalog" }
sharder = { version = "0.1.0", path = "../sharder" }
thiserror = "1.0.38"
+test_helpers = { path = "../test_helpers", features = ["future_timeout"], optional = true }
tokio = { version = "1.22", features = ["macros", "parking_lot", "rt-multi-thread", "sync", "time"] }
tonic = "0.8.3"
trace = { version = "0.1.0", path = "../trace" }
@@ -59,7 +60,7 @@ tempfile = "3.3.0"
test_helpers = { path = "../test_helpers", features = ["future_timeout"] }
[features]
-benches = [] # Export some internal types for benchmark purposes only.
+benches = ["test_helpers"] # Export some internal types for benchmark purposes only.
[lib]
bench = false
diff --git a/ingester2/benches/wal.rs b/ingester2/benches/wal.rs
index 36f5bc3d15..b72ab786b3 100644
--- a/ingester2/benches/wal.rs
+++ b/ingester2/benches/wal.rs
@@ -1,3 +1,5 @@
+use std::{iter, sync::Arc};
+
use async_trait::async_trait;
use criterion::{criterion_group, criterion_main, BatchSize, Criterion, Throughput};
use data_types::{NamespaceId, PartitionKey, TableId};
@@ -5,7 +7,10 @@ use dml::{DmlMeta, DmlOperation, DmlWrite};
use generated_types::influxdata::{
iox::wal::v1::sequenced_wal_op::Op as WalOp, pbdata::v1::DatabaseBatch,
};
-use ingester2::dml_sink::{DmlError, DmlSink};
+use ingester2::{
+ buffer_tree::benches::PartitionData,
+ dml_sink::{DmlError, DmlSink},
+};
use mutable_batch_pb::encode::encode_write;
use wal::SequencedWalOp;
@@ -56,8 +61,10 @@ fn wal_replay_bench(c: &mut Criterion) {
// overhead.
let sink = NopSink::default();
+ let persist = ingester2::persist::queue::benches::MockPersistQueue::default();
+
// Replay the wal into the NOP.
- ingester2::wal_replay::replay(&wal, &sink)
+ ingester2::benches::replay(&wal, &sink, Arc::new(persist))
.await
.expect("WAL replay error");
},
@@ -105,5 +112,13 @@ impl DmlSink for NopSink {
}
}
+impl ingester2::wal::benches::PartitionIter for NopSink {
+ fn partition_iter(
+ &self,
+ ) -> Box<dyn Iterator<Item = std::sync::Arc<parking_lot::Mutex<PartitionData>>> + Send> {
+ Box::new(iter::empty())
+ }
+}
+
criterion_group!(benches, wal_replay_bench);
criterion_main!(benches);
diff --git a/ingester2/src/buffer_tree/mod.rs b/ingester2/src/buffer_tree/mod.rs
index b8a5553985..646db2b0ef 100644
--- a/ingester2/src/buffer_tree/mod.rs
+++ b/ingester2/src/buffer_tree/mod.rs
@@ -8,3 +8,7 @@ mod root;
pub(crate) use root::*;
pub(crate) mod post_write;
+
+maybe_pub! {
+ pub use super::partition::PartitionData;
+}
diff --git a/ingester2/src/buffer_tree/partition.rs b/ingester2/src/buffer_tree/partition.rs
index aee1da9013..da5e65f70e 100644
--- a/ingester2/src/buffer_tree/partition.rs
+++ b/ingester2/src/buffer_tree/partition.rs
@@ -41,7 +41,7 @@ impl SortKeyState {
/// Data of an IOx Partition of a given Table of a Namespace that belongs to a
/// given Shard
#[derive(Debug)]
-pub(crate) struct PartitionData {
+pub struct PartitionData {
/// The catalog ID of the partition this buffer is for.
partition_id: PartitionId,
/// The string partition key for this partition.
@@ -123,7 +123,7 @@ impl PartitionData {
}
/// Buffer the given [`MutableBatch`] in memory.
- pub(super) fn buffer_write(
+ pub(crate) fn buffer_write(
&mut self,
mb: MutableBatch,
sequence_number: SequenceNumber,
diff --git a/ingester2/src/buffer_tree/partition/persisting.rs b/ingester2/src/buffer_tree/partition/persisting.rs
index 75bf6857b3..5252b19cc7 100644
--- a/ingester2/src/buffer_tree/partition/persisting.rs
+++ b/ingester2/src/buffer_tree/partition/persisting.rs
@@ -38,7 +38,7 @@ impl Display for BatchIdent {
/// [`PartitionData::mark_persisting()`]: super::PartitionData::mark_persisting
/// [`PartitionData::mark_persisted()`]: super::PartitionData::mark_persisted
#[derive(Debug, Clone)]
-pub(crate) struct PersistingData {
+pub struct PersistingData {
data: QueryAdaptor,
batch_ident: BatchIdent,
}
diff --git a/ingester2/src/dml_sink/trait.rs b/ingester2/src/dml_sink/trait.rs
index 0452331b20..9b635de0b3 100644
--- a/ingester2/src/dml_sink/trait.rs
+++ b/ingester2/src/dml_sink/trait.rs
@@ -4,6 +4,7 @@ use async_trait::async_trait;
use dml::DmlOperation;
use thiserror::Error;
+/// Errors returned due from calls to [`DmlSink::apply()`].
#[derive(Debug, Error)]
pub enum DmlError {
/// An error applying a [`DmlOperation`] to a [`BufferTree`].
@@ -20,6 +21,8 @@ pub enum DmlError {
/// A [`DmlSink`] handles [`DmlOperation`] instances in some abstract way.
#[async_trait]
pub trait DmlSink: Debug + Send + Sync {
+ /// The concrete error type returned by a [`DmlSink`] implementation,
+ /// convertible to a [`DmlError`].
type Error: Error + Into<DmlError> + Send;
/// Apply `op` to the implementer's state.
diff --git a/ingester2/src/init.rs b/ingester2/src/init.rs
index 22aa37b9fc..dd9c821936 100644
--- a/ingester2/src/init.rs
+++ b/ingester2/src/init.rs
@@ -1,7 +1,9 @@
crate::maybe_pub!(
- mod wal_replay;
+ pub use super::wal_replay::*;
);
+mod wal_replay;
+
use std::{path::PathBuf, sync::Arc, time::Duration};
use arrow_flight::flight_service_server::{FlightService, FlightServiceServer};
@@ -252,7 +254,7 @@ pub async fn new(
let wal = Wal::new(wal_directory).await.map_err(InitError::WalInit)?;
// Replay the WAL log files, if any.
- let max_sequence_number = wal_replay::replay(&wal, &buffer)
+ let max_sequence_number = wal_replay::replay(&wal, &buffer, Arc::clone(&persist_handle))
.await
.map_err(|e| InitError::WalReplay(e.into()))?;
diff --git a/ingester2/src/init/wal_replay.rs b/ingester2/src/init/wal_replay.rs
index a049ca306f..6130772fb2 100644
--- a/ingester2/src/init/wal_replay.rs
+++ b/ingester2/src/init/wal_replay.rs
@@ -1,14 +1,16 @@
-use std::time::Instant;
use data_types::{NamespaceId, PartitionKey, Sequence, SequenceNumber, TableId};
use dml::{DmlMeta, DmlOperation, DmlWrite};
use generated_types::influxdata::iox::wal::v1::sequenced_wal_op::Op;
use mutable_batch_pb::decode::decode_database_batch;
use observability_deps::tracing::*;
+use std::time::Instant;
use thiserror::Error;
use wal::{SequencedWalOp, Wal};
use crate::{
dml_sink::{DmlError, DmlSink},
+ persist::{drain_buffer::persist_partitions, queue::PersistQueue},
+ wal::rotate_task::PartitionIter,
TRANSITION_SHARD_INDEX,
};
@@ -41,9 +43,14 @@ pub enum WalReplayError {
/// Replay all the entries in `wal` to `sink`, returning the maximum observed
/// [`SequenceNumber`].
-pub async fn replay<T>(wal: &Wal, sink: &T) -> Result<Option<SequenceNumber>, WalReplayError>
+pub async fn replay<T, P>(
+ wal: &Wal,
+ sink: &T,
+ persist: P,
+) -> Result<Option<SequenceNumber>, WalReplayError>
where
- T: DmlSink,
+ T: DmlSink + PartitionIter,
+ P: PersistQueue + Clone,
{
// Read the set of files to replay.
//
@@ -111,6 +118,30 @@ where
}
}
};
+
+ info!(
+ file_number,
+ n_files,
+ file_id = %file.id(),
+ size = file.size(),
+ "persisting wal segment data"
+ );
+
+ // Persist all the data that was replayed from the WAL segment.
+ persist_partitions(sink.partition_iter(), persist.clone()).await;
+
+ // Drop the newly persisted data - it should not be replayed.
+ wal.delete(file.id())
+ .await
+ .expect("failed to drop wal segment");
+
+ info!(
+ file_number,
+ n_files,
+ file_id = %file.id(),
+ size = file.size(),
+ "dropped persisted wal segment"
+ );
}
info!(
@@ -146,10 +177,14 @@ where
};
for op in ops {
- let SequencedWalOp{sequence_number, op} = op;
+ let SequencedWalOp {
+ sequence_number,
+ op,
+ } = op;
- let sequence_number =
- SequenceNumber::new(i64::try_from(sequence_number).expect("sequence number overflow"));
+ let sequence_number = SequenceNumber::new(
+ i64::try_from(sequence_number).expect("sequence number overflow"),
+ );
max_sequence = max_sequence.max(Some(sequence_number));
@@ -196,25 +231,52 @@ where
#[cfg(test)]
mod tests {
- use std::sync::Arc;
+ use std::{sync::Arc, time::Duration};
use assert_matches::assert_matches;
- use data_types::{NamespaceId, PartitionKey, TableId};
+ use async_trait::async_trait;
+ use data_types::{NamespaceId, PartitionId, PartitionKey, ShardId, TableId};
+ use parking_lot::Mutex;
use wal::Wal;
use crate::{
+ buffer_tree::partition::{PartitionData, SortKeyState},
+ deferred_load::DeferredLoad,
dml_sink::mock_sink::MockDmlSink,
+ persist::queue::mock::MockPersistQueue,
test_util::{assert_dml_writes_eq, make_write_op},
wal::wal_sink::WalSink,
};
use super::*;
+ const PARTITION_ID: PartitionId = PartitionId::new(42);
const TABLE_ID: TableId = TableId::new(44);
const TABLE_NAME: &str = "bananas";
const NAMESPACE_NAME: &str = "platanos";
const NAMESPACE_ID: NamespaceId = NamespaceId::new(42);
+ #[derive(Debug)]
+ struct MockIter {
+ sink: MockDmlSink,
+ partitions: Vec<Arc<Mutex<PartitionData>>>,
+ }
+
+ impl PartitionIter for MockIter {
+ fn partition_iter(&self) -> Box<dyn Iterator<Item = Arc<Mutex<PartitionData>>> + Send> {
+ Box::new(self.partitions.clone().into_iter())
+ }
+ }
+
+ #[async_trait]
+ impl DmlSink for MockIter {
+ type Error = <MockDmlSink as DmlSink>::Error;
+
+ async fn apply(&self, op: DmlOperation) -> Result<(), Self::Error> {
+ self.sink.apply(op).await
+ }
+ }
+
#[tokio::test]
async fn test_replay() {
let dir = tempfile::tempdir().unwrap();
@@ -286,20 +348,71 @@ mod tests {
.await
.expect("failed to initialise WAL");
- // Replay the results into a mock to capture the DmlWrites
+ assert_eq!(wal.closed_segments().len(), 2);
+
+ // Initialise the mock persist system
+ let persist = Arc::new(MockPersistQueue::default());
+
+ // Replay the results into a mock to capture the DmlWrites and returns
+ // some dummy partitions when iterated over.
let mock_sink = MockDmlSink::default().with_apply_return(vec![Ok(()), Ok(()), Ok(())]);
- let max_sequence_number = replay(&wal, &mock_sink)
+ let mut partition = PartitionData::new(
+ PARTITION_ID,
+ PartitionKey::from("bananas"),
+ NAMESPACE_ID,
+ Arc::new(DeferredLoad::new(Duration::from_secs(1), async {
+ NAMESPACE_NAME.into()
+ })),
+ TABLE_ID,
+ Arc::new(DeferredLoad::new(Duration::from_secs(1), async {
+ TABLE_NAME.into()
+ })),
+ SortKeyState::Provided(None),
+ ShardId::new(1234),
+ );
+ // Put at least one write into the buffer so it is a candidate for persistence
+ partition
+ .buffer_write(
+ op1.tables().next().unwrap().1.clone(),
+ SequenceNumber::new(1),
+ )
+ .unwrap();
+ let mock_iter = MockIter {
+ sink: mock_sink,
+ partitions: vec![Arc::new(Mutex::new(partition))],
+ };
+
+ let max_sequence_number = replay(&wal, &mock_iter, Arc::clone(&persist))
.await
.expect("failed to replay WAL");
assert_eq!(max_sequence_number, Some(SequenceNumber::new(42)));
- // Assert the ops were pushed into the DmlSink
- let ops = mock_sink.get_calls();
+ // Assert the ops were pushed into the DmlSink exactly as generated.
+ let ops = mock_iter.sink.get_calls();
assert_matches!(&*ops, &[DmlOperation::Write(ref w1),DmlOperation::Write(ref w2),DmlOperation::Write(ref w3)] => {
assert_dml_writes_eq(w1.clone(), op1);
assert_dml_writes_eq(w2.clone(), op2);
assert_dml_writes_eq(w3.clone(), op3);
- })
+ });
+
+ // Ensure all partitions were persisted
+ let calls = persist.calls();
+ assert_matches!(&*calls, [p] => {
+ assert_eq!(p.lock().partition_id(), PARTITION_ID);
+ });
+
+ // Ensure there were no partition persist panics.
+ Arc::try_unwrap(persist)
+ .expect("should be no more refs")
+ .join()
+ .await;
+
+ // Ensure the replayed segments were dropped
+ let wal = Wal::new(dir.path())
+ .await
+ .expect("failed to initialise WAL");
+
+ assert_eq!(wal.closed_segments().len(), 1);
}
}
diff --git a/ingester2/src/lib.rs b/ingester2/src/lib.rs
index 6dc1405389..c349c0acfd 100644
--- a/ingester2/src/lib.rs
+++ b/ingester2/src/lib.rs
@@ -48,15 +48,26 @@ use data_types::ShardIndex;
/// A macro to conditionally prepend `pub` to the inner tokens for benchmarking
/// purposes, should the `benches` feature be enabled.
+///
+/// Call as `maybe_pub!(mod name)` to conditionally export a private module.
+///
+/// Call as `maybe_pub!( <block> )` to conditionally define a private module
+/// called "benches".
#[macro_export]
macro_rules! maybe_pub {
- ($($t:tt)+) => {
+ (mod $($t:tt)+) => {
#[cfg(feature = "benches")]
#[allow(missing_docs)]
- pub $($t)+
-
+ pub mod $($t)+;
#[cfg(not(feature = "benches"))]
- $($t)+
+ mod $($t)+;
+ };
+ ($($t:tt)+) => {
+ #[cfg(feature = "benches")]
+ #[allow(missing_docs)]
+ pub mod benches {
+ $($t)+
+ }
};
}
@@ -85,19 +96,15 @@ pub use init::*;
//
mod arcmap;
-mod buffer_tree;
+maybe_pub!(mod buffer_tree);
mod deferred_load;
-mod persist;
+maybe_pub!(mod dml_sink);
+maybe_pub!(mod persist);
mod query;
mod query_adaptor;
pub(crate) mod server;
mod timestamp_oracle;
-mod wal;
-
-// Conditionally exported for benchmark purposes.
-maybe_pub!(
- mod dml_sink;
-);
+maybe_pub!(mod wal);
#[cfg(test)]
mod test_util;
diff --git a/ingester2/src/persist/mod.rs b/ingester2/src/persist/mod.rs
index caaae627eb..aa3bff37f0 100644
--- a/ingester2/src/persist/mod.rs
+++ b/ingester2/src/persist/mod.rs
@@ -4,5 +4,5 @@ mod context;
pub(crate) mod drain_buffer;
pub(crate) mod handle;
pub(crate) mod hot_partitions;
-pub(crate) mod queue;
+pub mod queue;
mod worker;
diff --git a/ingester2/src/persist/queue.rs b/ingester2/src/persist/queue.rs
index 97d5e0676f..2a2fd0c79b 100644
--- a/ingester2/src/persist/queue.rs
+++ b/ingester2/src/persist/queue.rs
@@ -1,3 +1,5 @@
+//! A logical persistence queue abstraction.
+
use std::{fmt::Debug, sync::Arc};
use async_trait::async_trait;
@@ -15,7 +17,7 @@ use crate::buffer_tree::partition::{persisting::PersistingData, PartitionData};
/// It is a logical error to enqueue a [`PartitionData`] with a
/// [`PersistingData`] from another instance.
#[async_trait]
-pub(crate) trait PersistQueue: Send + Sync + Debug {
+pub trait PersistQueue: Send + Sync + Debug {
/// Place `data` from `partition` into the persistence queue,
/// (asynchronously) blocking until enqueued.
async fn enqueue(
@@ -39,3 +41,88 @@ where
(**self).enqueue(partition, data).await
}
}
+
+maybe_pub! {
+ pub use super::mock::*;
+}
+
+#[cfg(any(test, feature = "benches"))]
+pub(crate) mod mock {
+ use std::{sync::Arc, time::Duration};
+
+ use test_helpers::timeout::FutureTimeout;
+ use tokio::task::JoinHandle;
+
+ use super::*;
+
+ #[derive(Debug, Default)]
+ struct State {
+ /// Observed PartitionData instances.
+ calls: Vec<Arc<Mutex<PartitionData>>>,
+ /// Spawned tasks that call [`PartitionData::mark_persisted()`] - may
+ /// have already terminated.
+ handles: Vec<JoinHandle<()>>,
+ }
+
+ impl Drop for State {
+ fn drop(&mut self) {
+ std::mem::take(&mut self.handles)
+ .into_iter()
+ .for_each(|h| h.abort());
+ }
+ }
+
+ /// A mock [`PersistQueue`] implementation.
+ #[derive(Debug, Default)]
+ pub struct MockPersistQueue {
+ state: Mutex<State>,
+ }
+
+ impl MockPersistQueue {
+ /// Return all observed [`PartitionData`].
+ pub fn calls(&self) -> Vec<Arc<Mutex<PartitionData>>> {
+ self.state.lock().calls.clone()
+ }
+
+ /// Wait for all outstanding mock persist jobs to complete, propagating
+ /// any panics.
+ pub async fn join(self) {
+ let handles = std::mem::take(&mut self.state.lock().handles);
+ for h in handles.into_iter() {
+ h.with_timeout_panic(Duration::from_secs(5))
+ .await
+ .expect("mock mark persist panic");
+ }
+ }
+ }
+
+ #[async_trait]
+ impl PersistQueue for MockPersistQueue {
+ #[allow(clippy::async_yields_async)]
+ async fn enqueue(
+ &self,
+ partition: Arc<Mutex<PartitionData>>,
+ data: PersistingData,
+ ) -> oneshot::Receiver<()> {
+ let (tx, rx) = oneshot::channel();
+
+ let mut guard = self.state.lock();
+ guard.calls.push(Arc::clone(&partition));
+
+ // Spawn a persist task that randomly completes (soon) in the
+ // future.
+ //
+ // This helps ensure a realistic mock, and that implementations do
+ // not depend on ordered persist operations (which the persist
+ // system does not provide).
+ guard.handles.push(tokio::spawn(async move {
+ let wait_ms: u64 = rand::random::<u64>() % 100;
+ tokio::time::sleep(Duration::from_millis(wait_ms)).await;
+ partition.lock().mark_persisted(data);
+ let _ = tx.send(());
+ }));
+
+ rx
+ }
+ }
+}
diff --git a/ingester2/src/query_adaptor.rs b/ingester2/src/query_adaptor.rs
index 047c6a77e5..6188bef3b9 100644
--- a/ingester2/src/query_adaptor.rs
+++ b/ingester2/src/query_adaptor.rs
@@ -25,7 +25,7 @@ use schema::{merge::merge_record_batch_schemas, sort::SortKey, Projection, Schem
///
/// [`PartitionData`]: crate::buffer_tree::partition::PartitionData
#[derive(Debug, PartialEq, Clone)]
-pub(crate) struct QueryAdaptor {
+pub struct QueryAdaptor {
/// The snapshot data from a partition.
///
/// This MUST be non-pub(crate) / closed for modification / immutable to support
diff --git a/ingester2/src/wal/mod.rs b/ingester2/src/wal/mod.rs
index 343f6c0a76..bc09dd28f8 100644
--- a/ingester2/src/wal/mod.rs
+++ b/ingester2/src/wal/mod.rs
@@ -7,3 +7,7 @@
pub(crate) mod rotate_task;
mod traits;
pub(crate) mod wal_sink;
+
+maybe_pub! {
+ pub use super::rotate_task::*;
+}
diff --git a/ingester2/src/wal/rotate_task.rs b/ingester2/src/wal/rotate_task.rs
index 4706b20c1f..19f7d67489 100644
--- a/ingester2/src/wal/rotate_task.rs
+++ b/ingester2/src/wal/rotate_task.rs
@@ -9,7 +9,8 @@ use crate::{
/// An abstraction over any type that can yield an iterator of (potentially
/// empty) [`PartitionData`].
-pub(crate) trait PartitionIter: Send + Debug {
+pub trait PartitionIter: Send + Debug {
+ /// Return the set of partitions in `self`.
fn partition_iter(&self) -> Box<dyn Iterator<Item = Arc<Mutex<PartitionData>>> + Send>;
}
|
6335ed24fa6c888f4569fc9ff38f9e69acf993f3
|
Carol (Nichols || Goulding)
|
2023-03-31 13:29:34
|
Use a setup that never persists for a test that expects ingester data
|
Fixes #7404.
| null |
test: Use a setup that never persists for a test that expects ingester data
Fixes #7404.
|
diff --git a/influxdb_iox/tests/query_tests2/cases.rs b/influxdb_iox/tests/query_tests2/cases.rs
index bf6a02ae22..a105675757 100644
--- a/influxdb_iox/tests/query_tests2/cases.rs
+++ b/influxdb_iox/tests/query_tests2/cases.rs
@@ -163,7 +163,7 @@ async fn retention() {
TestCase {
input: "cases/in/retention.sql",
- chunk_stage: ChunkStage::Parquet,
+ chunk_stage: ChunkStage::Ingester,
}
.run()
.await;
|
9c71b3ce251f32cf8f23db0a4f09873e04686c1a
|
Trevor Hilton
|
2024-09-24 10:58:15
|
memory-cached object store for parquet files (#25377)
|
Part of #25347
This sets up a new implementation of an in-memory parquet file cache in the `influxdb3_write` crate in the `parquet_cache.rs` module.
This module introduces the following types:
* `MemCachedObjectStore` - a wrapper around an `Arc<dyn ObjectStore>` that can serve GET-style requests to the store from an in-memory cache
* `ParquetCacheOracle` - an interface (trait) that can accept requests to create new cache entries in the cache used by the `MemCachedObjectStore`
* `MemCacheOracle` - implementation of the `ParquetCacheOracle` trait
## `MemCachedObjectStore`
This takes inspiration from the [`MemCacheObjectStore` type](https://github.com/influxdata/influxdb3_core/blob/1eaa4ed5ea147bc24db98d9686e457c124dfd5b7/object_store_mem_cache/src/store.rs#L205-L213) in core, but has some different semantics around its implementation of the `ObjectStore` trait, and uses a different cache implementation.
The reason for wrapping the object store is that this ensures that any GET-style request being made for a given object is served by the cache, e.g., metadata requests made by DataFusion.
The internal cache comes from the [`clru` crate](https://crates.io/crates/clru), which provides a least-recently used (LRU) cache implementation that allows for weighted entries. The cache is initialized with a capacity and entries are given a weight on insert to the cache that represents how much of the allotted capacity they will take up. If there isn't enough room for a new entry on insert, then the LRU item will be removed.
### Limitations of `clru`
The `clru` crate conveniently gives us an LRU eviction policy but its API may put some limitations on the system:
* gets to the cache require an `&mut` reference, which means that the cache needs to be behind a `Mutex`. If this slows down requests through the object store, then we may need to explore alternatives.
* we may want more sophisticated eviction policies than a straight LRU, i.e., to favour certain tables over others, or files that represent recent data over those that represent old data.
## `ParquetCacheOracle` / `MemCacheOracle`
The cache oracle is responsible for handling cache requests, i.e., to fetch an item and store it in the cache. In this PR, the oracle runs a background task to handle these requests. I defined this as a trait/struct pair since the implementation may look different in Pro vs. OSS.
| null |
feat: memory-cached object store for parquet files (#25377)
Part of #25347
This sets up a new implementation of an in-memory parquet file cache in the `influxdb3_write` crate in the `parquet_cache.rs` module.
This module introduces the following types:
* `MemCachedObjectStore` - a wrapper around an `Arc<dyn ObjectStore>` that can serve GET-style requests to the store from an in-memory cache
* `ParquetCacheOracle` - an interface (trait) that can accept requests to create new cache entries in the cache used by the `MemCachedObjectStore`
* `MemCacheOracle` - implementation of the `ParquetCacheOracle` trait
## `MemCachedObjectStore`
This takes inspiration from the [`MemCacheObjectStore` type](https://github.com/influxdata/influxdb3_core/blob/1eaa4ed5ea147bc24db98d9686e457c124dfd5b7/object_store_mem_cache/src/store.rs#L205-L213) in core, but has some different semantics around its implementation of the `ObjectStore` trait, and uses a different cache implementation.
The reason for wrapping the object store is that this ensures that any GET-style request being made for a given object is served by the cache, e.g., metadata requests made by DataFusion.
The internal cache comes from the [`clru` crate](https://crates.io/crates/clru), which provides a least-recently used (LRU) cache implementation that allows for weighted entries. The cache is initialized with a capacity and entries are given a weight on insert to the cache that represents how much of the allotted capacity they will take up. If there isn't enough room for a new entry on insert, then the LRU item will be removed.
### Limitations of `clru`
The `clru` crate conveniently gives us an LRU eviction policy but its API may put some limitations on the system:
* gets to the cache require an `&mut` reference, which means that the cache needs to be behind a `Mutex`. If this slows down requests through the object store, then we may need to explore alternatives.
* we may want more sophisticated eviction policies than a straight LRU, i.e., to favour certain tables over others, or files that represent recent data over those that represent old data.
## `ParquetCacheOracle` / `MemCacheOracle`
The cache oracle is responsible for handling cache requests, i.e., to fetch an item and store it in the cache. In this PR, the oracle runs a background task to handle these requests. I defined this as a trait/struct pair since the implementation may look different in Pro vs. OSS.
|
diff --git a/Cargo.lock b/Cargo.lock
index 85af2c56f6..2d7fae7834 100644
--- a/Cargo.lock
+++ b/Cargo.lock
@@ -966,6 +966,12 @@ dependencies = [
"workspace-hack",
]
+[[package]]
+name = "clru"
+version = "0.6.2"
+source = "registry+https://github.com/rust-lang/crates.io-index"
+checksum = "cbd0f76e066e64fdc5631e3bb46381254deab9ef1158292f27c8c57e3bf3fe59"
+
[[package]]
name = "colorchoice"
version = "1.0.2"
@@ -2818,11 +2824,13 @@ dependencies = [
"byteorder",
"bytes",
"chrono",
+ "clru",
"crc32fast",
"crossbeam-channel",
"data_types",
"datafusion",
"datafusion_util",
+ "futures",
"futures-util",
"hashbrown 0.14.5",
"hex",
diff --git a/Cargo.toml b/Cargo.toml
index f7688eca17..cbceb83f54 100644
--- a/Cargo.toml
+++ b/Cargo.toml
@@ -51,11 +51,13 @@ byteorder = "1.3.4"
bytes = "1.5"
chrono = "0.4"
clap = { version = "4", features = ["derive", "env", "string"] }
+clru = "0.6.2"
crc32fast = "1.2.0"
crossbeam-channel = "0.5.11"
+csv = "1.3.0"
datafusion = { git = "https://github.com/influxdata/arrow-datafusion.git", rev = "5de0c3577fd30dcf9213f428222a29efae789807" }
datafusion-proto = { git = "https://github.com/influxdata/arrow-datafusion.git", rev = "5de0c3577fd30dcf9213f428222a29efae789807" }
-csv = "1.3.0"
+dashmap = "6.1.0"
dotenvy = "0.15.7"
flate2 = "1.0.27"
futures = "0.3.28"
diff --git a/influxdb3/src/commands/serve.rs b/influxdb3/src/commands/serve.rs
index 31f7713c26..c0ca0260d2 100644
--- a/influxdb3/src/commands/serve.rs
+++ b/influxdb3/src/commands/serve.rs
@@ -16,7 +16,8 @@ use influxdb3_server::{
};
use influxdb3_wal::{Gen1Duration, WalConfig};
use influxdb3_write::{
- last_cache::LastCacheProvider, persister::Persister, write_buffer::WriteBufferImpl, WriteBuffer,
+ last_cache::LastCacheProvider, parquet_cache::create_cached_obj_store_and_oracle,
+ persister::Persister, write_buffer::WriteBufferImpl, WriteBuffer,
};
use iox_query::exec::{DedicatedExecutor, Executor, ExecutorConfig};
use iox_time::SystemProvider;
@@ -258,6 +259,10 @@ pub async fn command(config: Config) -> Result<()> {
let object_store: Arc<DynObjectStore> =
make_object_store(&config.object_store_config).map_err(Error::ObjectStoreParsing)?;
+ // TODO(trevor): make this configurable/optional:
+ let cache_capacity = 1024 * 1024 * 1024;
+ let (object_store, parquet_cache) =
+ create_cached_obj_store_and_oracle(object_store, cache_capacity);
let trace_exporter = config.tracing_config.build()?;
@@ -334,6 +339,7 @@ pub async fn command(config: Config) -> Result<()> {
Arc::<SystemProvider>::clone(&time_provider),
Arc::clone(&exec),
wal_config,
+ parquet_cache,
)
.await
.map_err(|e| Error::WriteBufferInit(e.into()))?,
diff --git a/influxdb3_server/src/lib.rs b/influxdb3_server/src/lib.rs
index 74bc1f0681..2735d2dcbd 100644
--- a/influxdb3_server/src/lib.rs
+++ b/influxdb3_server/src/lib.rs
@@ -230,6 +230,7 @@ mod tests {
use influxdb3_catalog::catalog::Catalog;
use influxdb3_wal::WalConfig;
use influxdb3_write::last_cache::LastCacheProvider;
+ use influxdb3_write::parquet_cache::test_cached_obj_store_and_oracle;
use influxdb3_write::persister::Persister;
use influxdb3_write::WriteBuffer;
use iox_query::exec::{DedicatedExecutor, Executor, ExecutorConfig};
@@ -744,6 +745,7 @@ mod tests {
let common_state =
crate::CommonServerState::new(Arc::clone(&metrics), None, trace_header_parser).unwrap();
let object_store: Arc<DynObjectStore> = Arc::new(object_store::memory::InMemory::new());
+ let (object_store, parquet_cache) = test_cached_obj_store_and_oracle(object_store);
let parquet_store =
ParquetStorage::new(Arc::clone(&object_store), StorageId::from("influxdb3"));
let exec = Arc::new(Executor::new_with_config_and_executor(
@@ -771,6 +773,7 @@ mod tests {
Arc::<MockProvider>::clone(&time_provider),
Arc::clone(&exec),
WalConfig::test_config(),
+ parquet_cache,
)
.await
.unwrap(),
diff --git a/influxdb3_server/src/query_executor.rs b/influxdb3_server/src/query_executor.rs
index f11cdc716b..58a6feecee 100644
--- a/influxdb3_server/src/query_executor.rs
+++ b/influxdb3_server/src/query_executor.rs
@@ -591,8 +591,8 @@ mod tests {
use influxdb3_catalog::catalog::Catalog;
use influxdb3_wal::{Gen1Duration, WalConfig};
use influxdb3_write::{
- last_cache::LastCacheProvider, persister::Persister, write_buffer::WriteBufferImpl,
- WriteBuffer,
+ last_cache::LastCacheProvider, parquet_cache::test_cached_obj_store_and_oracle,
+ persister::Persister, write_buffer::WriteBufferImpl, WriteBuffer,
};
use iox_query::exec::{DedicatedExecutor, Executor, ExecutorConfig};
use iox_time::{MockProvider, Time};
@@ -630,9 +630,10 @@ mod tests {
// Set up QueryExecutor
let object_store: Arc<dyn ObjectStore> =
Arc::new(LocalFileSystem::new_with_prefix(test_helpers::tmp_dir().unwrap()).unwrap());
+ let (object_store, parquet_cache) = test_cached_obj_store_and_oracle(object_store);
let persister = Arc::new(Persister::new(Arc::clone(&object_store), "test_host"));
let time_provider = Arc::new(MockProvider::new(Time::from_timestamp_nanos(0)));
- let executor = make_exec(object_store);
+ let executor = make_exec(Arc::clone(&object_store));
let host_id = Arc::from("dummy-host-id");
let instance_id = Arc::from("instance-id");
let write_buffer: Arc<dyn WriteBuffer> = Arc::new(
@@ -648,6 +649,7 @@ mod tests {
flush_interval: Duration::from_millis(10),
snapshot_size: 1,
},
+ parquet_cache,
)
.await
.unwrap(),
diff --git a/influxdb3_write/Cargo.toml b/influxdb3_write/Cargo.toml
index 491827a8e2..0c11c21581 100644
--- a/influxdb3_write/Cargo.toml
+++ b/influxdb3_write/Cargo.toml
@@ -29,9 +29,11 @@ async-trait.workspace = true
byteorder.workspace = true
bytes.workspace = true
chrono.workspace = true
+clru.workspace = true
crc32fast.workspace = true
crossbeam-channel.workspace = true
datafusion.workspace = true
+futures.workspace = true
futures-util.workspace = true
hashbrown.workspace = true
hex.workspace = true
diff --git a/influxdb3_write/src/last_cache/mod.rs b/influxdb3_write/src/last_cache/mod.rs
index 07d8f1a4aa..f8d8478ff2 100644
--- a/influxdb3_write/src/last_cache/mod.rs
+++ b/influxdb3_write/src/last_cache/mod.rs
@@ -1567,6 +1567,7 @@ mod tests {
use crate::{
last_cache::{KeyValue, LastCacheProvider, Predicate, DEFAULT_CACHE_TTL},
+ parquet_cache::test_cached_obj_store_and_oracle,
persister::Persister,
write_buffer::WriteBufferImpl,
Bufferer, LastCacheManager, Precision,
@@ -1582,6 +1583,7 @@ mod tests {
async fn setup_write_buffer() -> WriteBufferImpl {
let obj_store: Arc<dyn ObjectStore> = Arc::new(InMemory::new());
+ let (obj_store, parquet_cache) = test_cached_obj_store_and_oracle(obj_store);
let persister = Arc::new(Persister::new(obj_store, "test_host"));
let time_provider = Arc::new(MockProvider::new(Time::from_timestamp_nanos(0)));
let host_id = Arc::from("dummy-host-id");
@@ -1593,6 +1595,7 @@ mod tests {
time_provider,
crate::test_help::make_exec(),
WalConfig::test_config(),
+ parquet_cache,
)
.await
.unwrap()
diff --git a/influxdb3_write/src/lib.rs b/influxdb3_write/src/lib.rs
index 7b5eb847d0..910c6c4fbb 100644
--- a/influxdb3_write/src/lib.rs
+++ b/influxdb3_write/src/lib.rs
@@ -7,6 +7,7 @@
pub mod cache;
pub mod chunk;
pub mod last_cache;
+pub mod parquet_cache;
pub mod paths;
pub mod persister;
pub mod write_buffer;
diff --git a/influxdb3_write/src/parquet_cache/mod.rs b/influxdb3_write/src/parquet_cache/mod.rs
new file mode 100644
index 0000000000..23687f8da0
--- /dev/null
+++ b/influxdb3_write/src/parquet_cache/mod.rs
@@ -0,0 +1,806 @@
+//! An in-memory cache of Parquet files that are persisted to object storage
+use std::{
+ fmt::Debug, hash::RandomState, num::NonZeroUsize, ops::Range, sync::Arc, time::Duration,
+};
+
+use async_trait::async_trait;
+use bytes::Bytes;
+use clru::{CLruCache, CLruCacheConfig, WeightScale};
+use futures::{StreamExt, TryStreamExt};
+use futures_util::stream::BoxStream;
+use object_store::{
+ path::Path, Error, GetOptions, GetResult, GetResultPayload, ListResult, MultipartUpload,
+ ObjectMeta, ObjectStore, PutMultipartOpts, PutOptions, PutPayload, PutResult,
+ Result as ObjectStoreResult,
+};
+use observability_deps::tracing::{error, info};
+use tokio::sync::{
+ mpsc::{channel, Receiver, Sender},
+ oneshot, Mutex,
+};
+
+/// A request to fetch an item at the given `path` from an object store
+///
+/// Contains a notifier to notify the caller that registers the cache request when the item
+/// has been cached successfully (or if the cache request failed in some way)
+pub struct CacheRequest {
+ path: Path,
+ notifier: oneshot::Sender<()>,
+}
+
+impl CacheRequest {
+ /// Create a new [`CacheRequest`] along with a receiver to catch the notify message when
+ /// the cache request has been fulfilled.
+ pub fn create(path: Path) -> (Self, oneshot::Receiver<()>) {
+ let (notifier, receiver) = oneshot::channel();
+ (Self { path, notifier }, receiver)
+ }
+}
+
+/// An interface for interacting with a Parquet Cache by registering [`CacheRequest`]s to it.
+pub trait ParquetCacheOracle: Send + Sync + Debug {
+ /// Register a cache request with the oracle
+ fn register(&self, cache_request: CacheRequest);
+}
+
+/// Concrete implementation of the [`ParquetCacheOracle`]
+///
+/// This implementation sends all requests registered to be cached.
+#[derive(Debug, Clone)]
+pub struct MemCacheOracle {
+ cache_request_tx: Sender<CacheRequest>,
+}
+
+// TODO(trevor): make this configurable with reasonable default
+const CACHE_REQUEST_BUFFER_SIZE: usize = 1_000_000;
+
+impl MemCacheOracle {
+ /// Create a new [`MemCacheOracle`]
+ ///
+ /// This spawns two background tasks:
+ /// * one to handle registered [`CacheRequest`]s
+ /// * one to prune deleted and un-needed cache entries on an interval
+ // TODO(trevor): this should be more configurable, e.g., channel size, prune interval
+ fn new(mem_cached_store: Arc<MemCachedObjectStore>) -> Self {
+ let (cache_request_tx, cache_request_rx) = channel(CACHE_REQUEST_BUFFER_SIZE);
+ background_cache_request_handler(Arc::clone(&mem_cached_store), cache_request_rx);
+ background_cache_pruner(mem_cached_store);
+ Self { cache_request_tx }
+ }
+}
+
+impl ParquetCacheOracle for MemCacheOracle {
+ fn register(&self, request: CacheRequest) {
+ let tx = self.cache_request_tx.clone();
+ tokio::spawn(async move {
+ if let Err(error) = tx.send(request).await {
+ error!(%error, "error registering cache request");
+ };
+ });
+ }
+}
+
+/// Helper function for creation of a [`MemCachedObjectStore`] and [`MemCacheOracle`]
+/// that returns them as their `Arc<dyn _>` equivalent.
+pub fn create_cached_obj_store_and_oracle(
+ object_store: Arc<dyn ObjectStore>,
+ cache_capacity: usize,
+) -> (Arc<dyn ObjectStore>, Arc<dyn ParquetCacheOracle>) {
+ let store = Arc::new(MemCachedObjectStore::new(object_store, cache_capacity));
+ let oracle = Arc::new(MemCacheOracle::new(Arc::clone(&store)));
+ (store, oracle)
+}
+
+/// Create a test cached object store with a cache capacity of 1GB
+pub fn test_cached_obj_store_and_oracle(
+ object_store: Arc<dyn ObjectStore>,
+) -> (Arc<dyn ObjectStore>, Arc<dyn ParquetCacheOracle>) {
+ create_cached_obj_store_and_oracle(object_store, 1024 * 1024 * 1024)
+}
+
+/// An entry in the cache, containing the actual bytes as well as object store metadata
+#[derive(Debug)]
+struct CacheValue {
+ data: Bytes,
+ meta: ObjectMeta,
+}
+
+impl CacheValue {
+ /// Get the size of the cache value's memory footprint in bytes
+ fn size(&self) -> usize {
+ // TODO(trevor): could also calculate the size of the metadata...
+ self.data.len()
+ }
+}
+
+/// The state of a cache entry
+#[derive(Debug)]
+enum CacheEntry {
+ /// The cache entry is being fetched from object store
+ Fetching,
+ /// The cache entry was successfully fetched and is stored in the cache as a [`CacheValue`]
+ Success(Arc<CacheValue>),
+ /// The request to the object store failed
+ Failed,
+ /// The cache entry was deleted
+ Deleted,
+ /// The object is too large for the cache
+ TooLarge,
+}
+
+impl CacheEntry {
+ /// Get the size of thje cache entry in bytes
+ fn size(&self) -> usize {
+ match self {
+ CacheEntry::Fetching => 0,
+ CacheEntry::Success(v) => v.size(),
+ CacheEntry::Failed => 0,
+ CacheEntry::Deleted => 0,
+ CacheEntry::TooLarge => 0,
+ }
+ }
+
+ fn is_fetching(&self) -> bool {
+ matches!(self, CacheEntry::Fetching)
+ }
+
+ fn is_success(&self) -> bool {
+ matches!(self, CacheEntry::Success(_))
+ }
+
+ fn keep(&self) -> bool {
+ self.is_fetching() || self.is_success()
+ }
+}
+
+/// Implements the [`WeightScale`] trait to determine a [`CacheEntry`]'s size on insertion to
+/// the cache
+#[derive(Debug)]
+struct CacheEntryScale;
+
+impl WeightScale<Path, CacheEntry> for CacheEntryScale {
+ fn weight(&self, key: &Path, value: &CacheEntry) -> usize {
+ key.as_ref().len() + value.size()
+ }
+}
+
+/// Placeholder name for formatting datafusion errors
+const STORE_NAME: &str = "mem_cached_object_store";
+
+/// An object store with an associated cache that can serve GET-style requests using the cache
+///
+/// The least-recently used (LRU) entries will be evicted when new entries are inserted, if the
+/// new entry would exceed the cache's memory capacity
+#[derive(Debug)]
+pub struct MemCachedObjectStore {
+ /// An inner object store for which items will be cached
+ inner: Arc<dyn ObjectStore>,
+ /// A weighted LRU cache for storing the objects associated with a given path in memory
+ // NOTE(trevor): this uses a mutex as the CLruCache type needs &mut self for its get method, so
+ // we always need an exclusive lock on the cache. If this creates a performance bottleneck then
+ // we will need to look for alternatives.
+ //
+ // A Tokio mutex is used to prevent blocking the thread while waiting for a lock, and so that
+ // the lock can be held accross await points.
+ cache: Arc<Mutex<CLruCache<Path, CacheEntry, RandomState, CacheEntryScale>>>,
+}
+
+impl MemCachedObjectStore {
+ /// Create a new [`MemCachedObjectStore`] with the given memory capacity
+ fn new(inner: Arc<dyn ObjectStore>, memory_capacity: usize) -> Self {
+ let cache = CLruCache::with_config(
+ CLruCacheConfig::new(NonZeroUsize::new(memory_capacity).unwrap())
+ .with_scale(CacheEntryScale),
+ );
+ Self {
+ inner,
+ cache: Arc::new(Mutex::new(cache)),
+ }
+ }
+
+ /// Get an entry in the cache if it contains a successful fetch result, or `None` otherwise
+ ///
+ /// This requires `&mut self` as the underlying method on the cache requires a mutable reference
+ /// in order to update the recency of the entry in the cache
+ async fn get_cache_value(&self, path: &Path) -> Option<Arc<CacheValue>> {
+ self.cache
+ .lock()
+ .await
+ .get(path)
+ .and_then(|entry| match entry {
+ CacheEntry::Fetching
+ | CacheEntry::Failed
+ | CacheEntry::Deleted
+ | CacheEntry::TooLarge => None,
+ CacheEntry::Success(v) => Some(Arc::clone(v)),
+ })
+ }
+
+ /// Set the state of a cache entry to `Deleted`, since we cannot remove elements from the
+ /// cache directly.
+ async fn delete_cache_value(&self, path: &Path) {
+ let _ = self
+ .cache
+ .lock()
+ .await
+ .put_with_weight(path.clone(), CacheEntry::Deleted);
+ }
+}
+
+impl std::fmt::Display for MemCachedObjectStore {
+ fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
+ write!(f, "MemCachedObjectStore({})", self.inner)
+ }
+}
+
+/// [`MemCachedObjectStore`] implements most [`ObjectStore`] methods as a pass-through, since
+/// caching is decided externally. The exception is `delete`, which will have the entry removed
+/// from the cache if the delete to the object store was successful.
+///
+/// GET-style methods will first check the cache for the object at the given path, before forwarding
+/// to the inner [`ObjectStore`]. They do not, however, populate the cache after data has been fetched
+/// from the inner store.
+#[async_trait]
+impl ObjectStore for MemCachedObjectStore {
+ async fn put(&self, location: &Path, bytes: PutPayload) -> ObjectStoreResult<PutResult> {
+ self.inner.put(location, bytes).await
+ }
+
+ async fn put_opts(
+ &self,
+ location: &Path,
+ bytes: PutPayload,
+ opts: PutOptions,
+ ) -> ObjectStoreResult<PutResult> {
+ self.inner.put_opts(location, bytes, opts).await
+ }
+
+ async fn put_multipart(&self, location: &Path) -> ObjectStoreResult<Box<dyn MultipartUpload>> {
+ self.inner.put_multipart(location).await
+ }
+
+ async fn put_multipart_opts(
+ &self,
+ location: &Path,
+ opts: PutMultipartOpts,
+ ) -> ObjectStoreResult<Box<dyn MultipartUpload>> {
+ self.inner.put_multipart_opts(location, opts).await
+ }
+
+ /// Get an object from the object store. If this object is cached, then it will not make a request
+ /// to the inner object store.
+ async fn get(&self, location: &Path) -> ObjectStoreResult<GetResult> {
+ if let Some(v) = self.get_cache_value(location).await {
+ Ok(GetResult {
+ payload: GetResultPayload::Stream(
+ futures::stream::iter([Ok(v.data.clone())]).boxed(),
+ ),
+ meta: v.meta.clone(),
+ range: 0..v.data.len(),
+ attributes: Default::default(),
+ })
+ } else {
+ self.inner.get(location).await
+ }
+ }
+
+ async fn get_opts(&self, location: &Path, options: GetOptions) -> ObjectStoreResult<GetResult> {
+ // NOTE(trevor): this could probably be supported through the cache if we need it via the
+ // ObjectMeta stored in the cache. For now this is conservative:
+ self.inner.get_opts(location, options).await
+ }
+
+ async fn get_range(&self, location: &Path, range: Range<usize>) -> ObjectStoreResult<Bytes> {
+ Ok(self
+ .get_ranges(location, &[range])
+ .await?
+ .into_iter()
+ .next()
+ .expect("requested one range"))
+ }
+
+ /// This request is used by DataFusion when requesting metadata for Parquet files, so we need
+ /// to use the cache to prevent excess network calls during query planning.
+ async fn get_ranges(
+ &self,
+ location: &Path,
+ ranges: &[Range<usize>],
+ ) -> ObjectStoreResult<Vec<Bytes>> {
+ if let Some(v) = self.get_cache_value(location).await {
+ ranges
+ .iter()
+ .map(|range| {
+ if range.end > v.data.len() {
+ return Err(Error::Generic {
+ store: STORE_NAME,
+ source: format!(
+ "Range end ({}) out of bounds, object size is {}",
+ range.end,
+ v.data.len()
+ )
+ .into(),
+ });
+ }
+ if range.start > range.end {
+ return Err(Error::Generic {
+ store: STORE_NAME,
+ source: format!(
+ "Range end ({}) is before range start ({})",
+ range.end, range.start
+ )
+ .into(),
+ });
+ }
+ Ok(v.data.slice(range.clone()))
+ })
+ .collect()
+ } else {
+ self.inner.get_ranges(location, ranges).await
+ }
+ }
+
+ async fn head(&self, location: &Path) -> ObjectStoreResult<ObjectMeta> {
+ if let Some(v) = self.get_cache_value(location).await {
+ Ok(v.meta.clone())
+ } else {
+ self.inner.head(location).await
+ }
+ }
+
+ /// Delete an object on object store, but also remove it from the cache.
+ async fn delete(&self, location: &Path) -> ObjectStoreResult<()> {
+ let result = self.inner.delete(location).await?;
+ self.delete_cache_value(location).await;
+ Ok(result)
+ }
+
+ fn delete_stream<'a>(
+ &'a self,
+ locations: BoxStream<'a, ObjectStoreResult<Path>>,
+ ) -> BoxStream<'a, ObjectStoreResult<Path>> {
+ locations
+ .and_then(|_| futures::future::err(Error::NotImplemented))
+ .boxed()
+ }
+
+ fn list(&self, prefix: Option<&Path>) -> BoxStream<'_, ObjectStoreResult<ObjectMeta>> {
+ self.inner.list(prefix)
+ }
+
+ fn list_with_offset(
+ &self,
+ prefix: Option<&Path>,
+ offset: &Path,
+ ) -> BoxStream<'_, ObjectStoreResult<ObjectMeta>> {
+ self.inner.list_with_offset(prefix, offset)
+ }
+
+ async fn list_with_delimiter(&self, prefix: Option<&Path>) -> ObjectStoreResult<ListResult> {
+ self.inner.list_with_delimiter(prefix).await
+ }
+
+ async fn copy(&self, from: &Path, to: &Path) -> ObjectStoreResult<()> {
+ self.inner.copy(from, to).await
+ }
+
+ async fn rename(&self, from: &Path, to: &Path) -> ObjectStoreResult<()> {
+ self.inner.rename(from, to).await
+ }
+
+ async fn copy_if_not_exists(&self, from: &Path, to: &Path) -> ObjectStoreResult<()> {
+ self.inner.copy_if_not_exists(from, to).await
+ }
+
+ async fn rename_if_not_exists(&self, from: &Path, to: &Path) -> ObjectStoreResult<()> {
+ self.inner.rename_if_not_exists(from, to).await
+ }
+}
+
+/// Handle [`CacheRequest`]s in a background task
+///
+/// This waits on the given `Receiver` for new cache requests to be registered, i.e., via the oracle.
+/// If a cache request is received for an entry that has not already been fetched successfully, or
+/// one that is in the process of being fetched, then this will spin a separate background task to
+/// fetch the object from object store and update the cache. This is so that cache requests can be
+/// handled in parallel.
+fn background_cache_request_handler(
+ mem_store: Arc<MemCachedObjectStore>,
+ mut rx: Receiver<CacheRequest>,
+) -> tokio::task::JoinHandle<()> {
+ tokio::spawn(async move {
+ while let Some(CacheRequest { path, notifier }) = rx.recv().await {
+ // clone the path before acquiring the lock:
+ let path_cloned = path.clone();
+ // Check that the cache does not already contain an entry for the provide path, or that
+ // it is not already in the process of fetching the given path:
+ let mut cache_lock = mem_store.cache.lock().await;
+ if cache_lock
+ .get(&path)
+ .is_some_and(|entry| entry.is_fetching() || entry.is_success())
+ {
+ continue;
+ }
+ // Put a `Fetching` state in the entry to prevent concurrent requests to the same path:
+ let _ = cache_lock.put_with_weight(path_cloned, CacheEntry::Fetching);
+ // Drop the lock before spawning the task below
+ drop(cache_lock);
+ let mem_store_captured = Arc::clone(&mem_store);
+ tokio::spawn(async move {
+ let cache_insertion_result = match mem_store_captured.inner.get(&path).await {
+ Ok(result) => {
+ let meta = result.meta.clone();
+ match result.bytes().await {
+ Ok(data) => mem_store_captured.cache.lock().await.put_with_weight(
+ path,
+ CacheEntry::Success(Arc::new(CacheValue { data, meta })),
+ ),
+ Err(error) => {
+ error!(%error, "failed to retrieve payload from object store get result");
+ mem_store_captured
+ .cache
+ .lock()
+ .await
+ .put_with_weight(path, CacheEntry::Failed)
+ }
+ }
+ }
+ Err(error) => {
+ error!(%error, "failed to fulfill cache request with object store");
+ mem_store_captured
+ .cache
+ .lock()
+ .await
+ .put_with_weight(path, CacheEntry::Failed)
+ }
+ };
+ // If an entry would not fit in the cache at all, the put_with_weight method returns
+ // it as an Err from above, and we would not have cleared the `Fetching` entry, so
+ // we need to do that here:
+ if let Err((k, _)) = cache_insertion_result {
+ mem_store_captured
+ .cache
+ .lock()
+ .await
+ .put_with_weight(k, CacheEntry::TooLarge)
+ .expect("cache capacity is too small");
+ }
+ // notify that the cache request has been fulfilled:
+ let _ = notifier.send(());
+ });
+ }
+ info!("cache request handler closed");
+ })
+}
+
+/// A background task for pruning un-needed entries in the cache
+// TODO(trevor): the interval could be configurable
+fn background_cache_pruner(mem_store: Arc<MemCachedObjectStore>) -> tokio::task::JoinHandle<()> {
+ tokio::spawn(async move {
+ let mut interval = tokio::time::interval(Duration::from_secs(60));
+ interval.set_missed_tick_behavior(tokio::time::MissedTickBehavior::Skip);
+ loop {
+ interval.tick().await;
+
+ mem_store.cache.lock().await.retain(|_, entry| entry.keep());
+ }
+ })
+}
+
+#[cfg(test)]
+mod tests {
+ use std::{ops::Range, sync::Arc};
+
+ use arrow::datatypes::ToByteSlice;
+ use async_trait::async_trait;
+ use bytes::Bytes;
+ use futures::stream::BoxStream;
+ use hashbrown::HashMap;
+ use object_store::{
+ memory::InMemory, path::Path, GetOptions, GetResult, ListResult, MultipartUpload,
+ ObjectMeta, ObjectStore, PutMultipartOpts, PutOptions, PutPayload, PutResult,
+ };
+ use parking_lot::RwLock;
+ use pretty_assertions::assert_eq;
+
+ use crate::parquet_cache::{
+ create_cached_obj_store_and_oracle, test_cached_obj_store_and_oracle, CacheRequest,
+ };
+
+ macro_rules! assert_payload_at_equals {
+ ($store:ident, $expected:ident, $path:ident) => {
+ assert_eq!(
+ $expected,
+ $store
+ .get(&$path)
+ .await
+ .unwrap()
+ .bytes()
+ .await
+ .unwrap()
+ .to_byte_slice()
+ )
+ };
+ }
+
+ #[tokio::test]
+ async fn hit_cache_instead_of_object_store() {
+ // set up the inner test object store and then wrap it with the mem cached store:
+ let inner_store = Arc::new(TestObjectStore::new(Arc::new(InMemory::new())));
+ let (cached_store, oracle) =
+ test_cached_obj_store_and_oracle(Arc::clone(&inner_store) as _);
+ // PUT a paylaod into the object store through the outer mem cached store:
+ let path = Path::from("0.parquet");
+ let payload = b"hello world";
+ cached_store
+ .put(&path, PutPayload::from_static(payload))
+ .await
+ .unwrap();
+
+ // GET the payload from the object store before caching:
+ assert_payload_at_equals!(cached_store, payload, path);
+ assert_eq!(1, inner_store.total_get_request_count());
+ assert_eq!(1, inner_store.get_request_count(&path));
+
+ // cache the entry:
+ let (cache_request, notifier_rx) = CacheRequest::create(path.clone());
+ oracle.register(cache_request);
+
+ // wait for cache notify:
+ let _ = notifier_rx.await;
+
+ // another request to inner store should have been made:
+ assert_eq!(2, inner_store.total_get_request_count());
+ assert_eq!(2, inner_store.get_request_count(&path));
+
+ // get the payload from the outer store again:
+ assert_payload_at_equals!(cached_store, payload, path);
+
+ // should hit the cache this time, so the inner store should not have been hit, and counts
+ // should therefore be same as previous:
+ assert_eq!(2, inner_store.total_get_request_count());
+ assert_eq!(2, inner_store.get_request_count(&path));
+ }
+
+ #[tokio::test]
+ async fn cache_evicts_lru_when_full() {
+ let inner_store = Arc::new(TestObjectStore::new(Arc::new(InMemory::new())));
+ let cache_capacity_bytes = 32;
+ let (cached_store, oracle) =
+ create_cached_obj_store_and_oracle(Arc::clone(&inner_store) as _, cache_capacity_bytes);
+ // PUT an entry into the store:
+ let path_1 = Path::from("0.parquet"); // 9 bytes for path
+ let payload_1 = b"Janeway"; // 7 bytes for payload
+ cached_store
+ .put(&path_1, PutPayload::from_static(payload_1))
+ .await
+ .unwrap();
+
+ // cache the entry and wait for it to complete:
+ let (cache_request, notifier_rx) = CacheRequest::create(path_1.clone());
+ oracle.register(cache_request);
+ let _ = notifier_rx.await;
+ // there will have been one get request made by the cache oracle:
+ assert_eq!(1, inner_store.total_get_request_count());
+ assert_eq!(1, inner_store.get_request_count(&path_1));
+
+ // GET the entry to check its there and was retrieved from cache, i.e., that the request
+ // counts do not change:
+ assert_payload_at_equals!(cached_store, payload_1, path_1);
+ assert_eq!(1, inner_store.total_get_request_count());
+ assert_eq!(1, inner_store.get_request_count(&path_1));
+
+ // PUT a second entry into the store:
+ let path_2 = Path::from("1.parquet"); // 9 bytes for path
+ let payload_2 = b"Paris"; // 5 bytes for payload
+ cached_store
+ .put(&path_2, PutPayload::from_static(payload_2))
+ .await
+ .unwrap();
+
+ // cache the second entry and wait for it to complete, this will not evict the first entry
+ // as both can fit in the cache whose capacity is 32 bytes:
+ let (cache_request, notifier_rx) = CacheRequest::create(path_2.clone());
+ oracle.register(cache_request);
+ let _ = notifier_rx.await;
+ // will have another request for the second path to the inner store, by the oracle:
+ assert_eq!(2, inner_store.total_get_request_count());
+ assert_eq!(1, inner_store.get_request_count(&path_1));
+ assert_eq!(1, inner_store.get_request_count(&path_2));
+
+ // GET the second entry and assert that it was retrieved from the cache, i.e., that the
+ // request counts do not change:
+ assert_payload_at_equals!(cached_store, payload_2, path_2);
+ assert_eq!(2, inner_store.total_get_request_count());
+ assert_eq!(1, inner_store.get_request_count(&path_1));
+ assert_eq!(1, inner_store.get_request_count(&path_2));
+
+ // GET the first entry again and assert that it was retrieved from the cache as before. This
+ // will also update the LRU so that the first entry (janeway) was used more recently than the
+ // second entry (paris):
+ assert_payload_at_equals!(cached_store, payload_1, path_1);
+ assert_eq!(2, inner_store.total_get_request_count());
+ assert_eq!(1, inner_store.get_request_count(&path_1));
+
+ // PUT a third entry into the store:
+ let path_3 = Path::from("2.parquet"); // 9 bytes for the path
+ let payload_3 = b"Neelix"; // 6 bytes for the payload
+ cached_store
+ .put(&path_3, PutPayload::from_static(payload_3))
+ .await
+ .unwrap();
+ // cache the third entry and wait for it to complete, this will evict paris from the cache
+ // as the LRU entry:
+ let (cache_request, notifier_rx) = CacheRequest::create(path_3.clone());
+ oracle.register(cache_request);
+ let _ = notifier_rx.await;
+ // will now have another request for the third path to the inner store, by the oracle:
+ assert_eq!(3, inner_store.total_get_request_count());
+ assert_eq!(1, inner_store.get_request_count(&path_1));
+ assert_eq!(1, inner_store.get_request_count(&path_2));
+ assert_eq!(1, inner_store.get_request_count(&path_3));
+
+ // GET the new entry from the strore, and check that it was served by the cache:
+ assert_payload_at_equals!(cached_store, payload_3, path_3);
+ assert_eq!(3, inner_store.total_get_request_count());
+ assert_eq!(1, inner_store.get_request_count(&path_1));
+ assert_eq!(1, inner_store.get_request_count(&path_2));
+ assert_eq!(1, inner_store.get_request_count(&path_3));
+
+ // GET paris from the cached store, this will not be served by the cache, because paris was
+ // evicted by neelix:
+ assert_payload_at_equals!(cached_store, payload_2, path_2);
+ assert_eq!(4, inner_store.total_get_request_count());
+ assert_eq!(1, inner_store.get_request_count(&path_1));
+ assert_eq!(2, inner_store.get_request_count(&path_2));
+ assert_eq!(1, inner_store.get_request_count(&path_3));
+ }
+
+ type RequestCounter = RwLock<HashMap<Path, usize>>;
+
+ #[derive(Debug)]
+ struct TestObjectStore {
+ inner: Arc<dyn ObjectStore>,
+ get: RequestCounter,
+ }
+
+ impl TestObjectStore {
+ fn new(inner: Arc<dyn ObjectStore>) -> Self {
+ Self {
+ inner,
+ get: Default::default(),
+ }
+ }
+
+ fn total_get_request_count(&self) -> usize {
+ self.get.read().iter().map(|(_, size)| size).sum()
+ }
+
+ fn get_request_count(&self, path: &Path) -> usize {
+ self.get.read().get(path).copied().unwrap_or(0)
+ }
+ }
+
+ impl std::fmt::Display for TestObjectStore {
+ fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
+ write!(f, "TestObjectStore({})", self.inner)
+ }
+ }
+
+ /// [`MemCachedObjectStore`] implements most [`ObjectStore`] methods as a pass-through, since
+ /// caching is decided externally. The exception is `delete`, which will have the entry removed
+ /// from the cache if the delete to the object store was successful.
+ ///
+ /// GET-style methods will first check the cache for the object at the given path, before forwarding
+ /// to the inner [`ObjectStore`]. They do not, however, populate the cache after data has been fetched
+ /// from the inner store.
+ #[async_trait]
+ impl ObjectStore for TestObjectStore {
+ async fn put(&self, location: &Path, bytes: PutPayload) -> object_store::Result<PutResult> {
+ self.inner.put(location, bytes).await
+ }
+
+ async fn put_opts(
+ &self,
+ location: &Path,
+ bytes: PutPayload,
+ opts: PutOptions,
+ ) -> object_store::Result<PutResult> {
+ self.inner.put_opts(location, bytes, opts).await
+ }
+
+ async fn put_multipart(
+ &self,
+ location: &Path,
+ ) -> object_store::Result<Box<dyn MultipartUpload>> {
+ self.inner.put_multipart(location).await
+ }
+
+ async fn put_multipart_opts(
+ &self,
+ location: &Path,
+ opts: PutMultipartOpts,
+ ) -> object_store::Result<Box<dyn MultipartUpload>> {
+ self.inner.put_multipart_opts(location, opts).await
+ }
+
+ async fn get(&self, location: &Path) -> object_store::Result<GetResult> {
+ *self.get.write().entry(location.clone()).or_insert(0) += 1;
+ self.inner.get(location).await
+ }
+
+ async fn get_opts(
+ &self,
+ location: &Path,
+ options: GetOptions,
+ ) -> object_store::Result<GetResult> {
+ self.inner.get_opts(location, options).await
+ }
+
+ async fn get_range(
+ &self,
+ location: &Path,
+ range: Range<usize>,
+ ) -> object_store::Result<Bytes> {
+ self.inner.get_range(location, range).await
+ }
+
+ async fn get_ranges(
+ &self,
+ location: &Path,
+ ranges: &[Range<usize>],
+ ) -> object_store::Result<Vec<Bytes>> {
+ self.inner.get_ranges(location, ranges).await
+ }
+
+ async fn head(&self, location: &Path) -> object_store::Result<ObjectMeta> {
+ self.inner.head(location).await
+ }
+
+ /// Delete an object on object store, but also remove it from the cache.
+ async fn delete(&self, location: &Path) -> object_store::Result<()> {
+ self.inner.delete(location).await
+ }
+
+ fn delete_stream<'a>(
+ &'a self,
+ locations: BoxStream<'a, object_store::Result<Path>>,
+ ) -> BoxStream<'a, object_store::Result<Path>> {
+ self.inner.delete_stream(locations)
+ }
+
+ fn list(&self, prefix: Option<&Path>) -> BoxStream<'_, object_store::Result<ObjectMeta>> {
+ self.inner.list(prefix)
+ }
+
+ fn list_with_offset(
+ &self,
+ prefix: Option<&Path>,
+ offset: &Path,
+ ) -> BoxStream<'_, object_store::Result<ObjectMeta>> {
+ self.inner.list_with_offset(prefix, offset)
+ }
+
+ async fn list_with_delimiter(
+ &self,
+ prefix: Option<&Path>,
+ ) -> object_store::Result<ListResult> {
+ self.inner.list_with_delimiter(prefix).await
+ }
+
+ async fn copy(&self, from: &Path, to: &Path) -> object_store::Result<()> {
+ self.inner.copy(from, to).await
+ }
+
+ async fn rename(&self, from: &Path, to: &Path) -> object_store::Result<()> {
+ self.inner.rename(from, to).await
+ }
+
+ async fn copy_if_not_exists(&self, from: &Path, to: &Path) -> object_store::Result<()> {
+ self.inner.copy_if_not_exists(from, to).await
+ }
+
+ async fn rename_if_not_exists(&self, from: &Path, to: &Path) -> object_store::Result<()> {
+ self.inner.rename_if_not_exists(from, to).await
+ }
+ }
+}
diff --git a/influxdb3_write/src/write_buffer/mod.rs b/influxdb3_write/src/write_buffer/mod.rs
index e91f51f949..09284c935d 100644
--- a/influxdb3_write/src/write_buffer/mod.rs
+++ b/influxdb3_write/src/write_buffer/mod.rs
@@ -5,9 +5,9 @@ pub mod queryable_buffer;
mod table_buffer;
pub(crate) mod validator;
-use crate::cache::ParquetCache;
use crate::chunk::ParquetChunk;
use crate::last_cache::{self, CreateCacheArguments, LastCacheProvider};
+use crate::parquet_cache::ParquetCacheOracle;
use crate::persister::Persister;
use crate::write_buffer::persisted_files::PersistedFiles;
use crate::write_buffer::queryable_buffer::QueryableBuffer;
@@ -22,7 +22,6 @@ use datafusion::catalog::Session;
use datafusion::common::DataFusionError;
use datafusion::datasource::object_store::ObjectStoreUrl;
use datafusion::logical_expr::Expr;
-use datafusion::physical_plan::SendableRecordBatchStream;
use influxdb3_catalog::catalog::Catalog;
use influxdb3_wal::object_store::WalObjectStore;
use influxdb3_wal::CatalogOp::CreateLastCache;
@@ -106,7 +105,10 @@ pub struct WriteRequest<'a> {
pub struct WriteBufferImpl {
catalog: Arc<Catalog>,
persister: Arc<Persister>,
- parquet_cache: Arc<ParquetCache>,
+ // NOTE(trevor): the parquet cache interface may be used to register other cache
+ // requests from the write buffer, e.g., during query...
+ #[allow(dead_code)]
+ parquet_cache: Arc<dyn ParquetCacheOracle>,
persisted_files: Arc<PersistedFiles>,
buffer: Arc<QueryableBuffer>,
wal_config: WalConfig,
@@ -126,6 +128,7 @@ impl WriteBufferImpl {
time_provider: Arc<dyn TimeProvider>,
executor: Arc<iox_query::exec::Executor>,
wal_config: WalConfig,
+ parquet_cache: Arc<dyn ParquetCacheOracle>,
) -> Result<Self> {
// load snapshots and replay the wal into the in memory buffer
let persisted_snapshots = persister
@@ -159,6 +162,7 @@ impl WriteBufferImpl {
Arc::clone(&persister),
Arc::clone(&last_cache),
Arc::clone(&persisted_files),
+ Arc::clone(&parquet_cache),
));
// create the wal instance, which will replay into the queryable buffer and start
@@ -175,7 +179,7 @@ impl WriteBufferImpl {
Ok(Self {
catalog,
- parquet_cache: Arc::new(ParquetCache::new(&persister.mem_pool)),
+ parquet_cache,
persister,
wal_config,
wal,
@@ -329,94 +333,8 @@ impl WriteBufferImpl {
chunks.push(Arc::new(parquet_chunk));
}
- // Get any cached files and add them to the query
- // This is mostly the same as above, but we change the object store to
- // point to the in memory cache
- for parquet_file in self
- .parquet_cache
- .get_parquet_files(database_name, table_name)
- {
- let partition_key = data_types::PartitionKey::from(parquet_file.path.clone());
- let partition_id = data_types::partition::TransitionPartitionId::new(
- data_types::TableId::new(0),
- &partition_key,
- );
-
- let chunk_stats = create_chunk_statistics(
- Some(parquet_file.row_count as usize),
- &table_schema,
- Some(parquet_file.timestamp_min_max()),
- &NoColumnRanges,
- );
-
- let location = ObjPath::from(parquet_file.path.clone());
-
- let parquet_exec = ParquetExecInput {
- object_store_url: self.persister.object_store_url().clone(),
- object_meta: ObjectMeta {
- location,
- last_modified: Default::default(),
- size: parquet_file.size_bytes as usize,
- e_tag: None,
- version: None,
- },
- object_store: Arc::clone(&self.parquet_cache.object_store()),
- };
-
- let parquet_chunk = ParquetChunk {
- schema: table_schema.clone(),
- stats: Arc::new(chunk_stats),
- partition_id,
- sort_key: None,
- id: ChunkId::new(),
- chunk_order: ChunkOrder::new(chunk_order),
- parquet_exec,
- };
-
- chunk_order += 1;
-
- chunks.push(Arc::new(parquet_chunk));
- }
-
Ok(chunks)
}
-
- pub async fn cache_parquet(
- &self,
- db_name: &str,
- table_name: &str,
- min_time: i64,
- max_time: i64,
- records: SendableRecordBatchStream,
- ) -> Result<(), Error> {
- Ok(self
- .parquet_cache
- .persist_parquet_file(db_name, table_name, min_time, max_time, records, None)
- .await?)
- }
-
- pub async fn update_parquet(
- &self,
- db_name: &str,
- table_name: &str,
- min_time: i64,
- max_time: i64,
- path: ObjPath,
- records: SendableRecordBatchStream,
- ) -> Result<(), Error> {
- Ok(self
- .parquet_cache
- .persist_parquet_file(db_name, table_name, min_time, max_time, records, Some(path))
- .await?)
- }
-
- pub async fn remove_parquet(&self, path: ObjPath) -> Result<(), Error> {
- Ok(self.parquet_cache.remove_parquet_file(path).await?)
- }
-
- pub async fn purge_cache(&self) -> Result<(), Error> {
- Ok(self.parquet_cache.purge_cache().await?)
- }
}
pub fn parquet_chunk_from_file(
@@ -607,6 +525,7 @@ impl WriteBuffer for WriteBufferImpl {}
#[allow(clippy::await_holding_lock)]
mod tests {
use super::*;
+ use crate::parquet_cache::test_cached_obj_store_and_oracle;
use crate::paths::{CatalogFilePath, SnapshotInfoFilePath};
use crate::persister::Persister;
use crate::PersistedSnapshot;
@@ -651,6 +570,7 @@ mod tests {
#[tokio::test(flavor = "multi_thread", worker_threads = 2)]
async fn writes_data_to_wal_and_is_queryable() {
let object_store: Arc<dyn ObjectStore> = Arc::new(InMemory::new());
+ let (object_store, parquet_cache) = test_cached_obj_store_and_oracle(object_store);
let persister = Arc::new(Persister::new(Arc::clone(&object_store), "test_host"));
let catalog = persister.load_or_create_catalog().await.unwrap();
let last_cache = LastCacheProvider::new_from_catalog(&catalog.clone_inner()).unwrap();
@@ -663,6 +583,7 @@ mod tests {
Arc::clone(&time_provider),
crate::test_help::make_exec(),
WalConfig::test_config(),
+ Arc::clone(&parquet_cache),
)
.await
.unwrap();
@@ -741,6 +662,7 @@ mod tests {
flush_interval: Duration::from_millis(50),
snapshot_size: 100,
},
+ Arc::clone(&parquet_cache),
)
.await
.unwrap();
@@ -751,9 +673,10 @@ mod tests {
#[tokio::test]
async fn last_cache_create_and_delete_is_durable() {
+ let obj_store: Arc<dyn ObjectStore> = Arc::new(InMemory::new());
let (wbuf, _ctx) = setup(
Time::from_timestamp_nanos(0),
- Arc::new(InMemory::new()),
+ Arc::clone(&obj_store),
WalConfig {
gen1_duration: Gen1Duration::new_1m(),
max_write_buffer_size: 100,
@@ -795,6 +718,7 @@ mod tests {
flush_interval: Duration::from_millis(10),
snapshot_size: 1,
},
+ Arc::clone(&wbuf.parquet_cache),
)
.await
.unwrap();
@@ -832,6 +756,7 @@ mod tests {
flush_interval: Duration::from_millis(10),
snapshot_size: 1,
},
+ Arc::clone(&wbuf.parquet_cache),
)
.await
.unwrap();
@@ -888,6 +813,7 @@ mod tests {
flush_interval: Duration::from_millis(10),
snapshot_size: 1,
},
+ Arc::clone(&wbuf.parquet_cache),
)
.await
.unwrap();
@@ -1041,6 +967,7 @@ mod tests {
flush_interval: Duration::from_millis(10),
snapshot_size: 2,
},
+ Arc::clone(&write_buffer.parquet_cache),
)
.await
.unwrap();
@@ -1728,6 +1655,7 @@ mod tests {
object_store: Arc<dyn ObjectStore>,
wal_config: WalConfig,
) -> (WriteBufferImpl, IOxSessionContext) {
+ let (object_store, parquet_cache) = test_cached_obj_store_and_oracle(object_store);
let persister = Arc::new(Persister::new(Arc::clone(&object_store), "test_host"));
let time_provider: Arc<dyn TimeProvider> = Arc::new(MockProvider::new(start));
let catalog = persister.load_or_create_catalog().await.unwrap();
@@ -1739,6 +1667,7 @@ mod tests {
Arc::clone(&time_provider),
crate::test_help::make_exec(),
wal_config,
+ parquet_cache,
)
.await
.unwrap();
diff --git a/influxdb3_write/src/write_buffer/queryable_buffer.rs b/influxdb3_write/src/write_buffer/queryable_buffer.rs
index b73a061c5b..625065f347 100644
--- a/influxdb3_write/src/write_buffer/queryable_buffer.rs
+++ b/influxdb3_write/src/write_buffer/queryable_buffer.rs
@@ -1,5 +1,6 @@
use crate::chunk::BufferChunk;
use crate::last_cache::LastCacheProvider;
+use crate::parquet_cache::{CacheRequest, ParquetCacheOracle};
use crate::paths::ParquetFilePath;
use crate::persister::Persister;
use crate::write_buffer::persisted_files::PersistedFiles;
@@ -21,6 +22,7 @@ use iox_query::chunk_statistics::{create_chunk_statistics, NoColumnRanges};
use iox_query::exec::Executor;
use iox_query::frontend::reorg::ReorgPlanner;
use iox_query::QueryChunk;
+use object_store::path::Path;
use observability_deps::tracing::{error, info};
use parking_lot::RwLock;
use parquet::format::FileMetaData;
@@ -40,6 +42,7 @@ pub struct QueryableBuffer {
persister: Arc<Persister>,
persisted_files: Arc<PersistedFiles>,
buffer: Arc<RwLock<BufferState>>,
+ parquet_cache: Arc<dyn ParquetCacheOracle>,
/// Sends a notification to this watch channel whenever a snapshot info is persisted
persisted_snapshot_notify_rx: tokio::sync::watch::Receiver<Option<PersistedSnapshot>>,
persisted_snapshot_notify_tx: tokio::sync::watch::Sender<Option<PersistedSnapshot>>,
@@ -52,6 +55,7 @@ impl QueryableBuffer {
persister: Arc<Persister>,
last_cache_provider: Arc<LastCacheProvider>,
persisted_files: Arc<PersistedFiles>,
+ parquet_cache: Arc<dyn ParquetCacheOracle>,
) -> Self {
let buffer = Arc::new(RwLock::new(BufferState::new(Arc::clone(&catalog))));
let (persisted_snapshot_notify_tx, persisted_snapshot_notify_rx) =
@@ -63,6 +67,7 @@ impl QueryableBuffer {
persister,
persisted_files,
buffer,
+ parquet_cache,
persisted_snapshot_notify_rx,
persisted_snapshot_notify_tx,
}
@@ -192,6 +197,7 @@ impl QueryableBuffer {
let buffer = Arc::clone(&self.buffer);
let catalog = Arc::clone(&self.catalog);
let notify_snapshot_tx = self.persisted_snapshot_notify_tx.clone();
+ let parquet_cache = Arc::clone(&self.parquet_cache);
tokio::spawn(async move {
// persist the catalog if it has been updated
@@ -233,6 +239,7 @@ impl QueryableBuffer {
wal_file_number,
catalog.sequence_number(),
);
+ let mut cache_notifiers = vec![];
for persist_job in persist_jobs {
let path = persist_job.path.to_string();
let database_name = Arc::clone(&persist_job.database_name);
@@ -241,9 +248,14 @@ impl QueryableBuffer {
let min_time = persist_job.timestamp_min_max.min;
let max_time = persist_job.timestamp_min_max.max;
- let (size_bytes, meta) =
- sort_dedupe_persist(persist_job, Arc::clone(&persister), Arc::clone(&executor))
- .await;
+ let (size_bytes, meta, cache_notifier) = sort_dedupe_persist(
+ persist_job,
+ Arc::clone(&persister),
+ Arc::clone(&executor),
+ Arc::clone(&parquet_cache),
+ )
+ .await;
+ cache_notifiers.push(cache_notifier);
persisted_snapshot.add_parquet_file(
database_name,
table_name,
@@ -276,15 +288,23 @@ impl QueryableBuffer {
}
}
- // clear out the write buffer and add all the persisted files to the persisted files list
- let mut buffer = buffer.write();
- for (_, table_map) in buffer.db_to_table.iter_mut() {
- for (_, table_buffer) in table_map.iter_mut() {
- table_buffer.clear_snapshots();
+ // clear out the write buffer and add all the persisted files to the persisted files
+ // on a background task to ensure that the cache has been populated before we clear
+ // the buffer
+ tokio::spawn(async move {
+ // wait on the cache updates to complete:
+ for notifier in cache_notifiers {
+ let _ = notifier.await;
+ }
+ let mut buffer = buffer.write();
+ for (_, table_map) in buffer.db_to_table.iter_mut() {
+ for (_, table_buffer) in table_map.iter_mut() {
+ table_buffer.clear_snapshots();
+ }
}
- }
- persisted_files.add_persisted_snapshot_files(persisted_snapshot);
+ persisted_files.add_persisted_snapshot_files(persisted_snapshot);
+ });
let _ = sender.send(snapshot_details);
});
@@ -433,7 +453,8 @@ async fn sort_dedupe_persist(
persist_job: PersistJob,
persister: Arc<Persister>,
executor: Arc<Executor>,
-) -> (u64, FileMetaData) {
+ parquet_cache: Arc<dyn ParquetCacheOracle>,
+) -> (u64, FileMetaData, oneshot::Receiver<()>) {
// Dedupe and sort using the COMPACT query built into
// iox_query
let row_count = persist_job.batch.num_rows();
@@ -495,7 +516,10 @@ async fn sort_dedupe_persist(
{
Ok((size_bytes, meta)) => {
info!("Persisted parquet file: {}", persist_job.path.to_string());
- return (size_bytes, meta);
+ let (cache_request, cache_notify_rx) =
+ CacheRequest::create(Path::from(persist_job.path.to_string()));
+ parquet_cache.register(cache_request);
+ return (size_bytes, meta, cache_notify_rx);
}
Err(e) => {
error!(
|
d0720a4fe46458763466c5ebc82b4ad932517f01
|
Trevor Hilton
|
2024-08-19 11:40:04
|
core sync and add reqwest json feature (#25251)
|
* chore: core sync and add reqwest json feature
* chore: update to latest commit sha on core branch
| null |
chore: core sync and add reqwest json feature (#25251)
* chore: core sync and add reqwest json feature
* chore: update to latest commit sha on core branch
|
diff --git a/Cargo.lock b/Cargo.lock
index 1a0d446408..aa97b42b4e 100644
--- a/Cargo.lock
+++ b/Cargo.lock
@@ -391,7 +391,7 @@ dependencies = [
[[package]]
name = "arrow_util"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a#d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1a25527986e2fdfbf018c89d49112eb9b02bb87a#1a25527986e2fdfbf018c89d49112eb9b02bb87a"
dependencies = [
"ahash",
"arrow",
@@ -501,7 +501,7 @@ checksum = "1505bd5d3d116872e7271a6d4e16d81d0c8570876c8de68093a09ac269d8aac0"
[[package]]
name = "authz"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a#d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1a25527986e2fdfbf018c89d49112eb9b02bb87a#1a25527986e2fdfbf018c89d49112eb9b02bb87a"
dependencies = [
"async-trait",
"backoff",
@@ -570,7 +570,7 @@ dependencies = [
[[package]]
name = "backoff"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a#d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1a25527986e2fdfbf018c89d49112eb9b02bb87a#1a25527986e2fdfbf018c89d49112eb9b02bb87a"
dependencies = [
"observability_deps",
"rand",
@@ -612,21 +612,6 @@ version = "1.6.0"
source = "registry+https://github.com/rust-lang/crates.io-index"
checksum = "8c3c1a368f70d6cf7302d78f8f7093da241fb8e8807c05cc9e51a125895a6d5b"
-[[package]]
-name = "bit-set"
-version = "0.5.3"
-source = "registry+https://github.com/rust-lang/crates.io-index"
-checksum = "0700ddab506f33b20a03b13996eccd309a48e5ff77d0d95926aa0210fb4e95f1"
-dependencies = [
- "bit-vec",
-]
-
-[[package]]
-name = "bit-vec"
-version = "0.6.3"
-source = "registry+https://github.com/rust-lang/crates.io-index"
-checksum = "349f9b6a179ed607305526ca489b34ad0a41aed5f7980fa90eb03160b69598fb"
-
[[package]]
name = "bitflags"
version = "1.3.2"
@@ -747,7 +732,7 @@ dependencies = [
[[package]]
name = "catalog_cache"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a#d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1a25527986e2fdfbf018c89d49112eb9b02bb87a#1a25527986e2fdfbf018c89d49112eb9b02bb87a"
dependencies = [
"bytes",
"dashmap 6.0.1",
@@ -781,12 +766,6 @@ version = "1.0.0"
source = "registry+https://github.com/rust-lang/crates.io-index"
checksum = "baf1de4339761588bc0619e3cbc0120ee582ebb74b53b4efbf79117bd2da40fd"
-[[package]]
-name = "cfg_aliases"
-version = "0.2.1"
-source = "registry+https://github.com/rust-lang/crates.io-index"
-checksum = "613afe47fcd5fac7ccf1db93babcb082c5994d996f20b8b159f2ad1658eb5724"
-
[[package]]
name = "chrono"
version = "0.4.38"
@@ -837,7 +816,7 @@ dependencies = [
[[package]]
name = "clap_blocks"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a#d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1a25527986e2fdfbf018c89d49112eb9b02bb87a#1a25527986e2fdfbf018c89d49112eb9b02bb87a"
dependencies = [
"async-trait",
"clap",
@@ -899,7 +878,7 @@ checksum = "1462739cb27611015575c0c11df5df7601141071f07518d56fcc1be504cbec97"
[[package]]
name = "client_util"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a#d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1a25527986e2fdfbf018c89d49112eb9b02bb87a#1a25527986e2fdfbf018c89d49112eb9b02bb87a"
dependencies = [
"http 0.2.12",
"reqwest 0.11.27",
@@ -1246,7 +1225,7 @@ dependencies = [
[[package]]
name = "data_types"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a#d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1a25527986e2fdfbf018c89d49112eb9b02bb87a#1a25527986e2fdfbf018c89d49112eb9b02bb87a"
dependencies = [
"arrow",
"arrow-buffer",
@@ -1567,7 +1546,7 @@ dependencies = [
[[package]]
name = "datafusion_util"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a#d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1a25527986e2fdfbf018c89d49112eb9b02bb87a#1a25527986e2fdfbf018c89d49112eb9b02bb87a"
dependencies = [
"async-trait",
"datafusion",
@@ -1755,7 +1734,7 @@ checksum = "0206175f82b8d6bf6652ff7d71a1e27fd2e4efde587fd368662814d6ec1d9ce0"
[[package]]
name = "executor"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a#d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1a25527986e2fdfbf018c89d49112eb9b02bb87a#1a25527986e2fdfbf018c89d49112eb9b02bb87a"
dependencies = [
"futures",
"metric",
@@ -1809,7 +1788,7 @@ dependencies = [
[[package]]
name = "flightsql"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a#d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1a25527986e2fdfbf018c89d49112eb9b02bb87a#1a25527986e2fdfbf018c89d49112eb9b02bb87a"
dependencies = [
"arrow",
"arrow-flight",
@@ -1957,7 +1936,7 @@ dependencies = [
[[package]]
name = "generated_types"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a#d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1a25527986e2fdfbf018c89d49112eb9b02bb87a#1a25527986e2fdfbf018c89d49112eb9b02bb87a"
dependencies = [
"observability_deps",
"once_cell",
@@ -1982,7 +1961,6 @@ checksum = "85649ca51fd72272d7821adaf274ad91c288277713d9c18820d8499a7ff69e9a"
dependencies = [
"typenum",
"version_check",
- "zeroize",
]
[[package]]
@@ -2397,7 +2375,7 @@ dependencies = [
[[package]]
name = "influxdb-line-protocol"
version = "1.0.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a#d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1a25527986e2fdfbf018c89d49112eb9b02bb87a#1a25527986e2fdfbf018c89d49112eb9b02bb87a"
dependencies = [
"bytes",
"log",
@@ -2683,7 +2661,7 @@ dependencies = [
[[package]]
name = "influxdb_influxql_parser"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a#d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1a25527986e2fdfbf018c89d49112eb9b02bb87a#1a25527986e2fdfbf018c89d49112eb9b02bb87a"
dependencies = [
"chrono",
"chrono-tz",
@@ -2699,7 +2677,7 @@ dependencies = [
[[package]]
name = "influxdb_iox_client"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a#d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1a25527986e2fdfbf018c89d49112eb9b02bb87a#1a25527986e2fdfbf018c89d49112eb9b02bb87a"
dependencies = [
"arrow",
"arrow-flight",
@@ -2758,7 +2736,7 @@ checksum = "8bb03732005da905c88227371639bf1ad885cc712789c011c31c5fb3ab3ccf02"
[[package]]
name = "iox_catalog"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a#d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1a25527986e2fdfbf018c89d49112eb9b02bb87a#1a25527986e2fdfbf018c89d49112eb9b02bb87a"
dependencies = [
"async-trait",
"backoff",
@@ -2796,7 +2774,7 @@ dependencies = [
[[package]]
name = "iox_http"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a#d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1a25527986e2fdfbf018c89d49112eb9b02bb87a#1a25527986e2fdfbf018c89d49112eb9b02bb87a"
dependencies = [
"async-trait",
"authz",
@@ -2812,7 +2790,7 @@ dependencies = [
[[package]]
name = "iox_query"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a#d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1a25527986e2fdfbf018c89d49112eb9b02bb87a#1a25527986e2fdfbf018c89d49112eb9b02bb87a"
dependencies = [
"arrow",
"arrow_util",
@@ -2851,7 +2829,7 @@ dependencies = [
[[package]]
name = "iox_query_influxql"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a#d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1a25527986e2fdfbf018c89d49112eb9b02bb87a#1a25527986e2fdfbf018c89d49112eb9b02bb87a"
dependencies = [
"arrow",
"chrono-tz",
@@ -2884,7 +2862,7 @@ dependencies = [
[[package]]
name = "iox_query_params"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a#d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1a25527986e2fdfbf018c89d49112eb9b02bb87a#1a25527986e2fdfbf018c89d49112eb9b02bb87a"
dependencies = [
"arrow",
"datafusion",
@@ -2899,7 +2877,7 @@ dependencies = [
[[package]]
name = "iox_system_tables"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a#d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1a25527986e2fdfbf018c89d49112eb9b02bb87a#1a25527986e2fdfbf018c89d49112eb9b02bb87a"
dependencies = [
"arrow",
"async-trait",
@@ -2911,7 +2889,7 @@ dependencies = [
[[package]]
name = "iox_time"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a#d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1a25527986e2fdfbf018c89d49112eb9b02bb87a#1a25527986e2fdfbf018c89d49112eb9b02bb87a"
dependencies = [
"chrono",
"parking_lot",
@@ -2991,15 +2969,6 @@ dependencies = [
"wasm-bindgen",
]
-[[package]]
-name = "lalrpop-util"
-version = "0.20.2"
-source = "registry+https://github.com/rust-lang/crates.io-index"
-checksum = "507460a910eb7b32ee961886ff48539633b788a36b65692b95f225b844c82553"
-dependencies = [
- "regex-automata 0.4.7",
-]
-
[[package]]
name = "lazy_static"
version = "1.5.0"
@@ -3123,14 +3092,11 @@ name = "log"
version = "0.4.22"
source = "registry+https://github.com/rust-lang/crates.io-index"
checksum = "a7a70ba024b9dc04c27ea2f0c0548feb474ec5c54bba33a7f72f873a39d07b24"
-dependencies = [
- "value-bag",
-]
[[package]]
name = "logfmt"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a#d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1a25527986e2fdfbf018c89d49112eb9b02bb87a#1a25527986e2fdfbf018c89d49112eb9b02bb87a"
dependencies = [
"observability_deps",
"tracing-subscriber",
@@ -3188,19 +3154,10 @@ version = "2.7.4"
source = "registry+https://github.com/rust-lang/crates.io-index"
checksum = "78ca9ab1a0babb1e7d5695e3530886289c18cf2f87ec19a575a0abdce112e3a3"
-[[package]]
-name = "memoffset"
-version = "0.9.1"
-source = "registry+https://github.com/rust-lang/crates.io-index"
-checksum = "488016bfae457b036d996092f6cb448677611ce4449e970ceaf42695203f218a"
-dependencies = [
- "autocfg",
-]
-
[[package]]
name = "metric"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a#d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1a25527986e2fdfbf018c89d49112eb9b02bb87a#1a25527986e2fdfbf018c89d49112eb9b02bb87a"
dependencies = [
"parking_lot",
"workspace-hack",
@@ -3209,7 +3166,7 @@ dependencies = [
[[package]]
name = "metric_exporters"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a#d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1a25527986e2fdfbf018c89d49112eb9b02bb87a#1a25527986e2fdfbf018c89d49112eb9b02bb87a"
dependencies = [
"metric",
"observability_deps",
@@ -3223,16 +3180,6 @@ version = "0.3.17"
source = "registry+https://github.com/rust-lang/crates.io-index"
checksum = "6877bb514081ee2a7ff5ef9de3281f14a4dd4bceac4c09388074a6b5df8a139a"
-[[package]]
-name = "mime_guess"
-version = "2.0.5"
-source = "registry+https://github.com/rust-lang/crates.io-index"
-checksum = "f7c44f8e672c00fe5308fa235f821cb4198414e1c77935c1ab6948d3fd78550e"
-dependencies = [
- "mime",
- "unicase",
-]
-
[[package]]
name = "minimal-lexical"
version = "0.2.1"
@@ -3298,7 +3245,7 @@ checksum = "9252111cf132ba0929b6f8e030cac2a24b507f3a4d6db6fb2896f27b354c714b"
[[package]]
name = "mutable_batch"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a#d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1a25527986e2fdfbf018c89d49112eb9b02bb87a#1a25527986e2fdfbf018c89d49112eb9b02bb87a"
dependencies = [
"arrow",
"arrow_util",
@@ -3311,19 +3258,6 @@ dependencies = [
"workspace-hack",
]
-[[package]]
-name = "nix"
-version = "0.29.0"
-source = "registry+https://github.com/rust-lang/crates.io-index"
-checksum = "71e2746dc3a24dd78b3cfcb7be93368c6de9963d30f43a6a73998a9cf4b17b46"
-dependencies = [
- "bitflags 2.6.0",
- "cfg-if",
- "cfg_aliases",
- "libc",
- "memoffset",
-]
-
[[package]]
name = "nom"
version = "7.1.3"
@@ -3512,7 +3446,7 @@ dependencies = [
[[package]]
name = "object_store_mem_cache"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a#d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1a25527986e2fdfbf018c89d49112eb9b02bb87a#1a25527986e2fdfbf018c89d49112eb9b02bb87a"
dependencies = [
"arrow",
"async-trait",
@@ -3532,7 +3466,7 @@ dependencies = [
[[package]]
name = "observability_deps"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a#d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1a25527986e2fdfbf018c89d49112eb9b02bb87a#1a25527986e2fdfbf018c89d49112eb9b02bb87a"
dependencies = [
"tracing",
"workspace-hack",
@@ -3580,7 +3514,7 @@ checksum = "b15813163c1d831bf4a13c3610c05c0d03b39feb07f7e09fa234dac9b15aaf39"
[[package]]
name = "panic_logging"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a#d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1a25527986e2fdfbf018c89d49112eb9b02bb87a#1a25527986e2fdfbf018c89d49112eb9b02bb87a"
dependencies = [
"metric",
"observability_deps",
@@ -3649,7 +3583,7 @@ dependencies = [
[[package]]
name = "parquet_file"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a#d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1a25527986e2fdfbf018c89d49112eb9b02bb87a#1a25527986e2fdfbf018c89d49112eb9b02bb87a"
dependencies = [
"arrow",
"base64 0.22.1",
@@ -3867,7 +3801,7 @@ dependencies = [
[[package]]
name = "predicate"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a#d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1a25527986e2fdfbf018c89d49112eb9b02bb87a#1a25527986e2fdfbf018c89d49112eb9b02bb87a"
dependencies = [
"arrow",
"async-trait",
@@ -3964,26 +3898,6 @@ dependencies = [
"regex",
]
-[[package]]
-name = "proptest"
-version = "1.5.0"
-source = "registry+https://github.com/rust-lang/crates.io-index"
-checksum = "b4c2511913b88df1637da85cc8d96ec8e43a3f8bb8ccb71ee1ac240d6f3df58d"
-dependencies = [
- "bit-set",
- "bit-vec",
- "bitflags 2.6.0",
- "lazy_static",
- "num-traits",
- "rand",
- "rand_chacha",
- "rand_xorshift",
- "regex-syntax 0.8.4",
- "rusty-fork",
- "tempfile",
- "unarray",
-]
-
[[package]]
name = "prost"
version = "0.11.9"
@@ -4072,7 +3986,7 @@ dependencies = [
[[package]]
name = "query_functions"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a#d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1a25527986e2fdfbf018c89d49112eb9b02bb87a#1a25527986e2fdfbf018c89d49112eb9b02bb87a"
dependencies = [
"arrow",
"chrono",
@@ -4085,12 +3999,6 @@ dependencies = [
"workspace-hack",
]
-[[package]]
-name = "quick-error"
-version = "1.2.3"
-source = "registry+https://github.com/rust-lang/crates.io-index"
-checksum = "a1d01941d82fa2ab50be1e79e6714289dd7cde78eba4c074bc5a4374f650dfe0"
-
[[package]]
name = "quick-xml"
version = "0.36.1"
@@ -4188,15 +4096,6 @@ dependencies = [
"getrandom",
]
-[[package]]
-name = "rand_xorshift"
-version = "0.3.0"
-source = "registry+https://github.com/rust-lang/crates.io-index"
-checksum = "d25bf25ec5ae4a3f1b92f929810509a2f53d7dca2f50b794ff57e3face536c8f"
-dependencies = [
- "rand_core",
-]
-
[[package]]
name = "rayon"
version = "1.10.0"
@@ -4285,7 +4184,6 @@ version = "0.11.27"
source = "registry+https://github.com/rust-lang/crates.io-index"
checksum = "dd67538700a17451e7cba03ac727fb961abb7607553461627b97de0b89cf4a62"
dependencies = [
- "async-compression",
"base64 0.21.7",
"bytes",
"encoding_rs",
@@ -4300,7 +4198,6 @@ dependencies = [
"js-sys",
"log",
"mime",
- "mime_guess",
"once_cell",
"percent-encoding",
"pin-project-lite",
@@ -4556,18 +4453,6 @@ version = "1.0.17"
source = "registry+https://github.com/rust-lang/crates.io-index"
checksum = "955d28af4278de8121b7ebeb796b6a45735dc01436d898801014aced2773a3d6"
-[[package]]
-name = "rusty-fork"
-version = "0.3.0"
-source = "registry+https://github.com/rust-lang/crates.io-index"
-checksum = "cb3dcc6e454c328bb824492db107ab7c0ae8fcffe4ad210136ef014458c1bc4f"
-dependencies = [
- "fnv",
- "quick-error",
- "tempfile",
- "wait-timeout",
-]
-
[[package]]
name = "ryu"
version = "1.0.18"
@@ -4595,7 +4480,7 @@ dependencies = [
[[package]]
name = "schema"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a#d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1a25527986e2fdfbf018c89d49112eb9b02bb87a#1a25527986e2fdfbf018c89d49112eb9b02bb87a"
dependencies = [
"arrow",
"hashbrown 0.14.5",
@@ -4743,7 +4628,7 @@ dependencies = [
[[package]]
name = "service_common"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a#d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1a25527986e2fdfbf018c89d49112eb9b02bb87a#1a25527986e2fdfbf018c89d49112eb9b02bb87a"
dependencies = [
"arrow",
"datafusion",
@@ -4755,7 +4640,7 @@ dependencies = [
[[package]]
name = "service_grpc_flight"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a#d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1a25527986e2fdfbf018c89d49112eb9b02bb87a#1a25527986e2fdfbf018c89d49112eb9b02bb87a"
dependencies = [
"arrow",
"arrow-flight",
@@ -5041,7 +4926,7 @@ dependencies = [
[[package]]
name = "sqlx-hotswap-pool"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a#d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1a25527986e2fdfbf018c89d49112eb9b02bb87a#1a25527986e2fdfbf018c89d49112eb9b02bb87a"
dependencies = [
"either",
"futures",
@@ -5359,7 +5244,7 @@ dependencies = [
[[package]]
name = "test_helpers"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a#d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1a25527986e2fdfbf018c89d49112eb9b02bb87a#1a25527986e2fdfbf018c89d49112eb9b02bb87a"
dependencies = [
"async-trait",
"dotenvy",
@@ -5605,7 +5490,6 @@ checksum = "9cf6b47b3771c49ac75ad09a6162f53ad4b8088b76ac60e8ec1455b31a189fe1"
dependencies = [
"bytes",
"futures-core",
- "futures-io",
"futures-sink",
"pin-project-lite",
"tokio",
@@ -5614,7 +5498,7 @@ dependencies = [
[[package]]
name = "tokio_metrics_bridge"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a#d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1a25527986e2fdfbf018c89d49112eb9b02bb87a#1a25527986e2fdfbf018c89d49112eb9b02bb87a"
dependencies = [
"metric",
"parking_lot",
@@ -5625,7 +5509,7 @@ dependencies = [
[[package]]
name = "tokio_watchdog"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a#d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1a25527986e2fdfbf018c89d49112eb9b02bb87a#1a25527986e2fdfbf018c89d49112eb9b02bb87a"
dependencies = [
"metric",
"observability_deps",
@@ -5753,7 +5637,7 @@ checksum = "8df9b6e13f2d32c91b9bd719c00d1958837bc7dec474d94952798cc8e69eeec3"
[[package]]
name = "tower_trailer"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a#d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1a25527986e2fdfbf018c89d49112eb9b02bb87a#1a25527986e2fdfbf018c89d49112eb9b02bb87a"
dependencies = [
"futures",
"http 0.2.12",
@@ -5767,7 +5651,7 @@ dependencies = [
[[package]]
name = "trace"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a#d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1a25527986e2fdfbf018c89d49112eb9b02bb87a#1a25527986e2fdfbf018c89d49112eb9b02bb87a"
dependencies = [
"chrono",
"observability_deps",
@@ -5779,7 +5663,7 @@ dependencies = [
[[package]]
name = "trace_exporters"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a#d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1a25527986e2fdfbf018c89d49112eb9b02bb87a#1a25527986e2fdfbf018c89d49112eb9b02bb87a"
dependencies = [
"async-trait",
"clap",
@@ -5797,7 +5681,7 @@ dependencies = [
[[package]]
name = "trace_http"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a#d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1a25527986e2fdfbf018c89d49112eb9b02bb87a#1a25527986e2fdfbf018c89d49112eb9b02bb87a"
dependencies = [
"bytes",
"futures",
@@ -5894,7 +5778,7 @@ dependencies = [
[[package]]
name = "tracker"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a#d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1a25527986e2fdfbf018c89d49112eb9b02bb87a#1a25527986e2fdfbf018c89d49112eb9b02bb87a"
dependencies = [
"futures",
"hashbrown 0.14.5",
@@ -5914,7 +5798,7 @@ dependencies = [
[[package]]
name = "trogging"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a#d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1a25527986e2fdfbf018c89d49112eb9b02bb87a#1a25527986e2fdfbf018c89d49112eb9b02bb87a"
dependencies = [
"clap",
"logfmt",
@@ -5937,7 +5821,6 @@ source = "registry+https://github.com/rust-lang/crates.io-index"
checksum = "97fee6b57c6a41524a810daee9286c02d7752c4253064d0b05472833a438f675"
dependencies = [
"cfg-if",
- "rand",
"static_assertions",
]
@@ -5947,21 +5830,6 @@ version = "1.17.0"
source = "registry+https://github.com/rust-lang/crates.io-index"
checksum = "42ff0bf0c66b8238c6f3b578df37d0b7848e55df8577b3f74f92a69acceeb825"
-[[package]]
-name = "unarray"
-version = "0.1.4"
-source = "registry+https://github.com/rust-lang/crates.io-index"
-checksum = "eaea85b334db583fe3274d12b4cd1880032beab409c0d774be044d4480ab9a94"
-
-[[package]]
-name = "unicase"
-version = "2.7.0"
-source = "registry+https://github.com/rust-lang/crates.io-index"
-checksum = "f7d2d4dafb69621809a81864c9c1b864479e1235c0dd4e199924b9742439ed89"
-dependencies = [
- "version_check",
-]
-
[[package]]
name = "unicode-bidi"
version = "0.3.15"
@@ -6049,7 +5917,6 @@ source = "registry+https://github.com/rust-lang/crates.io-index"
checksum = "81dfa00651efa65069b0b6b651f4aaa31ba9e3c3ce0137aaad053604ee7e0314"
dependencies = [
"getrandom",
- "serde",
]
[[package]]
@@ -6058,12 +5925,6 @@ version = "0.1.0"
source = "registry+https://github.com/rust-lang/crates.io-index"
checksum = "830b7e5d4d90034032940e4ace0d9a9a057e7a45cd94e6c007832e39edb82f6d"
-[[package]]
-name = "value-bag"
-version = "1.9.0"
-source = "registry+https://github.com/rust-lang/crates.io-index"
-checksum = "5a84c137d37ab0142f0f2ddfe332651fdbf252e7b7dbb4e67b6c1f1b2e925101"
-
[[package]]
name = "vcpkg"
version = "0.2.15"
@@ -6079,7 +5940,7 @@ checksum = "0b928f33d975fc6ad9f86c8f283853ad26bdd5b10b7f1542aa2fa15e2289105a"
[[package]]
name = "versioned_file_store"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a#d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1a25527986e2fdfbf018c89d49112eb9b02bb87a#1a25527986e2fdfbf018c89d49112eb9b02bb87a"
dependencies = [
"async-trait",
"bytes",
@@ -6457,29 +6318,23 @@ dependencies = [
[[package]]
name = "workspace-hack"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a#d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1a25527986e2fdfbf018c89d49112eb9b02bb87a#1a25527986e2fdfbf018c89d49112eb9b02bb87a"
dependencies = [
"ahash",
"arrow-array",
"arrow-cast",
"arrow-ipc",
- "async-compression",
"base64 0.22.1",
- "bit-set",
- "bit-vec",
"bitflags 2.6.0",
"byteorder",
"bytes",
"cc",
"chrono",
- "clap",
- "clap_builder",
"crossbeam-utils",
"crypto-common",
"digest",
"either",
"fixedbitset",
- "flatbuffers",
"futures-channel",
"futures-core",
"futures-executor",
@@ -6487,7 +6342,6 @@ dependencies = [
"futures-sink",
"futures-task",
"futures-util",
- "generic-array",
"getrandom",
"hashbrown 0.14.5",
"heck 0.4.1",
@@ -6497,25 +6351,18 @@ dependencies = [
"hyper-util",
"indexmap 2.4.0",
"itertools 0.12.1",
- "lalrpop-util",
"libc",
- "linux-raw-sys",
"lock_api",
"log",
- "lzma-sys",
"md-5",
"memchr",
- "nix",
"nom",
- "num-bigint",
- "num-integer",
"num-traits",
"object_store",
"once_cell",
"parking_lot",
"petgraph",
"phf_shared",
- "proptest",
"prost 0.12.6",
"prost-types 0.12.6",
"rand",
@@ -6526,14 +6373,12 @@ dependencies = [
"reqwest 0.11.27",
"reqwest 0.12.5",
"ring",
- "rustix",
"rustls 0.21.12",
"rustls-pemfile 2.1.3",
"rustls-pki-types",
"serde",
"serde_json",
"sha2",
- "signature",
"similar",
"smallvec",
"socket2",
@@ -6545,7 +6390,6 @@ dependencies = [
"sqlx-postgres",
"sqlx-sqlite",
"strum",
- "subtle",
"syn 1.0.109",
"syn 2.0.75",
"thrift",
@@ -6557,7 +6401,6 @@ dependencies = [
"tracing-core",
"tracing-log",
"tracing-subscriber",
- "twox-hash",
"unicode-bidi",
"unicode-normalization",
"url",
@@ -6565,8 +6408,6 @@ dependencies = [
"winapi",
"windows-sys 0.48.0",
"windows-sys 0.52.0",
- "xz2",
- "zeroize",
]
[[package]]
@@ -6610,20 +6451,6 @@ name = "zeroize"
version = "1.8.1"
source = "registry+https://github.com/rust-lang/crates.io-index"
checksum = "ced3678a2879b30306d323f4542626697a464a97c0a07c9aebf7ebca65cd4dde"
-dependencies = [
- "zeroize_derive",
-]
-
-[[package]]
-name = "zeroize_derive"
-version = "1.4.2"
-source = "registry+https://github.com/rust-lang/crates.io-index"
-checksum = "ce36e65b0d2999d2aafac989fb249189a141aee1f53c612c1f37d72631959f69"
-dependencies = [
- "proc-macro2",
- "quote",
- "syn 2.0.75",
-]
[[package]]
name = "zstd"
diff --git a/Cargo.toml b/Cargo.toml
index 6b895744b0..9075d8969b 100644
--- a/Cargo.toml
+++ b/Cargo.toml
@@ -81,7 +81,7 @@ prost = "0.12.6"
prost-build = "0.12.6"
prost-types = "0.12.6"
rand = "0.8.5"
-reqwest = { version = "0.11.24", default-features = false, features = ["rustls-tls", "stream"] }
+reqwest = { version = "0.11.24", default-features = false, features = ["rustls-tls", "stream", "json"] }
secrecy = "0.8.0"
serde = { version = "1.0", features = ["derive"] }
serde_json = "1.0"
@@ -109,36 +109,36 @@ uuid = { version = "1", features = ["v4"] }
# Currently influxdb is pointed at a revision from the experimental branch
# in influxdb3_core, hiltontj/17-june-2024-iox-sync-exp, instead of main.
# See https://github.com/influxdata/influxdb3_core/pull/23
-arrow_util = { git = "https://github.com/influxdata/influxdb3_core", rev = "d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a"}
-authz = { git = "https://github.com/influxdata/influxdb3_core", rev = "d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a", features = ["http"] }
-clap_blocks = { git = "https://github.com/influxdata/influxdb3_core", rev = "d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a" }
-data_types = { git = "https://github.com/influxdata/influxdb3_core", rev = "d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a" }
-datafusion_util = { git = "https://github.com/influxdata/influxdb3_core", rev = "d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a" }
-influxdb-line-protocol = { git = "https://github.com/influxdata/influxdb3_core", rev = "d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a" }
-influxdb_influxql_parser = { git = "https://github.com/influxdata/influxdb3_core", rev = "d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a" }
-influxdb_iox_client = { git = "https://github.com/influxdata/influxdb3_core", rev = "d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a" }
-iox_catalog = { git = "https://github.com/influxdata/influxdb3_core", rev = "d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a" }
-iox_http = { git = "https://github.com/influxdata/influxdb3_core", rev = "d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a" }
-iox_query = { git = "https://github.com/influxdata/influxdb3_core", rev = "d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a" }
-iox_query_params = { git = "https://github.com/influxdata/influxdb3_core", rev = "d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a" }
-iox_query_influxql = { git = "https://github.com/influxdata/influxdb3_core", rev = "d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a" }
-iox_system_tables = { git = "https://github.com/influxdata/influxdb3_core", rev = "d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a" }
-iox_time = { git = "https://github.com/influxdata/influxdb3_core", rev = "d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a" }
-metric = { git = "https://github.com/influxdata/influxdb3_core", rev = "d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a" }
-metric_exporters = { git = "https://github.com/influxdata/influxdb3_core", rev = "d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a" }
-observability_deps = { git = "https://github.com/influxdata/influxdb3_core", rev = "d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a" }
-panic_logging = { git = "https://github.com/influxdata/influxdb3_core", rev = "d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a" }
-parquet_file = { git = "https://github.com/influxdata/influxdb3_core", rev = "d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a" }
-schema = { git = "https://github.com/influxdata/influxdb3_core", rev = "d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a" }
-service_common = { git = "https://github.com/influxdata/influxdb3_core", rev = "d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a" }
-service_grpc_flight = { git = "https://github.com/influxdata/influxdb3_core", rev = "d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a" }
-test_helpers = { git = "https://github.com/influxdata/influxdb3_core", rev = "d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a" }
-tokio_metrics_bridge = { git = "https://github.com/influxdata/influxdb3_core", rev = "d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a" }
-trace = { git = "https://github.com/influxdata/influxdb3_core", rev = "d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a" }
-trace_exporters = { git = "https://github.com/influxdata/influxdb3_core", rev = "d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a" }
-trace_http = { git = "https://github.com/influxdata/influxdb3_core", rev = "d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a" }
-tracker = { git = "https://github.com/influxdata/influxdb3_core", rev = "d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a" }
-trogging = { git = "https://github.com/influxdata/influxdb3_core", rev = "d81f63ddc10e3cf1c28b05e6c1cef03b71da7f8a", default-features = true, features = ["clap"] }
+arrow_util = { git = "https://github.com/influxdata/influxdb3_core", rev = "1a25527986e2fdfbf018c89d49112eb9b02bb87a"}
+authz = { git = "https://github.com/influxdata/influxdb3_core", rev = "1a25527986e2fdfbf018c89d49112eb9b02bb87a", features = ["http"] }
+clap_blocks = { git = "https://github.com/influxdata/influxdb3_core", rev = "1a25527986e2fdfbf018c89d49112eb9b02bb87a" }
+data_types = { git = "https://github.com/influxdata/influxdb3_core", rev = "1a25527986e2fdfbf018c89d49112eb9b02bb87a" }
+datafusion_util = { git = "https://github.com/influxdata/influxdb3_core", rev = "1a25527986e2fdfbf018c89d49112eb9b02bb87a" }
+influxdb-line-protocol = { git = "https://github.com/influxdata/influxdb3_core", rev = "1a25527986e2fdfbf018c89d49112eb9b02bb87a" }
+influxdb_influxql_parser = { git = "https://github.com/influxdata/influxdb3_core", rev = "1a25527986e2fdfbf018c89d49112eb9b02bb87a" }
+influxdb_iox_client = { git = "https://github.com/influxdata/influxdb3_core", rev = "1a25527986e2fdfbf018c89d49112eb9b02bb87a" }
+iox_catalog = { git = "https://github.com/influxdata/influxdb3_core", rev = "1a25527986e2fdfbf018c89d49112eb9b02bb87a" }
+iox_http = { git = "https://github.com/influxdata/influxdb3_core", rev = "1a25527986e2fdfbf018c89d49112eb9b02bb87a" }
+iox_query = { git = "https://github.com/influxdata/influxdb3_core", rev = "1a25527986e2fdfbf018c89d49112eb9b02bb87a" }
+iox_query_params = { git = "https://github.com/influxdata/influxdb3_core", rev = "1a25527986e2fdfbf018c89d49112eb9b02bb87a" }
+iox_query_influxql = { git = "https://github.com/influxdata/influxdb3_core", rev = "1a25527986e2fdfbf018c89d49112eb9b02bb87a" }
+iox_system_tables = { git = "https://github.com/influxdata/influxdb3_core", rev = "1a25527986e2fdfbf018c89d49112eb9b02bb87a" }
+iox_time = { git = "https://github.com/influxdata/influxdb3_core", rev = "1a25527986e2fdfbf018c89d49112eb9b02bb87a" }
+metric = { git = "https://github.com/influxdata/influxdb3_core", rev = "1a25527986e2fdfbf018c89d49112eb9b02bb87a" }
+metric_exporters = { git = "https://github.com/influxdata/influxdb3_core", rev = "1a25527986e2fdfbf018c89d49112eb9b02bb87a" }
+observability_deps = { git = "https://github.com/influxdata/influxdb3_core", rev = "1a25527986e2fdfbf018c89d49112eb9b02bb87a" }
+panic_logging = { git = "https://github.com/influxdata/influxdb3_core", rev = "1a25527986e2fdfbf018c89d49112eb9b02bb87a" }
+parquet_file = { git = "https://github.com/influxdata/influxdb3_core", rev = "1a25527986e2fdfbf018c89d49112eb9b02bb87a" }
+schema = { git = "https://github.com/influxdata/influxdb3_core", rev = "1a25527986e2fdfbf018c89d49112eb9b02bb87a" }
+service_common = { git = "https://github.com/influxdata/influxdb3_core", rev = "1a25527986e2fdfbf018c89d49112eb9b02bb87a" }
+service_grpc_flight = { git = "https://github.com/influxdata/influxdb3_core", rev = "1a25527986e2fdfbf018c89d49112eb9b02bb87a" }
+test_helpers = { git = "https://github.com/influxdata/influxdb3_core", rev = "1a25527986e2fdfbf018c89d49112eb9b02bb87a" }
+tokio_metrics_bridge = { git = "https://github.com/influxdata/influxdb3_core", rev = "1a25527986e2fdfbf018c89d49112eb9b02bb87a" }
+trace = { git = "https://github.com/influxdata/influxdb3_core", rev = "1a25527986e2fdfbf018c89d49112eb9b02bb87a" }
+trace_exporters = { git = "https://github.com/influxdata/influxdb3_core", rev = "1a25527986e2fdfbf018c89d49112eb9b02bb87a" }
+trace_http = { git = "https://github.com/influxdata/influxdb3_core", rev = "1a25527986e2fdfbf018c89d49112eb9b02bb87a" }
+tracker = { git = "https://github.com/influxdata/influxdb3_core", rev = "1a25527986e2fdfbf018c89d49112eb9b02bb87a" }
+trogging = { git = "https://github.com/influxdata/influxdb3_core", rev = "1a25527986e2fdfbf018c89d49112eb9b02bb87a", default-features = true, features = ["clap"] }
[workspace.lints.rust]
missing_copy_implementations = "deny"
|
f5c50094ca152d1e98b8e97fbb9e412e34393d71
|
Dom Dwyer
|
2023-03-14 17:25:08
|
owned persisted SequenceNumberSet copy
|
Allow an owned SequenceNumberSet to be destructured from an owned
CompletedPersist notification.
Additionally allow an owned SequenceNumberSet to be obtained from a
(potentially) shared Arc<CompletedPersist> in a memory efficient / no
cloning way. A CompletedPersist notification is typically wrapped in an
Arc, and at time of writing, typically referenced only once.
| null |
refactor: owned persisted SequenceNumberSet copy
Allow an owned SequenceNumberSet to be destructured from an owned
CompletedPersist notification.
Additionally allow an owned SequenceNumberSet to be obtained from a
(potentially) shared Arc<CompletedPersist> in a memory efficient / no
cloning way. A CompletedPersist notification is typically wrapped in an
Arc, and at time of writing, typically referenced only once.
|
diff --git a/ingester2/src/persist/completion_observer.rs b/ingester2/src/persist/completion_observer.rs
index 11750a66c7..b52189b4a9 100644
--- a/ingester2/src/persist/completion_observer.rs
+++ b/ingester2/src/persist/completion_observer.rs
@@ -68,6 +68,23 @@ impl CompletedPersist {
pub(crate) fn sequence_numbers(&self) -> &SequenceNumberSet {
&self.sequence_numbers
}
+
+ /// Consume `self`, returning ownership of the inner [`SequenceNumberSet`].
+ pub(crate) fn into_sequence_numbers(self) -> SequenceNumberSet {
+ self.sequence_numbers
+ }
+
+ /// Obtain an owned inner [`SequenceNumberSet`] from an [`Arc`] wrapped
+ /// [`CompletedPersist`] in the most memory-efficient way possible at call
+ /// time.
+ ///
+ /// This method attempts to unwrap an [`Arc`]-wrapped [`CompletedPersist`]
+ /// if `self `is the only reference, otherwise the shared set is cloned.
+ pub(crate) fn owned_sequence_numbers(self: Arc<Self>) -> SequenceNumberSet {
+ Arc::try_unwrap(self)
+ .map(|v| v.into_sequence_numbers())
+ .unwrap_or_else(|v| v.sequence_numbers().clone())
+ }
}
/// A no-op implementation of the [`PersistCompletionObserver`] trait.
@@ -118,3 +135,45 @@ pub(crate) mod mock {
}
}
}
+
+#[cfg(test)]
+mod tests {
+ use data_types::SequenceNumber;
+
+ use super::*;
+
+ #[test]
+ fn test_owned_sequence_numbers_only_ref() {
+ let orig_set = [SequenceNumber::new(42)]
+ .into_iter()
+ .collect::<SequenceNumberSet>();
+
+ let note = Arc::new(CompletedPersist::new(
+ NamespaceId::new(1),
+ TableId::new(2),
+ PartitionId::new(3),
+ orig_set.clone(),
+ ));
+
+ assert_eq!(orig_set, note.owned_sequence_numbers())
+ }
+
+ #[test]
+ fn test_owned_sequence_numbers_many_ref() {
+ let orig_set = [SequenceNumber::new(42)]
+ .into_iter()
+ .collect::<SequenceNumberSet>();
+
+ let note = Arc::new(CompletedPersist::new(
+ NamespaceId::new(1),
+ TableId::new(2),
+ PartitionId::new(3),
+ orig_set.clone(),
+ ));
+
+ let note2 = Arc::clone(¬e);
+
+ assert_eq!(orig_set, note.owned_sequence_numbers());
+ assert_eq!(orig_set, note2.owned_sequence_numbers());
+ }
+}
|
106d3a76ded657ddc36d22c0ad433fc705ecd5aa
|
Stuart Carnie
|
2022-11-09 09:53:19
|
Parse InfluxQL line and inline comments (#6076)
|
* feat: Added single and inline comment combinators
* chore: Add tests for ws0 function
* feat: Add ws1 combinator
* feat: Use ws0 and ws1 combinators to properly handle comments
| null |
feat: Parse InfluxQL line and inline comments (#6076)
* feat: Added single and inline comment combinators
* chore: Add tests for ws0 function
* feat: Add ws1 combinator
* feat: Use ws0 and ws1 combinators to properly handle comments
|
diff --git a/influxdb_influxql_parser/src/common.rs b/influxdb_influxql_parser/src/common.rs
index 6b68cf0344..1b1783b602 100644
--- a/influxdb_influxql_parser/src/common.rs
+++ b/influxdb_influxql_parser/src/common.rs
@@ -8,11 +8,11 @@ use crate::literal::unsigned_integer;
use crate::string::{regex, Regex};
use core::fmt;
use nom::branch::alt;
-use nom::bytes::complete::tag;
-use nom::character::complete::{char, multispace0, multispace1};
-use nom::combinator::{map, opt, value};
-use nom::multi::separated_list1;
-use nom::sequence::{pair, preceded, terminated};
+use nom::bytes::complete::{is_not, tag, take_until};
+use nom::character::complete::{char, multispace1};
+use nom::combinator::{map, opt, recognize, value};
+use nom::multi::{fold_many0, fold_many1, separated_list1};
+use nom::sequence::{delimited, pair, preceded, terminated};
use std::fmt::{Display, Formatter};
use std::ops::{Deref, DerefMut};
@@ -131,6 +131,54 @@ pub(crate) fn qualified_measurement_name(i: &str) -> ParseResult<&str, Qualified
))
}
+/// Parse a SQL-style single-line comment
+fn comment_single_line(i: &str) -> ParseResult<&str, &str> {
+ recognize(pair(tag("--"), is_not("\n\r")))(i)
+}
+
+/// Parse a SQL-style inline comment, which can span multiple lines
+fn comment_inline(i: &str) -> ParseResult<&str, &str> {
+ recognize(delimited(
+ tag("/*"),
+ expect(
+ "invalid inline comment, missing closing */",
+ take_until("*/"),
+ ),
+ tag("*/"),
+ ))(i)
+}
+
+/// Repeats the embedded parser until it fails, discarding the results.
+///
+/// This parser is used as a non-allocating version of [`nom::multi::many0`].
+fn many0_<'a, A, F>(mut f: F) -> impl FnMut(&'a str) -> ParseResult<&'a str, ()>
+where
+ F: FnMut(&'a str) -> ParseResult<&'a str, A>,
+{
+ move |i| fold_many0(&mut f, || (), |_, _| ())(i)
+}
+
+/// Optionally consume all whitespace, single-line or inline comments
+pub(crate) fn ws0(i: &str) -> ParseResult<&str, ()> {
+ many0_(alt((multispace1, comment_single_line, comment_inline)))(i)
+}
+
+/// Runs the embedded parser until it fails, discarding the results.
+/// Fails if the embedded parser does not produce at least one result.
+///
+/// This parser is used as a non-allocating version of [`nom::multi::many1`].
+fn many1_<'a, A, F>(mut f: F) -> impl FnMut(&'a str) -> ParseResult<&'a str, ()>
+where
+ F: FnMut(&'a str) -> ParseResult<&'a str, A>,
+{
+ move |i| fold_many1(&mut f, || (), |_, _| ())(i)
+}
+
+/// Must consume either whitespace, single-line or inline comments
+pub(crate) fn ws1(i: &str) -> ParseResult<&str, ()> {
+ many1_(alt((multispace1, comment_single_line, comment_inline)))(i)
+}
+
/// Implements common behaviour for u64 tuple-struct types
#[macro_export]
macro_rules! impl_tuple_clause {
@@ -179,7 +227,7 @@ impl Display for LimitClause {
/// Parse a `LIMIT <n>` clause.
pub(crate) fn limit_clause(i: &str) -> ParseResult<&str, LimitClause> {
preceded(
- pair(keyword("LIMIT"), multispace1),
+ pair(keyword("LIMIT"), ws1),
expect(
"invalid LIMIT clause, expected unsigned integer",
map(unsigned_integer, LimitClause),
@@ -202,7 +250,7 @@ impl Display for OffsetClause {
/// Parse an `OFFSET <n>` clause.
pub(crate) fn offset_clause(i: &str) -> ParseResult<&str, OffsetClause> {
preceded(
- pair(keyword("OFFSET"), multispace1),
+ pair(keyword("OFFSET"), ws1),
expect(
"invalid OFFSET clause, expected unsigned integer",
map(unsigned_integer, OffsetClause),
@@ -249,7 +297,7 @@ impl Display for WhereClause {
/// Parse a `WHERE` clause.
pub(crate) fn where_clause(i: &str) -> ParseResult<&str, WhereClause> {
preceded(
- pair(keyword("WHERE"), multispace0),
+ pair(keyword("WHERE"), ws0),
map(conditional_expression, WhereClause),
)(i)
}
@@ -303,7 +351,7 @@ impl Display for OrderByClause {
pub(crate) fn order_by_clause(i: &str) -> ParseResult<&str, OrderByClause> {
let order = || {
preceded(
- multispace1,
+ ws1,
alt((
value(OrderByClause::Ascending, keyword("ASC")),
value(OrderByClause::Descending, keyword("DESC")),
@@ -313,7 +361,7 @@ pub(crate) fn order_by_clause(i: &str) -> ParseResult<&str, OrderByClause> {
preceded(
// "ORDER" "BY"
- pair(keyword("ORDER"), preceded(multispace1, keyword("BY"))),
+ pair(keyword("ORDER"), preceded(ws1, keyword("BY"))),
expect(
"invalid ORDER BY, expected ASC, DESC or TIME",
alt((
@@ -323,7 +371,7 @@ pub(crate) fn order_by_clause(i: &str) -> ParseResult<&str, OrderByClause> {
map(
preceded(
preceded(
- multispace1,
+ ws1,
verify("invalid ORDER BY, expected TIME column", identifier, |v| {
Token(&v.0) == Token("time")
}),
@@ -390,10 +438,7 @@ impl<T: Parser> OneOrMore<T> {
map(
expect(
msg,
- separated_list1(
- preceded(multispace0, char(',')),
- preceded(multispace0, T::parse),
- ),
+ separated_list1(preceded(ws0, char(',')), preceded(ws0, T::parse)),
),
Self::new,
)(i)
@@ -404,7 +449,7 @@ impl<T: Parser> OneOrMore<T> {
#[cfg(test)]
mod tests {
use super::*;
- use crate::assert_expect_error;
+ use crate::{assert_error, assert_expect_error};
use nom::character::complete::alphanumeric1;
impl From<&str> for MeasurementName {
@@ -633,6 +678,9 @@ mod tests {
// Without unnecessary whitespace
where_clause("WHERE(foo = 'bar')").unwrap();
+ let (rem, _) = where_clause("WHERE/* a comment*/foo = 'bar'").unwrap();
+ assert_eq!(rem, "");
+
// Fallible cases
where_clause("WHERE foo = LIMIT 10").unwrap_err();
where_clause("WHERE").unwrap_err();
@@ -693,4 +741,65 @@ mod tests {
// should panic
OneOrMoreString::new(vec![]);
}
+
+ #[test]
+ fn test_comment_single_line() {
+ // Comment to EOF
+ let (rem, _) = comment_single_line("-- this is a test").unwrap();
+ assert_eq!(rem, "");
+
+ // Comment to EOL
+ let (rem, _) = comment_single_line("-- this is a test\nmore text").unwrap();
+ assert_eq!(rem, "\nmore text");
+ }
+
+ #[test]
+ fn test_comment_inline() {
+ let (rem, _) = comment_inline("/* this is a test */").unwrap();
+ assert_eq!(rem, "");
+
+ let (rem, _) = comment_inline("/* this is a test*/more text").unwrap();
+ assert_eq!(rem, "more text");
+
+ let (rem, _) = comment_inline("/* this\nis a test*/more text").unwrap();
+ assert_eq!(rem, "more text");
+
+ // Ignores embedded /*
+ let (rem, _) = comment_inline("/* this /* is a test*/more text").unwrap();
+ assert_eq!(rem, "more text");
+
+ // Fallible cases
+
+ assert_expect_error!(
+ comment_inline("/* this is a test"),
+ "invalid inline comment, missing closing */"
+ );
+ }
+
+ #[test]
+ fn test_ws0() {
+ let (rem, _) = ws0(" -- this is a comment\n/* and some more*/ \t").unwrap();
+ assert_eq!(rem, "");
+
+ let (rem, _) = ws0(" -- this is a comment\n/* and some more*/ \tSELECT").unwrap();
+ assert_eq!(rem, "SELECT");
+
+ // no whitespace
+ let (rem, _) = ws0("SELECT").unwrap();
+ assert_eq!(rem, "SELECT");
+ }
+
+ #[test]
+ fn test_ws1() {
+ let (rem, _) = ws1(" -- this is a comment\n/* and some more*/ \t").unwrap();
+ assert_eq!(rem, "");
+
+ let (rem, _) = ws1(" -- this is a comment\n/* and some more*/ \tSELECT").unwrap();
+ assert_eq!(rem, "SELECT");
+
+ // Fallible cases
+
+ // Missing whitespace
+ assert_error!(ws1("SELECT"), Many1);
+ }
}
diff --git a/influxdb_influxql_parser/src/create.rs b/influxdb_influxql_parser/src/create.rs
index 761b937ff4..4ea2fd5936 100644
--- a/influxdb_influxql_parser/src/create.rs
+++ b/influxdb_influxql_parser/src/create.rs
@@ -2,20 +2,20 @@
//!
//! [sql]: https://docs.influxdata.com/influxdb/v1.8/query_language/manage-database/#create-database
+use crate::common::ws1;
use crate::identifier::{identifier, Identifier};
use crate::internal::{expect, ParseResult};
use crate::keywords::keyword;
use crate::literal::{duration, unsigned_integer, Duration};
use crate::statement::Statement;
use nom::branch::alt;
-use nom::character::complete::multispace1;
use nom::combinator::{map, opt, peek};
use nom::sequence::{pair, preceded, tuple};
use std::fmt::{Display, Formatter};
pub(crate) fn create_statement(i: &str) -> ParseResult<&str, Statement> {
preceded(
- pair(keyword("CREATE"), multispace1),
+ pair(keyword("CREATE"), ws1),
expect(
"Invalid CREATE statement, expected DATABASE following CREATE",
map(create_database, |s| Statement::CreateDatabase(Box::new(s))),
@@ -89,13 +89,13 @@ fn create_database(i: &str) -> ParseResult<&str, CreateDatabaseStatement> {
),
) = tuple((
keyword("DATABASE"),
- preceded(multispace1, identifier),
+ preceded(ws1, identifier),
opt(tuple((
- preceded(multispace1, keyword("WITH")),
+ preceded(ws1, keyword("WITH")),
expect(
"invalid WITH clause, expected \"DURATION\", \"REPLICATION\", \"SHARD\" or \"NAME\"",
peek(preceded(
- multispace1,
+ ws1,
alt((
keyword("DURATION"),
keyword("REPLICATION"),
@@ -105,37 +105,37 @@ fn create_database(i: &str) -> ParseResult<&str, CreateDatabaseStatement> {
)),
),
opt(preceded(
- preceded(multispace1, keyword("DURATION")),
+ preceded(ws1, keyword("DURATION")),
expect(
"invalid DURATION clause, expected duration",
- preceded(multispace1, duration),
+ preceded(ws1, duration),
),
)),
opt(preceded(
- preceded(multispace1, keyword("REPLICATION")),
+ preceded(ws1, keyword("REPLICATION")),
expect(
"invalid REPLICATION clause, expected unsigned integer",
- preceded(multispace1, unsigned_integer),
+ preceded(ws1, unsigned_integer),
),
)),
opt(preceded(
pair(
- preceded(multispace1, keyword("SHARD")),
+ preceded(ws1, keyword("SHARD")),
expect(
"invalid SHARD DURATION clause, expected \"DURATION\"",
- preceded(multispace1, keyword("DURATION")),
+ preceded(ws1, keyword("DURATION")),
),
),
expect(
"invalid SHARD DURATION clause, expected duration",
- preceded(multispace1, duration),
+ preceded(ws1, duration),
),
)),
opt(preceded(
- preceded(multispace1, keyword("NAME")),
+ preceded(ws1, keyword("NAME")),
expect(
"invalid NAME clause, expected identifier",
- preceded(multispace1, identifier),
+ preceded(ws1, identifier),
),
)),
))),
diff --git a/influxdb_influxql_parser/src/delete.rs b/influxdb_influxql_parser/src/delete.rs
index 0f6c760a23..6e5f5e44a2 100644
--- a/influxdb_influxql_parser/src/delete.rs
+++ b/influxdb_influxql_parser/src/delete.rs
@@ -2,12 +2,11 @@
//!
//! [sql]: https://docs.influxdata.com/influxdb/v1.8/query_language/manage-database/#delete-series-with-delete
-use crate::common::{where_clause, WhereClause};
+use crate::common::{where_clause, ws0, ws1, WhereClause};
use crate::internal::{expect, ParseResult};
use crate::keywords::keyword;
use crate::simple_from_clause::{delete_from_clause, DeleteFromClause};
use nom::branch::alt;
-use nom::character::complete::{multispace0, multispace1};
use nom::combinator::{map, opt};
use nom::sequence::{pair, preceded};
use std::fmt::{Display, Formatter};
@@ -55,11 +54,11 @@ pub(crate) fn delete_statement(i: &str) -> ParseResult<&str, DeleteStatement> {
expect(
"invalid DELETE statement, expected FROM or WHERE",
preceded(
- multispace1,
+ ws1,
alt((
// delete ::= from_clause where_clause?
map(
- pair(delete_from_clause, opt(preceded(multispace0, where_clause))),
+ pair(delete_from_clause, opt(preceded(ws0, where_clause))),
|(from, condition)| DeleteStatement::FromWhere { from, condition },
),
// delete ::= where_clause
diff --git a/influxdb_influxql_parser/src/drop.rs b/influxdb_influxql_parser/src/drop.rs
index eccf997fed..98a61d23bb 100644
--- a/influxdb_influxql_parser/src/drop.rs
+++ b/influxdb_influxql_parser/src/drop.rs
@@ -2,10 +2,10 @@
//!
//! [sql]: https://docs.influxdata.com/influxdb/v1.8/query_language/manage-database/#delete-measurements-with-drop-measurement
+use crate::common::ws1;
use crate::identifier::{identifier, Identifier};
use crate::internal::{expect, ParseResult};
use crate::keywords::keyword;
-use nom::character::complete::multispace1;
use nom::combinator::map;
use nom::sequence::{pair, preceded};
use std::fmt::{Display, Formatter};
@@ -25,7 +25,7 @@ impl Display for DropMeasurementStatement {
pub(crate) fn drop_statement(i: &str) -> ParseResult<&str, DropMeasurementStatement> {
preceded(
- pair(keyword("DROP"), multispace1),
+ pair(keyword("DROP"), ws1),
expect(
"invalid DROP statement, expected MEASUREMENT",
drop_measurement,
@@ -35,7 +35,7 @@ pub(crate) fn drop_statement(i: &str) -> ParseResult<&str, DropMeasurementStatem
fn drop_measurement(i: &str) -> ParseResult<&str, DropMeasurementStatement> {
preceded(
- pair(keyword("MEASUREMENT"), multispace1),
+ pair(keyword("MEASUREMENT"), ws1),
map(
expect(
"invalid DROP MEASUREMENT statement, expected identifier",
diff --git a/influxdb_influxql_parser/src/explain.rs b/influxdb_influxql_parser/src/explain.rs
index ede25eb921..8c6ff59c74 100644
--- a/influxdb_influxql_parser/src/explain.rs
+++ b/influxdb_influxql_parser/src/explain.rs
@@ -4,11 +4,11 @@
#![allow(dead_code)] // Temporary
+use crate::common::ws1;
use crate::internal::{expect, ParseResult};
use crate::keywords::keyword;
use crate::select::{select_statement, SelectStatement};
use nom::branch::alt;
-use nom::character::complete::multispace1;
use nom::combinator::{map, opt, value};
use nom::sequence::{preceded, tuple};
use std::fmt::{Display, Formatter};
@@ -65,13 +65,10 @@ pub(crate) fn explain_statement(i: &str) -> ParseResult<&str, ExplainStatement>
tuple((
keyword("EXPLAIN"),
opt(preceded(
- multispace1,
+ ws1,
alt((
map(
- preceded(
- keyword("ANALYZE"),
- opt(preceded(multispace1, keyword("VERBOSE"))),
- ),
+ preceded(keyword("ANALYZE"), opt(preceded(ws1, keyword("VERBOSE")))),
|v| match v {
// If the optional combinator is Some, then it matched VERBOSE
Some(_) => ExplainOption::AnalyzeVerbose,
@@ -81,7 +78,7 @@ pub(crate) fn explain_statement(i: &str) -> ParseResult<&str, ExplainStatement>
value(ExplainOption::Verbose, keyword("VERBOSE")),
)),
)),
- multispace1,
+ ws1,
expect(
"invalid EXPLAIN statement, expected SELECT statement",
select_statement,
diff --git a/influxdb_influxql_parser/src/expression/arithmetic.rs b/influxdb_influxql_parser/src/expression/arithmetic.rs
index 55f7b5b239..71ae6d1864 100644
--- a/influxdb_influxql_parser/src/expression/arithmetic.rs
+++ b/influxdb_influxql_parser/src/expression/arithmetic.rs
@@ -1,3 +1,4 @@
+use crate::common::ws0;
use crate::identifier::unquoted_identifier;
use crate::internal::{expect, ParseResult};
use crate::keywords::keyword;
@@ -9,7 +10,7 @@ use crate::{
};
use nom::branch::alt;
use nom::bytes::complete::tag;
-use nom::character::complete::{char, multispace0};
+use nom::character::complete::char;
use nom::combinator::{cut, map, opt, value};
use nom::multi::{many0, separated_list0};
use nom::sequence::{delimited, pair, preceded, separated_pair, terminated, tuple};
@@ -263,7 +264,7 @@ where
T: ArithmeticParsers,
{
let (i, op) = preceded(
- multispace0,
+ ws0,
alt((
value(UnaryOperator::Plus, char('+')),
value(UnaryOperator::Minus, char('-')),
@@ -281,9 +282,9 @@ where
T: ArithmeticParsers,
{
delimited(
- preceded(multispace0, char('(')),
+ preceded(ws0, char('(')),
map(arithmetic::<T>, |e| Expr::Nested(e.into())),
- preceded(multispace0, char(')')),
+ preceded(ws0, char(')')),
)(i)
}
@@ -300,16 +301,16 @@ where
alt((unquoted_identifier, keyword("DISTINCT"))),
&str::to_string,
),
- multispace0,
+ ws0,
delimited(
char('('),
alt((
// A single regular expression to match 0 or more field keys
- map(preceded(multispace0, literal_regex), |re| vec![re.into()]),
+ map(preceded(ws0, literal_regex), |re| vec![re.into()]),
// A list of Expr, separated by commas
- separated_list0(preceded(multispace0, char(',')), arithmetic::<T>),
+ separated_list0(preceded(ws0, char(',')), arithmetic::<T>),
)),
- cut(preceded(multispace0, char(')'))),
+ cut(preceded(ws0, char(')'))),
),
),
|(name, args)| Expr::Call { name, args },
@@ -403,7 +404,7 @@ where
let (input, left) = factor::<T>(i)?;
let (input, remaining) = many0(tuple((
preceded(
- multispace0,
+ ws0,
alt((
value(BinaryOperator::Mul, char('*')),
value(BinaryOperator::Div, char('/')),
@@ -426,7 +427,7 @@ where
let (input, left) = term::<T>(i)?;
let (input, remaining) = many0(tuple((
preceded(
- multispace0,
+ ws0,
alt((
value(BinaryOperator::Add, char('+')),
value(BinaryOperator::Sub, char('-')),
@@ -466,7 +467,7 @@ mod test {
impl ArithmeticParsers for TestParsers {
fn operand(i: &str) -> ParseResult<&str, Expr> {
preceded(
- multispace0,
+ ws0,
alt((
map(literal_no_regex, Expr::Literal),
var_ref,
diff --git a/influxdb_influxql_parser/src/expression/conditional.rs b/influxdb_influxql_parser/src/expression/conditional.rs
index a658e3315e..8da4940da0 100644
--- a/influxdb_influxql_parser/src/expression/conditional.rs
+++ b/influxdb_influxql_parser/src/expression/conditional.rs
@@ -1,3 +1,4 @@
+use crate::common::ws0;
use crate::expression::arithmetic::{
arithmetic, call_expression, var_ref, ArithmeticParsers, Expr,
};
@@ -7,7 +8,7 @@ use crate::literal::{literal_no_regex, literal_regex, Literal};
use crate::parameter::parameter;
use nom::branch::alt;
use nom::bytes::complete::tag;
-use nom::character::complete::{char, multispace0};
+use nom::character::complete::char;
use nom::combinator::{map, value};
use nom::multi::many0;
use nom::sequence::{delimited, preceded, tuple};
@@ -98,11 +99,11 @@ impl From<Literal> for ConditionalExpression {
/// Parse a parenthesis expression.
fn parens(i: &str) -> ParseResult<&str, ConditionalExpression> {
delimited(
- preceded(multispace0, char('(')),
+ preceded(ws0, char('(')),
map(conditional_expression, |e| {
ConditionalExpression::Grouped(e.into())
}),
- preceded(multispace0, char(')')),
+ preceded(ws0, char(')')),
)(i)
}
@@ -120,7 +121,7 @@ fn conditional_regex(i: &str) -> ParseResult<&str, ConditionalExpression> {
let (input, f1) = expr_or_group(i)?;
let (input, exprs) = many0(tuple((
preceded(
- multispace0,
+ ws0,
alt((
value(ConditionalOperator::EqRegex, tag("=~")),
value(ConditionalOperator::NotEqRegex, tag("!~")),
@@ -129,7 +130,7 @@ fn conditional_regex(i: &str) -> ParseResult<&str, ConditionalExpression> {
map(
expect(
"invalid conditional, expected regular expression",
- preceded(multispace0, literal_regex),
+ preceded(ws0, literal_regex),
),
From::from,
),
@@ -142,7 +143,7 @@ fn conditional(i: &str) -> ParseResult<&str, ConditionalExpression> {
let (input, f1) = conditional_regex(i)?;
let (input, exprs) = many0(tuple((
preceded(
- multispace0,
+ ws0,
alt((
// try longest matches first
value(ConditionalOperator::LtEq, tag("<=")),
@@ -163,10 +164,7 @@ fn conditional(i: &str) -> ParseResult<&str, ConditionalExpression> {
fn conjunction(i: &str) -> ParseResult<&str, ConditionalExpression> {
let (input, f1) = conditional(i)?;
let (input, exprs) = many0(tuple((
- value(
- ConditionalOperator::And,
- preceded(multispace0, keyword("AND")),
- ),
+ value(ConditionalOperator::And, preceded(ws0, keyword("AND"))),
expect("invalid conditional expression", conditional),
)))(input)?;
Ok((input, reduce_expr(f1, exprs)))
@@ -176,10 +174,7 @@ fn conjunction(i: &str) -> ParseResult<&str, ConditionalExpression> {
fn disjunction(i: &str) -> ParseResult<&str, ConditionalExpression> {
let (input, f1) = conjunction(i)?;
let (input, exprs) = many0(tuple((
- value(
- ConditionalOperator::Or,
- preceded(multispace0, keyword("OR")),
- ),
+ value(ConditionalOperator::Or, preceded(ws0, keyword("OR"))),
expect("invalid conditional expression", conjunction),
)))(input)?;
Ok((input, reduce_expr(f1, exprs)))
@@ -226,7 +221,7 @@ impl ConditionalExpression {
impl ArithmeticParsers for ConditionalExpression {
fn operand(i: &str) -> ParseResult<&str, Expr> {
preceded(
- multispace0,
+ ws0,
alt((
map(literal_no_regex, Expr::Literal),
Self::call,
diff --git a/influxdb_influxql_parser/src/keywords.rs b/influxdb_influxql_parser/src/keywords.rs
index 6dcb342931..78c695cad1 100644
--- a/influxdb_influxql_parser/src/keywords.rs
+++ b/influxdb_influxql_parser/src/keywords.rs
@@ -25,6 +25,8 @@ fn keyword_follow_char(i: &str) -> ParseResult<&str, &str> {
tag("\t"),
tag(","),
tag("="),
+ tag("/"), // possible comment
+ tag("-"), // possible comment
eof,
fail, // Return a failure if we reach the end of this alternation
)))(i)
diff --git a/influxdb_influxql_parser/src/lib.rs b/influxdb_influxql_parser/src/lib.rs
index 1d951f2da3..a02d0214d9 100644
--- a/influxdb_influxql_parser/src/lib.rs
+++ b/influxdb_influxql_parser/src/lib.rs
@@ -14,10 +14,9 @@
clippy::dbg_macro
)]
-use crate::common::statement_terminator;
+use crate::common::{statement_terminator, ws0};
use crate::internal::Error as InternalError;
use crate::statement::{statement, Statement};
-use nom::character::complete::multispace0;
use nom::combinator::eof;
use nom::Offset;
use std::fmt::{Debug, Display, Formatter};
@@ -75,9 +74,9 @@ pub fn parse_statements(input: &str) -> ParseResult {
loop {
// Consume whitespace from the input
- i = match multispace0::<_, nom::error::Error<_>>(i) {
+ i = match ws0(i) {
Ok((i1, _)) => i1,
- _ => unreachable!("multispace0 is infallible"),
+ _ => unreachable!("ws0 is infallible"),
};
if eof::<_, nom::error::Error<_>>(i).is_ok() {
@@ -145,6 +144,34 @@ mod test {
);
assert_eq!(format!("{}", got[1]), "SHOW DATABASES");
+ // Parses a statement with a comment
+ let got = parse_statements(
+ "SELECT idle FROM cpu WHERE host = 'host1' --GROUP BY host fill(null)",
+ )
+ .unwrap();
+ assert_eq!(
+ format!("{}", got[0]),
+ "SELECT idle FROM cpu WHERE host = 'host1'"
+ );
+
+ // Parses multiple statements with a comment
+ let got = parse_statements(
+ "SELECT idle FROM cpu WHERE host = 'host1' --GROUP BY host fill(null)\nSHOW DATABASES",
+ )
+ .unwrap();
+ assert_eq!(
+ format!("{}", got[0]),
+ "SELECT idle FROM cpu WHERE host = 'host1'"
+ );
+ assert_eq!(format!("{}", got[1]), "SHOW DATABASES");
+
+ // Parses statement with inline comment
+ let got = parse_statements(r#"SELECT idle FROM cpu WHERE/* time > now() AND */host = 'host1' --GROUP BY host fill(null)"#).unwrap();
+ assert_eq!(
+ format!("{}", got[0]),
+ "SELECT idle FROM cpu WHERE host = 'host1'"
+ );
+
// Returns error for invalid statement
let got = parse_statements("BAD SQL").unwrap_err();
assert_eq!(format!("{}", got), "invalid SQL statement at pos 0");
diff --git a/influxdb_influxql_parser/src/literal.rs b/influxdb_influxql_parser/src/literal.rs
index 2fcc533366..469df76b02 100644
--- a/influxdb_influxql_parser/src/literal.rs
+++ b/influxdb_influxql_parser/src/literal.rs
@@ -1,12 +1,13 @@
//! Types and parsers for literals.
+use crate::common::ws0;
use crate::internal::{map_fail, ParseResult};
use crate::keywords::keyword;
use crate::string::{regex, single_quoted_string, Regex};
use crate::{impl_tuple_clause, write_escaped};
use nom::branch::alt;
use nom::bytes::complete::tag;
-use nom::character::complete::{char, digit0, digit1, multispace0};
+use nom::character::complete::{char, digit0, digit1};
use nom::combinator::{map, opt, recognize, value};
use nom::multi::fold_many1;
use nom::sequence::{pair, preceded, separated_pair};
@@ -175,7 +176,7 @@ impl From<i64> for Number {
pub(crate) fn number(i: &str) -> ParseResult<&str, Number> {
let (remaining, sign) = opt(alt((char('-'), char('+'))))(i)?;
preceded(
- multispace0,
+ ws0,
alt((
map(float, move |v| {
Number::Float(v * if let Some('-') = sign { -1.0 } else { 1.0 })
diff --git a/influxdb_influxql_parser/src/select.rs b/influxdb_influxql_parser/src/select.rs
index 3cfa3a60b2..8727d9e96d 100644
--- a/influxdb_influxql_parser/src/select.rs
+++ b/influxdb_influxql_parser/src/select.rs
@@ -3,8 +3,8 @@
//! [sql]: https://docs.influxdata.com/influxdb/v1.8/query_language/explore-data/#the-basic-select-statement
use crate::common::{
- limit_clause, offset_clause, order_by_clause, qualified_measurement_name, where_clause,
- LimitClause, OffsetClause, OneOrMore, OrderByClause, Parser, QualifiedMeasurementName,
+ limit_clause, offset_clause, order_by_clause, qualified_measurement_name, where_clause, ws0,
+ ws1, LimitClause, OffsetClause, OneOrMore, OrderByClause, Parser, QualifiedMeasurementName,
WhereClause,
};
use crate::expression::arithmetic::Expr::Wildcard;
@@ -22,7 +22,7 @@ use crate::string::{regex, single_quoted_string, Regex};
use crate::{impl_tuple_clause, write_escaped};
use nom::branch::alt;
use nom::bytes::complete::tag;
-use nom::character::complete::{char, multispace0, multispace1};
+use nom::character::complete::char;
use nom::combinator::{map, opt, value};
use nom::sequence::{delimited, pair, preceded, tuple};
use std::fmt;
@@ -134,18 +134,18 @@ pub(crate) fn select_statement(i: &str) -> ParseResult<&str, SelectStatement> {
),
) = tuple((
keyword("SELECT"),
- multispace0,
+ ws0,
field_list,
- preceded(multispace0, from_clause),
- opt(preceded(multispace0, where_clause)),
- opt(preceded(multispace0, group_by_clause)),
- opt(preceded(multispace0, fill_clause)),
- opt(preceded(multispace0, order_by_clause)),
- opt(preceded(multispace0, limit_clause)),
- opt(preceded(multispace0, offset_clause)),
- opt(preceded(multispace0, slimit_clause)),
- opt(preceded(multispace0, soffset_clause)),
- opt(preceded(multispace0, timezone_clause)),
+ preceded(ws0, from_clause),
+ opt(preceded(ws0, where_clause)),
+ opt(preceded(ws0, group_by_clause)),
+ opt(preceded(ws0, fill_clause)),
+ opt(preceded(ws0, order_by_clause)),
+ opt(preceded(ws0, limit_clause)),
+ opt(preceded(ws0, offset_clause)),
+ opt(preceded(ws0, slimit_clause)),
+ opt(preceded(ws0, soffset_clause)),
+ opt(preceded(ws0, timezone_clause)),
))(i)?;
Ok((
@@ -191,9 +191,9 @@ impl Parser for MeasurementSelection {
map(qualified_measurement_name, MeasurementSelection::Name),
map(
delimited(
- preceded(multispace0, char('(')),
- preceded(multispace0, select_statement),
- preceded(multispace0, char(')')),
+ preceded(ws0, char('(')),
+ preceded(ws0, select_statement),
+ preceded(ws0, char(')')),
),
|s| Subquery(Box::new(s)),
),
@@ -216,7 +216,7 @@ impl Display for FromMeasurementClause {
fn from_clause(i: &str) -> ParseResult<&str, FromMeasurementClause> {
preceded(
- pair(keyword("FROM"), multispace0),
+ pair(keyword("FROM"), ws0),
FromMeasurementClause::separated_list1(
"invalid FROM clause, expected identifier, regular expression or subquery",
),
@@ -243,7 +243,7 @@ impl ArithmeticParsers for TimeCallIntervalArgument {
fn operand(i: &str) -> ParseResult<&str, Expr> {
// Any literal
preceded(
- multispace0,
+ ws0,
map(
alt((
map(duration, Literal::Duration),
@@ -274,7 +274,7 @@ impl TimeCallOffsetArgument {
impl ArithmeticParsers for TimeCallOffsetArgument {
fn operand(i: &str) -> ParseResult<&str, Expr> {
preceded(
- multispace0,
+ ws0,
alt((
Self::now_call,
map(duration, |v| Expr::Literal(Literal::Duration(v))),
@@ -345,7 +345,7 @@ fn time_call_expression(i: &str) -> ParseResult<&str, Dimension> {
delimited(
expect(
"invalid TIME call, expected 1 or 2 arguments",
- preceded(multispace0, char('(')),
+ preceded(ws0, char('(')),
),
pair(
expect(
@@ -353,14 +353,11 @@ fn time_call_expression(i: &str) -> ParseResult<&str, Dimension> {
arithmetic::<TimeCallIntervalArgument>,
),
opt(preceded(
- preceded(multispace0, char(',')),
- preceded(multispace0, arithmetic::<TimeCallOffsetArgument>),
+ preceded(ws0, char(',')),
+ preceded(ws0, arithmetic::<TimeCallOffsetArgument>),
)),
),
- expect(
- "invalid TIME call, expected ')'",
- preceded(multispace0, char(')')),
- ),
+ expect("invalid TIME call, expected ')'", preceded(ws0, char(')'))),
),
),
|(interval, offset)| Dimension::Time { interval, offset },
@@ -376,9 +373,9 @@ fn group_by_clause(i: &str) -> ParseResult<&str, GroupByClause> {
preceded(
tuple((
keyword("GROUP"),
- multispace1,
+ ws1,
expect("invalid GROUP BY clause, expected BY", keyword("BY")),
- multispace1,
+ ws1,
)),
GroupByClause::separated_list1(
"invalid GROUP BY clause, expected wildcard, TIME, identifier or regular expression",
@@ -453,7 +450,7 @@ impl Parser for Field {
pair(
arithmetic::<FieldExpression>,
opt(preceded(
- delimited(multispace0, keyword("AS"), multispace1),
+ delimited(ws0, keyword("AS"), ws1),
expect("invalid field alias, expected identifier", identifier),
)),
),
@@ -503,12 +500,12 @@ struct FieldExpression;
impl ArithmeticParsers for FieldExpression {
fn operand(i: &str) -> ParseResult<&str, Expr> {
preceded(
- multispace0,
+ ws0,
alt((
// DISTINCT identifier
map(
preceded(
- pair(keyword("DISTINCT"), multispace1),
+ pair(keyword("DISTINCT"), ws1),
expect(
"invalid DISTINCT expression, expected identifier",
identifier,
@@ -551,11 +548,11 @@ fn fill_clause(i: &str) -> ParseResult<&str, FillClause> {
preceded(
keyword("FILL"),
delimited(
- preceded(multispace0, char('(')),
+ preceded(ws0, char('(')),
expect(
"invalid FILL option, expected NULL, NONE, PREVIOUS, LINEAR, or a number",
preceded(
- multispace0,
+ ws0,
alt((
value(FillClause::Null, keyword("NULL")),
value(FillClause::None, keyword("NONE")),
@@ -565,7 +562,7 @@ fn fill_clause(i: &str) -> ParseResult<&str, FillClause> {
)),
),
),
- preceded(multispace0, char(')')),
+ preceded(ws0, char(')')),
),
)(i)
}
@@ -589,7 +586,7 @@ impl Display for SLimitClause {
/// ```
fn slimit_clause(i: &str) -> ParseResult<&str, SLimitClause> {
preceded(
- pair(keyword("SLIMIT"), multispace1),
+ pair(keyword("SLIMIT"), ws1),
expect(
"invalid SLIMIT clause, expected unsigned integer",
map(unsigned_integer, SLimitClause),
@@ -616,7 +613,7 @@ impl Display for SOffsetClause {
/// ```
fn soffset_clause(i: &str) -> ParseResult<&str, SOffsetClause> {
preceded(
- pair(keyword("SOFFSET"), multispace1),
+ pair(keyword("SOFFSET"), ws1),
expect(
"invalid SLIMIT clause, expected unsigned integer",
map(unsigned_integer, SOffsetClause),
@@ -647,12 +644,12 @@ fn timezone_clause(i: &str) -> ParseResult<&str, TimeZoneClause> {
preceded(
keyword("TZ"),
delimited(
- preceded(multispace0, char('(')),
+ preceded(ws0, char('(')),
expect(
"invalid TZ clause, expected string",
- preceded(multispace0, map(single_quoted_string, TimeZoneClause)),
+ preceded(ws0, map(single_quoted_string, TimeZoneClause)),
),
- preceded(multispace0, char(')')),
+ preceded(ws0, char(')')),
),
)(i)
}
diff --git a/influxdb_influxql_parser/src/show.rs b/influxdb_influxql_parser/src/show.rs
index 0c9834ab09..af8361df2e 100644
--- a/influxdb_influxql_parser/src/show.rs
+++ b/influxdb_influxql_parser/src/show.rs
@@ -2,6 +2,7 @@
//!
//! [sql]: https://docs.influxdata.com/influxdb/v1.8/query_language/explore-schema/
+use crate::common::ws1;
use crate::identifier::{identifier, Identifier};
use crate::impl_tuple_clause;
use crate::internal::{expect, ParseResult};
@@ -13,7 +14,6 @@ use crate::show_tag_keys::show_tag_keys;
use crate::show_tag_values::show_tag_values;
use crate::statement::Statement;
use nom::branch::alt;
-use nom::character::complete::multispace1;
use nom::combinator::{map, value};
use nom::sequence::{pair, preceded};
use std::fmt::{Display, Formatter};
@@ -21,7 +21,7 @@ use std::fmt::{Display, Formatter};
/// Parse a SHOW statement.
pub(crate) fn show_statement(i: &str) -> ParseResult<&str, Statement> {
preceded(
- pair(keyword("SHOW"), multispace1),
+ pair(keyword("SHOW"), ws1),
expect(
"invalid SHOW statement, expected DATABASES, FIELD, MEASUREMENTS, TAG, or RETENTION following SHOW",
alt((
@@ -74,7 +74,7 @@ impl Display for OnClause {
/// Parse an `ON` clause for statements such as `SHOW TAG KEYS` and `SHOW FIELD KEYS`.
pub(crate) fn on_clause(i: &str) -> ParseResult<&str, OnClause> {
preceded(
- pair(keyword("ON"), multispace1),
+ pair(keyword("ON"), ws1),
expect(
"invalid ON clause, expected identifier",
map(identifier, OnClause),
@@ -85,7 +85,7 @@ pub(crate) fn on_clause(i: &str) -> ParseResult<&str, OnClause> {
/// Parse a `SHOW TAG (KEYS|VALUES)` statement.
fn show_tag(i: &str) -> ParseResult<&str, Statement> {
preceded(
- pair(keyword("TAG"), multispace1),
+ pair(keyword("TAG"), ws1),
expect(
"invalid SHOW TAG statement, expected KEYS or VALUES",
alt((
diff --git a/influxdb_influxql_parser/src/show_field_keys.rs b/influxdb_influxql_parser/src/show_field_keys.rs
index 646726f14c..3accc945e0 100644
--- a/influxdb_influxql_parser/src/show_field_keys.rs
+++ b/influxdb_influxql_parser/src/show_field_keys.rs
@@ -2,12 +2,11 @@
//!
//! [sql]: https://docs.influxdata.com/influxdb/v1.8/query_language/explore-schema/#show-field-keys
-use crate::common::{limit_clause, offset_clause, LimitClause, OffsetClause};
+use crate::common::{limit_clause, offset_clause, ws1, LimitClause, OffsetClause};
use crate::internal::{expect, ParseResult};
use crate::keywords::keyword;
use crate::show::{on_clause, OnClause};
use crate::simple_from_clause::{show_from_clause, ShowFromClause};
-use nom::character::complete::multispace1;
use nom::combinator::opt;
use nom::sequence::{preceded, tuple};
use std::fmt;
@@ -70,15 +69,15 @@ pub(crate) fn show_field_keys(i: &str) -> ParseResult<&str, ShowFieldKeysStateme
),
) = tuple((
keyword("FIELD"),
- multispace1,
+ ws1,
expect(
"invalid SHOW FIELD KEYS statement, expected KEYS",
keyword("KEYS"),
),
- opt(preceded(multispace1, on_clause)),
- opt(preceded(multispace1, show_from_clause)),
- opt(preceded(multispace1, limit_clause)),
- opt(preceded(multispace1, offset_clause)),
+ opt(preceded(ws1, on_clause)),
+ opt(preceded(ws1, show_from_clause)),
+ opt(preceded(ws1, limit_clause)),
+ opt(preceded(ws1, offset_clause)),
))(i)?;
Ok((
diff --git a/influxdb_influxql_parser/src/show_measurements.rs b/influxdb_influxql_parser/src/show_measurements.rs
index b9dce53d5f..107400de98 100644
--- a/influxdb_influxql_parser/src/show_measurements.rs
+++ b/influxdb_influxql_parser/src/show_measurements.rs
@@ -3,7 +3,7 @@
//! [sql]: https://docs.influxdata.com/influxdb/v1.8/query_language/explore-schema/#show-measurements
use crate::common::{
- limit_clause, offset_clause, qualified_measurement_name, where_clause, LimitClause,
+ limit_clause, offset_clause, qualified_measurement_name, where_clause, ws0, ws1, LimitClause,
OffsetClause, QualifiedMeasurementName, WhereClause,
};
use crate::identifier::{identifier, Identifier};
@@ -11,7 +11,6 @@ use crate::internal::{expect, ParseResult};
use crate::keywords::keyword;
use nom::branch::alt;
use nom::bytes::complete::tag;
-use nom::character::complete::{multispace0, multispace1};
use nom::combinator::{map, opt, value};
use nom::sequence::tuple;
use nom::sequence::{pair, preceded, terminated};
@@ -48,7 +47,7 @@ impl fmt::Display for ExtendedOnClause {
/// Parse the `ON` clause of the `SHOW MEASUREMENTS` statement.
fn extended_on_clause(i: &str) -> ParseResult<&str, ExtendedOnClause> {
preceded(
- pair(keyword("ON"), multispace1),
+ pair(keyword("ON"), ws1),
expect(
"invalid ON clause, expected wildcard or identifier",
alt((
@@ -146,23 +145,23 @@ fn with_measurement_clause(i: &str) -> ParseResult<&str, WithMeasurementClause>
preceded(
tuple((
keyword("WITH"),
- multispace1,
+ ws1,
expect(
"invalid WITH clause, expected MEASUREMENT",
keyword("MEASUREMENT"),
),
- multispace0,
+ ws0,
)),
expect(
"expected = or =~",
alt((
map(
- preceded(pair(tag("=~"), multispace0), qualified_measurement_name),
+ preceded(pair(tag("=~"), ws0), qualified_measurement_name),
WithMeasurementClause::Regex,
),
map(
preceded(
- pair(tag("="), multispace0),
+ pair(tag("="), ws0),
expect("expected measurement name", qualified_measurement_name),
),
WithMeasurementClause::Equals,
@@ -186,11 +185,11 @@ pub(crate) fn show_measurements(i: &str) -> ParseResult<&str, ShowMeasurementsSt
),
) = tuple((
keyword("MEASUREMENTS"),
- opt(preceded(multispace1, extended_on_clause)),
- opt(preceded(multispace1, with_measurement_clause)),
- opt(preceded(multispace1, where_clause)),
- opt(preceded(multispace1, limit_clause)),
- opt(preceded(multispace1, offset_clause)),
+ opt(preceded(ws1, extended_on_clause)),
+ opt(preceded(ws1, with_measurement_clause)),
+ opt(preceded(ws1, where_clause)),
+ opt(preceded(ws1, limit_clause)),
+ opt(preceded(ws1, offset_clause)),
))(i)?;
Ok((
diff --git a/influxdb_influxql_parser/src/show_retention_policies.rs b/influxdb_influxql_parser/src/show_retention_policies.rs
index 73454aa1d5..4a76a11afa 100644
--- a/influxdb_influxql_parser/src/show_retention_policies.rs
+++ b/influxdb_influxql_parser/src/show_retention_policies.rs
@@ -2,10 +2,10 @@
//!
//! [sql]: https://docs.influxdata.com/influxdb/v1.8/query_language/explore-schema/#show-retention-policies
+use crate::common::ws1;
use crate::internal::{expect, ParseResult};
use crate::keywords::keyword;
use crate::show::{on_clause, OnClause};
-use nom::character::complete::multispace1;
use nom::combinator::opt;
use nom::sequence::{preceded, tuple};
use std::fmt::{Display, Formatter};
@@ -32,12 +32,12 @@ pub(crate) fn show_retention_policies(
) -> ParseResult<&str, ShowRetentionPoliciesStatement> {
let (remaining, (_, _, _, database)) = tuple((
keyword("RETENTION"),
- multispace1,
+ ws1,
expect(
"invalid SHOW RETENTION POLICIES statement, expected POLICIES",
keyword("POLICIES"),
),
- opt(preceded(multispace1, on_clause)),
+ opt(preceded(ws1, on_clause)),
))(i)?;
Ok((remaining, ShowRetentionPoliciesStatement { database }))
diff --git a/influxdb_influxql_parser/src/show_tag_keys.rs b/influxdb_influxql_parser/src/show_tag_keys.rs
index 90125632da..504326e06d 100644
--- a/influxdb_influxql_parser/src/show_tag_keys.rs
+++ b/influxdb_influxql_parser/src/show_tag_keys.rs
@@ -3,13 +3,12 @@
//! [sql]: https://docs.influxdata.com/influxdb/v1.8/query_language/explore-schema/#show-tag-keys
use crate::common::{
- limit_clause, offset_clause, where_clause, LimitClause, OffsetClause, WhereClause,
+ limit_clause, offset_clause, where_clause, ws1, LimitClause, OffsetClause, WhereClause,
};
use crate::internal::ParseResult;
use crate::keywords::keyword;
use crate::show::{on_clause, OnClause};
use crate::simple_from_clause::{show_from_clause, ShowFromClause};
-use nom::character::complete::multispace1;
use nom::combinator::opt;
use nom::sequence::{preceded, tuple};
use std::fmt;
@@ -78,11 +77,11 @@ pub(crate) fn show_tag_keys(i: &str) -> ParseResult<&str, ShowTagKeysStatement>
),
) = tuple((
keyword("KEYS"),
- opt(preceded(multispace1, on_clause)),
- opt(preceded(multispace1, show_from_clause)),
- opt(preceded(multispace1, where_clause)),
- opt(preceded(multispace1, limit_clause)),
- opt(preceded(multispace1, offset_clause)),
+ opt(preceded(ws1, on_clause)),
+ opt(preceded(ws1, show_from_clause)),
+ opt(preceded(ws1, where_clause)),
+ opt(preceded(ws1, limit_clause)),
+ opt(preceded(ws1, offset_clause)),
))(i)?;
Ok((
diff --git a/influxdb_influxql_parser/src/show_tag_values.rs b/influxdb_influxql_parser/src/show_tag_values.rs
index 26cdc5aa59..0dd45eb4ea 100644
--- a/influxdb_influxql_parser/src/show_tag_values.rs
+++ b/influxdb_influxql_parser/src/show_tag_values.rs
@@ -3,7 +3,8 @@
//! [sql]: https://docs.influxdata.com/influxdb/v1.8/query_language/explore-schema/#show-tag-values
use crate::common::{
- limit_clause, offset_clause, where_clause, LimitClause, OffsetClause, OneOrMore, WhereClause,
+ limit_clause, offset_clause, where_clause, ws0, ws1, LimitClause, OffsetClause, OneOrMore,
+ WhereClause,
};
use crate::identifier::{identifier, Identifier};
use crate::internal::{expect, ParseResult};
@@ -13,7 +14,7 @@ use crate::simple_from_clause::{show_from_clause, ShowFromClause};
use crate::string::{regex, Regex};
use nom::branch::alt;
use nom::bytes::complete::tag;
-use nom::character::complete::{char, multispace0, multispace1};
+use nom::character::complete::char;
use nom::combinator::{map, opt};
use nom::sequence::{delimited, preceded, tuple};
use std::fmt;
@@ -89,15 +90,15 @@ pub(crate) fn show_tag_values(i: &str) -> ParseResult<&str, ShowTagValuesStateme
),
) = tuple((
keyword("VALUES"),
- opt(preceded(multispace1, on_clause)),
- opt(preceded(multispace1, show_from_clause)),
+ opt(preceded(ws1, on_clause)),
+ opt(preceded(ws1, show_from_clause)),
expect(
"invalid SHOW TAG VALUES statement, expected WITH KEY clause",
- preceded(multispace1, with_key_clause),
+ preceded(ws1, with_key_clause),
),
- opt(preceded(multispace1, where_clause)),
- opt(preceded(multispace1, limit_clause)),
- opt(preceded(multispace1, offset_clause)),
+ opt(preceded(ws1, where_clause)),
+ opt(preceded(ws1, limit_clause)),
+ opt(preceded(ws1, offset_clause)),
))(i)?;
Ok((
@@ -159,11 +160,11 @@ impl Display for WithKeyClause {
/// Parse an identifier list, as expected by the `WITH KEY IN` clause.
fn identifier_list(i: &str) -> ParseResult<&str, InList> {
delimited(
- preceded(multispace0, char('(')),
+ preceded(ws0, char('(')),
InList::separated_list1("invalid IN clause, expected identifier"),
expect(
"invalid identifier list, expected ')'",
- preceded(multispace0, char(')')),
+ preceded(ws0, char(')')),
),
)(i)
}
@@ -172,7 +173,7 @@ fn with_key_clause(i: &str) -> ParseResult<&str, WithKeyClause> {
preceded(
tuple((
keyword("WITH"),
- multispace1,
+ ws1,
expect("invalid WITH KEY clause, expected KEY", keyword("KEY")),
)),
expect(
@@ -180,7 +181,7 @@ fn with_key_clause(i: &str) -> ParseResult<&str, WithKeyClause> {
alt((
map(
preceded(
- delimited(multispace0, tag("=~"), multispace0),
+ delimited(ws0, tag("=~"), ws0),
expect(
"invalid WITH KEY clause, expected regular expression following =~",
regex,
@@ -190,7 +191,7 @@ fn with_key_clause(i: &str) -> ParseResult<&str, WithKeyClause> {
),
map(
preceded(
- delimited(multispace0, tag("!~"), multispace0),
+ delimited(ws0, tag("!~"), ws0),
expect(
"invalid WITH KEY clause, expected regular expression following =!",
regex,
@@ -200,7 +201,7 @@ fn with_key_clause(i: &str) -> ParseResult<&str, WithKeyClause> {
),
map(
preceded(
- delimited(multispace0, char('='), multispace0),
+ delimited(ws0, char('='), ws0),
expect(
"invalid WITH KEY clause, expected identifier following =",
identifier,
@@ -210,7 +211,7 @@ fn with_key_clause(i: &str) -> ParseResult<&str, WithKeyClause> {
),
map(
preceded(
- delimited(multispace0, tag("!="), multispace0),
+ delimited(ws0, tag("!="), ws0),
expect(
"invalid WITH KEY clause, expected identifier following !=",
identifier,
@@ -220,7 +221,7 @@ fn with_key_clause(i: &str) -> ParseResult<&str, WithKeyClause> {
),
map(
preceded(
- preceded(multispace1, tag("IN")),
+ preceded(ws1, tag("IN")),
expect(
"invalid WITH KEY clause, expected identifier list following IN",
identifier_list,
diff --git a/influxdb_influxql_parser/src/simple_from_clause.rs b/influxdb_influxql_parser/src/simple_from_clause.rs
index 488b9cf953..c579fca99a 100644
--- a/influxdb_influxql_parser/src/simple_from_clause.rs
+++ b/influxdb_influxql_parser/src/simple_from_clause.rs
@@ -1,12 +1,11 @@
//! Types and parsers for the `FROM` clause common to `DELETE` or `SHOW` schema statements.
use crate::common::{
- qualified_measurement_name, MeasurementName, OneOrMore, Parser, QualifiedMeasurementName,
+ qualified_measurement_name, ws1, MeasurementName, OneOrMore, Parser, QualifiedMeasurementName,
};
use crate::identifier::{identifier, Identifier};
use crate::internal::ParseResult;
use crate::keywords::keyword;
-use nom::character::complete::multispace1;
use nom::sequence::{pair, preceded};
use std::fmt;
use std::fmt::{Display, Formatter};
@@ -21,7 +20,7 @@ pub type FromMeasurementClause<U> = OneOrMore<U>;
fn from_clause<T: Parser + fmt::Display>(i: &str) -> ParseResult<&str, FromMeasurementClause<T>> {
preceded(
- pair(keyword("FROM"), multispace1),
+ pair(keyword("FROM"), ws1),
FromMeasurementClause::<T>::separated_list1(
"invalid FROM clause, expected identifier or regular expression",
),
diff --git a/influxdb_influxql_parser/src/test_util.rs b/influxdb_influxql_parser/src/test_util.rs
index 76a2473833..33a67a1811 100644
--- a/influxdb_influxql_parser/src/test_util.rs
+++ b/influxdb_influxql_parser/src/test_util.rs
@@ -8,6 +8,18 @@ macro_rules! assert_failure {
};
}
+/// Asserts that the result of a nom parser is an error and a [`nom::Err::Error`] of the specified
+/// [`nom::error::ErrorKind`].
+#[macro_export]
+macro_rules! assert_error {
+ ($RESULT:expr, $ERR:ident) => {
+ assert_matches::assert_matches!(
+ $RESULT.unwrap_err(),
+ nom::Err::Error($crate::internal::Error::Nom(_, nom::error::ErrorKind::$ERR))
+ );
+ };
+}
+
/// Asserts that the result of a nom parser is an [`crate::internal::Error::Syntax`] and a [`nom::Err::Failure`].
#[macro_export]
macro_rules! assert_expect_error {
|
23807df7a9fbcc2dd4dc6f832680f10885370bc0
|
Nga Tran
|
2023-01-05 14:57:23
|
trigger that updates partition table when a parquet file is created (#6514)
|
* feat: trigger that update partition table when a parquet file is created
* chore: simplify epoch of now
| null |
feat: trigger that updates partition table when a parquet file is created (#6514)
* feat: trigger that update partition table when a parquet file is created
* chore: simplify epoch of now
|
diff --git a/iox_catalog/migrations/20230105120822_trigger_update_partition.sql b/iox_catalog/migrations/20230105120822_trigger_update_partition.sql
new file mode 100644
index 0000000000..81b629b351
--- /dev/null
+++ b/iox_catalog/migrations/20230105120822_trigger_update_partition.sql
@@ -0,0 +1,22 @@
+-- A new field in the partition that stores the latest time a new file is added to the partition
+ALTER TABLE partition ADD COLUMN IF NOT EXISTS new_file_at bigint;
+
+-- FUNTION that updates the new_file_at field in the partition table when the update_partition trigger is fired
+CREATE OR REPLACE FUNCTION update_partition_on_new_file_at()
+RETURNS TRIGGER
+LANGUAGE PLPGSQL
+AS $$
+BEGIN
+ UPDATE partition SET new_file_at = EXTRACT(EPOCH FROM now() ) * 1000000000 WHERE id = NEW.partition_id;
+
+ RETURN NEW;
+END;
+$$;
+
+-- TRIGGER that fires the update_partition_on_new_file_at function when a new file is added to the parquet_file table
+CREATE TRIGGER update_partition
+ AFTER INSERT ON parquet_file
+ FOR EACH ROW
+ EXECUTE PROCEDURE update_partition_on_new_file_at();
+
+
|
226ad2b1003deebe012dc75889d11c25c46b95a2
|
Dom Dwyer
|
2023-07-04 18:04:13
|
query projection
|
Add an integration test driving query projection through the ingester.
| null |
test(ingester): query projection
Add an integration test driving query projection through the ingester.
|
diff --git a/ingester/tests/query.rs b/ingester/tests/query.rs
index 43133b31e4..e0f1b32501 100644
--- a/ingester/tests/query.rs
+++ b/ingester/tests/query.rs
@@ -85,3 +85,78 @@ async fn write_query() {
assert_eq!(hist.sample_count(), 1);
assert_eq!(hist.total, 2);
}
+
+// Write data to an ingester through the RPC interface and query the data, validating the contents.
+#[tokio::test]
+async fn write_query_projection() {
+ let namespace_name = "write_query_test_namespace";
+ let mut ctx = TestContextBuilder::default().build().await;
+ let ns = ctx.ensure_namespace(namespace_name, None).await;
+
+ // Initial write
+ let partition_key = PartitionKey::from("1970-01-01");
+ ctx.write_lp(
+ namespace_name,
+ "bananas greatness=\"unbounded\",level=42 10",
+ partition_key.clone(),
+ 0,
+ )
+ .await;
+
+ // Another write that appends more data to the table in the initial write.
+ ctx.write_lp(
+ namespace_name,
+ "bananas count=42,level=4242 200",
+ partition_key.clone(),
+ 42,
+ )
+ .await;
+
+ // Perform a query to validate the actual data buffered.
+ let data: Vec<_> = ctx
+ .query(IngesterQueryRequest {
+ namespace_id: ns.id.get(),
+ table_id: ctx.table_id(namespace_name, "bananas").await.get(),
+ columns: vec![],
+ predicate: None,
+ })
+ .await
+ .expect("query request failed");
+
+ let expected = vec![
+ "+-------+-----------+--------+--------------------------------+",
+ "| count | greatness | level | time |",
+ "+-------+-----------+--------+--------------------------------+",
+ "| | unbounded | 42.0 | 1970-01-01T00:00:00.000000010Z |",
+ "| 42.0 | | 4242.0 | 1970-01-01T00:00:00.000000200Z |",
+ "+-------+-----------+--------+--------------------------------+",
+ ];
+ assert_batches_sorted_eq!(&expected, &data);
+
+ // And perform a query with projection, selecting a column that is entirely
+ // non-NULL, a column containing NULLs (in a different order to the above)
+ // and a column that does not exist.
+ let data: Vec<_> = ctx
+ .query(IngesterQueryRequest {
+ namespace_id: ns.id.get(),
+ table_id: ctx.table_id(namespace_name, "bananas").await.get(),
+ columns: vec![
+ "level".to_string(),
+ "greatness".to_string(),
+ "platanos".to_string(),
+ ],
+ predicate: None,
+ })
+ .await
+ .expect("query request failed");
+
+ let expected = vec![
+ "+--------+-----------+",
+ "| level | greatness |",
+ "+--------+-----------+",
+ "| 42.0 | unbounded |",
+ "| 4242.0 | |",
+ "+--------+-----------+",
+ ];
+ assert_batches_sorted_eq!(&expected, &data);
+}
|
1f509f47b13242047c8eacece2929a85891cd8c5
|
Dom Dwyer
|
2023-01-09 13:31:42
|
log number of writes in persist batch
|
Include the number of DML operations applied to the persisted buffer
in the "persisted partition" message.
Partly because I'm intrigued / it's useful information, and partly to
ensure LLVM doesn't get snazzy and dead-code the sequence number
tracking because it was never read.
| null |
refactor: log number of writes in persist batch
Include the number of DML operations applied to the persisted buffer
in the "persisted partition" message.
Partly because I'm intrigued / it's useful information, and partly to
ensure LLVM doesn't get snazzy and dead-code the sequence number
tracking because it was never read.
|
diff --git a/ingester2/src/persist/context.rs b/ingester2/src/persist/context.rs
index 8d5aed7a4b..8064c76cfe 100644
--- a/ingester2/src/persist/context.rs
+++ b/ingester2/src/persist/context.rs
@@ -515,7 +515,7 @@ impl Context {
// This SHOULD cause the data to be dropped, but there MAY be ongoing
// queries that currently hold a reference to the data. In either case,
// the persisted data will be dropped "shortly".
- self.partition.lock().mark_persisted(self.data);
+ let sequence_numbers = self.partition.lock().mark_persisted(self.data);
let now = Instant::now();
@@ -530,6 +530,7 @@ impl Context {
total_persist_duration = ?now.duration_since(self.enqueued_at),
active_persist_duration = ?now.duration_since(self.dequeued_at),
queued_persist_duration = ?self.dequeued_at.duration_since(self.enqueued_at),
+ n_writes = sequence_numbers.len(),
"persisted partition"
);
|
a2984cdc17816d1fc18f2b4f96e59ea55cf81ab3
|
Michael Gattozzi
|
2024-03-21 13:00:15
|
Update to Rust 1.77.0 (#24800)
|
* chore: Update to Rust 1.77.0
This is a fairly quiet upgrade. The only changes are some lints around
`OpenOptions` that were added to clippy between 1.75 and this version
and they're small changes that either remove unecessary function calls
or add a needed function call.
* fix: cargo-deny by using the --locked flag
| null |
chore: Update to Rust 1.77.0 (#24800)
* chore: Update to Rust 1.77.0
This is a fairly quiet upgrade. The only changes are some lints around
`OpenOptions` that were added to clippy between 1.75 and this version
and they're small changes that either remove unecessary function calls
or add a needed function call.
* fix: cargo-deny by using the --locked flag
|
diff --git a/.circleci/config.yml b/.circleci/config.yml
index afb45db042..3102a01c27 100644
--- a/.circleci/config.yml
+++ b/.circleci/config.yml
@@ -111,7 +111,7 @@ jobs:
- rust_components
- run:
name: Install cargo-deny
- command: cargo install cargo-deny
+ command: cargo install cargo-deny --locked
- run:
name: cargo-deny Checks
command: cargo deny check -s
diff --git a/influxdb3/src/commands/query.rs b/influxdb3/src/commands/query.rs
index 5ca6709ffb..500c3427bf 100644
--- a/influxdb3/src/commands/query.rs
+++ b/influxdb3/src/commands/query.rs
@@ -131,6 +131,7 @@ pub(crate) async fn command(config: Config) -> Result<()> {
let mut f = OpenOptions::new()
.write(true)
.create(true)
+ .truncate(true)
.open(path)
.await?;
f.write_all_buf(&mut resp_bytes).await?;
diff --git a/influxdb3_write/src/wal.rs b/influxdb3_write/src/wal.rs
index e2a31fefee..4faddb2f91 100644
--- a/influxdb3_write/src/wal.rs
+++ b/influxdb3_write/src/wal.rs
@@ -229,7 +229,11 @@ impl WalSegmentWriterImpl {
}
// it's a new file, initialize it with the header and get ready to start writing
- let mut f = OpenOptions::new().write(true).create(true).open(&path)?;
+ let mut f = OpenOptions::new()
+ .write(true)
+ .create(true)
+ .truncate(true)
+ .open(&path)?;
f.write_all(FILE_TYPE_IDENTIFIER)?;
let file_type_bytes_written = FILE_TYPE_IDENTIFIER.len();
@@ -266,7 +270,7 @@ impl WalSegmentWriterImpl {
if let Some(file_info) =
WalSegmentReaderImpl::read_segment_file_info_if_exists(path.clone())?
{
- let f = OpenOptions::new().write(true).append(true).open(&path)?;
+ let f = OpenOptions::new().append(true).open(&path)?;
Ok(Self {
segment_id,
diff --git a/rust-toolchain.toml b/rust-toolchain.toml
index c922652342..7aac9b8f1b 100644
--- a/rust-toolchain.toml
+++ b/rust-toolchain.toml
@@ -1,3 +1,3 @@
[toolchain]
-channel = "1.75.0"
+channel = "1.77.0"
components = ["rustfmt", "clippy", "rust-analyzer"]
|
59e1c1d5b99dc24bcc98ec8ed846d34229408c68
|
Carol (Nichols || Goulding)
|
2022-10-19 12:10:17
|
Pass trace id through Flight requests from querier to ingester
|
Fixes #5723.
| null |
feat: Pass trace id through Flight requests from querier to ingester
Fixes #5723.
|
diff --git a/Cargo.lock b/Cargo.lock
index 199fcdf609..b44c9949c9 100644
--- a/Cargo.lock
+++ b/Cargo.lock
@@ -2216,6 +2216,9 @@ dependencies = [
"tokio",
"tokio-stream",
"tonic",
+ "trace",
+ "trace_exporters",
+ "trace_http",
]
[[package]]
@@ -3992,6 +3995,7 @@ dependencies = [
"tempfile",
"test_helpers",
"tokio",
+ "trace",
"workspace-hack",
]
diff --git a/client_util/src/tower.rs b/client_util/src/tower.rs
index 3f5225b7a2..21fa4a8a42 100644
--- a/client_util/src/tower.rs
+++ b/client_util/src/tower.rs
@@ -38,6 +38,21 @@ pub struct SetRequestHeadersService<S> {
headers: Arc<Vec<(HeaderName, HeaderValue)>>,
}
+impl<S> SetRequestHeadersService<S> {
+ pub fn new(service: S, headers: Vec<(HeaderName, HeaderValue)>) -> Self {
+ Self {
+ service,
+ headers: Arc::new(headers),
+ }
+ }
+
+ pub fn into_parts(self) -> (S, Arc<Vec<(HeaderName, HeaderValue)>>) {
+ let SetRequestHeadersService { service, headers } = self;
+
+ (service, headers)
+ }
+}
+
impl<S, ReqBody, ResBody> Service<Request<ReqBody>> for SetRequestHeadersService<S>
where
S: Service<Request<ReqBody>, Response = Response<ResBody>>,
diff --git a/influxdb_iox/src/commands/query_ingester.rs b/influxdb_iox/src/commands/query_ingester.rs
index 987e4c5d18..5b79b8d6d4 100644
--- a/influxdb_iox/src/commands/query_ingester.rs
+++ b/influxdb_iox/src/commands/query_ingester.rs
@@ -53,7 +53,7 @@ pub struct Config {
}
pub async fn command(connection: Connection, config: Config) -> Result<()> {
- let mut client = flight::low_level::Client::new(connection);
+ let mut client = flight::low_level::Client::new(connection, None);
let Config {
namespace,
format,
diff --git a/influxdb_iox/tests/end_to_end_cases/ingester.rs b/influxdb_iox/tests/end_to_end_cases/ingester.rs
index edf93bb305..519697fe6d 100644
--- a/influxdb_iox/tests/end_to_end_cases/ingester.rs
+++ b/influxdb_iox/tests/end_to_end_cases/ingester.rs
@@ -29,7 +29,7 @@ async fn ingester_flight_api() {
let mut querier_flight = influxdb_iox_client::flight::low_level::Client::<
influxdb_iox_client::flight::generated_types::IngesterQueryRequest,
- >::new(cluster.ingester().ingester_grpc_connection());
+ >::new(cluster.ingester().ingester_grpc_connection(), None);
let query = IngesterQueryRequest::new(
cluster.namespace().to_string(),
@@ -98,7 +98,7 @@ async fn ingester_flight_api_namespace_not_found() {
let mut querier_flight = influxdb_iox_client::flight::low_level::Client::<
influxdb_iox_client::flight::generated_types::IngesterQueryRequest,
- >::new(cluster.ingester().ingester_grpc_connection());
+ >::new(cluster.ingester().ingester_grpc_connection(), None);
let query = IngesterQueryRequest::new(
String::from("does_not_exist"),
@@ -137,7 +137,7 @@ async fn ingester_flight_api_table_not_found() {
let mut querier_flight = influxdb_iox_client::flight::low_level::Client::<
influxdb_iox_client::flight::generated_types::IngesterQueryRequest,
- >::new(cluster.ingester().ingester_grpc_connection());
+ >::new(cluster.ingester().ingester_grpc_connection(), None);
let query = IngesterQueryRequest::new(
cluster.namespace().to_string(),
diff --git a/influxdb_iox_client/Cargo.toml b/influxdb_iox_client/Cargo.toml
index 7adaecd4ec..efa64806f0 100644
--- a/influxdb_iox_client/Cargo.toml
+++ b/influxdb_iox_client/Cargo.toml
@@ -25,3 +25,6 @@ tokio = { version = "1.21", features = ["macros", "parking_lot", "rt-multi-threa
tokio-stream = "0.1.11"
thiserror = "1.0.37"
tonic = { version = "0.8" }
+trace = { path = "../trace" }
+trace_exporters = { path = "../trace_exporters" }
+trace_http = { path = "../trace_http" }
diff --git a/influxdb_iox_client/src/client/flight/low_level.rs b/influxdb_iox_client/src/client/flight/low_level.rs
index 6e0860aa50..80567b17c7 100644
--- a/influxdb_iox_client/src/client/flight/low_level.rs
+++ b/influxdb_iox_client/src/client/flight/low_level.rs
@@ -1,32 +1,30 @@
//! Low-level flight client.
//!
-//! This client allows more inspection of the flight messages which can be helpful to implement more advanced protocols.
+//! This client allows more inspection of the flight messages which can be helpful to implement
+//! more advanced protocols.
//!
//! # Protocol Usage
+//!
//! The client handles flight messages as followes:
//!
-//! - **None:** App metadata is extracted. Otherwise this message has no effect. This is useful to transmit metadata
-//! without any actual payload.
-//! - **Schema:** The schema is (re-)set. Dictionaries are cleared. App metadata is extraced and both the schema and the
-//! metadata are presented to the user.
-//! - **Dictionary Batch:** A new dictionary for a given column is registered. An existing dictionary for the same
-//! column will be overwritten. No app metadata is extracted. This message is NOT visible to the user.
-//! - **Record Batch:** Record batch is created based on the current schema and dictionaries. This fails if no schema
-//! was transmitted yet. App metadata is extracted is is presented -- together with the record batch -- to the user.
+//! - **None:** App metadata is extracted. Otherwise this message has no effect. This is useful to
+//! transmit metadata without any actual payload.
+//! - **Schema:** The schema is (re-)set. Dictionaries are cleared. App metadata is extraced and
+//! both the schema and the metadata are presented to the user.
+//! - **Dictionary Batch:** A new dictionary for a given column is registered. An existing
+//! dictionary for the same column will be overwritten. No app metadata is extracted. This
+//! message is NOT visible to the user.
+//! - **Record Batch:** Record batch is created based on the current schema and dictionaries. This
+//! fails if no schema was transmitted yet. App metadata is extracted is is presented -- together
+//! with the record batch -- to the user.
//!
//! All other message types (at the time of writing: tensor and sparse tensor) lead to an error.
-use std::{collections::HashMap, convert::TryFrom, marker::PhantomData, sync::Arc};
+use super::Error;
use ::generated_types::influxdata::iox::{
ingester::v1::{IngesterQueryRequest, IngesterQueryResponseMetadata},
querier::v1::{AppMetadata, ReadInfo},
};
-use client_util::connection::{Connection, GrpcConnection};
-use futures_util::stream;
-use futures_util::stream::StreamExt;
-use prost::Message;
-use tonic::Streaming;
-
use arrow::{
array::ArrayRef,
buffer::Buffer,
@@ -38,9 +36,18 @@ use arrow_flight::{
flight_service_client::FlightServiceClient, utils::flight_data_to_arrow_batch, FlightData,
HandshakeRequest, Ticket,
};
-
-use super::Error;
+use client_util::connection::{Connection, GrpcConnection};
+use futures_util::stream;
+use futures_util::stream::StreamExt;
+use prost::Message;
use rand::Rng;
+use std::{collections::HashMap, convert::TryFrom, marker::PhantomData, str::FromStr, sync::Arc};
+use tonic::{
+ codegen::http::header::{HeaderName, HeaderValue},
+ Streaming,
+};
+use trace::ctx::SpanContext;
+use trace_http::ctx::format_jaeger_trace_context;
/// Metadata that can be send during flight requests.
pub trait ClientMetadata: Message {
@@ -59,9 +66,11 @@ impl ClientMetadata for IngesterQueryRequest {
/// Low-level flight client.
///
/// # Request and Response Metadata
-/// The type parameter `T` -- which must implement [`ClientMetadata`] describes the request and response metadata that
-/// is send and received during the flight request. The request is encoded as protobuf and send as the Flight "ticket",
-/// the response is received via the so called "app metadata".
+///
+/// The type parameter `T` -- which must implement [`ClientMetadata`] -- describes the request and
+/// response metadata that is sent and received during the flight request. The request is encoded
+/// as protobuf and send as the Flight "ticket". The response is received via the so-called "app
+/// metadata".
#[derive(Debug)]
pub struct Client<T>
where
@@ -76,15 +85,32 @@ where
T: ClientMetadata,
{
/// Creates a new client with the provided connection
- pub fn new(connection: Connection) -> Self {
+ pub fn new(connection: Connection, span_context: Option<SpanContext>) -> Self {
+ let grpc_conn = connection.into_grpc_connection();
+
+ let grpc_conn = if let Some(ctx) = span_context {
+ let (service, headers) = grpc_conn.into_parts();
+
+ let mut headers: HashMap<_, _> = headers.iter().cloned().collect();
+ let key =
+ HeaderName::from_str(trace_exporters::DEFAULT_JAEGER_TRACE_CONTEXT_HEADER_NAME)
+ .unwrap();
+ let value = HeaderValue::from_str(&format_jaeger_trace_context(&ctx)).unwrap();
+ headers.insert(key, value);
+
+ GrpcConnection::new(service, headers.into_iter().collect())
+ } else {
+ grpc_conn
+ };
+
Self {
- inner: FlightServiceClient::new(connection.into_grpc_connection()),
+ inner: FlightServiceClient::new(grpc_conn),
_phantom: PhantomData::default(),
}
}
- /// Query the given database with the given SQL query, and return a
- /// [`PerformQuery`] instance that streams low-level message results.
+ /// Query the given database with the given SQL query, and return a [`PerformQuery`] instance
+ /// that streams low-level message results.
pub async fn perform_query(&mut self, request: T) -> Result<PerformQuery<T::Response>, Error> {
PerformQuery::<T::Response>::new(self, request).await
}
@@ -141,6 +167,7 @@ impl LowLevelMessage {
LowLevelMessage::RecordBatch(_) => panic!("Contains record batch"),
}
}
+
/// Unwrap schema.
pub fn unwrap_schema(self) -> Arc<Schema> {
match self {
@@ -160,9 +187,8 @@ impl LowLevelMessage {
}
}
-/// A struct that manages the stream of Arrow `RecordBatch` results from an
-/// Arrow Flight query. Created by calling the `perform_query` method on a
-/// Flight [`Client`].
+/// A struct that manages the stream of Arrow `RecordBatch` results from an Arrow Flight query.
+/// Created by calling the `perform_query` method on a Flight [`Client`].
#[derive(Debug)]
pub struct PerformQuery<T>
where
diff --git a/influxdb_iox_client/src/client/flight/mod.rs b/influxdb_iox_client/src/client/flight/mod.rs
index 2a98b83f4c..3b3e3c6044 100644
--- a/influxdb_iox_client/src/client/flight/mod.rs
+++ b/influxdb_iox_client/src/client/flight/mod.rs
@@ -120,7 +120,7 @@ impl Client {
/// Creates a new client with the provided connection
pub fn new(connection: Connection) -> Self {
Self {
- inner: LowLevelClient::new(connection),
+ inner: LowLevelClient::new(connection, None),
}
}
diff --git a/ingester/src/handler.rs b/ingester/src/handler.rs
index d5c2def7e9..7ecf700e69 100644
--- a/ingester/src/handler.rs
+++ b/ingester/src/handler.rs
@@ -23,6 +23,7 @@ use tokio::{
task::{JoinError, JoinHandle},
};
use tokio_util::sync::CancellationToken;
+use trace::span::{Span, SpanRecorder};
use write_buffer::core::WriteBufferReading;
use write_summary::ShardProgress;
@@ -71,6 +72,7 @@ pub trait IngestHandler: Send + Sync {
async fn query(
&self,
request: IngesterQueryRequest,
+ span: Option<Span>,
) -> Result<IngesterQueryResponse, crate::querier_handler::Error>;
/// Return shard progress for the requested shard indexes
@@ -331,7 +333,10 @@ impl IngestHandler for IngestHandlerImpl {
async fn query(
&self,
request: IngesterQueryRequest,
+ span: Option<Span>,
) -> Result<IngesterQueryResponse, crate::querier_handler::Error> {
+ let span_recorder = SpanRecorder::new(span);
+
// TODO(4567): move this into a instrumented query delegate
// Acquire and hold a permit for the duration of this request, or return
@@ -361,7 +366,12 @@ impl IngestHandler for IngestHandlerImpl {
let t = self.time_provider.now();
let request = Arc::new(request);
- let res = prepare_data_to_querier(&self.data, &request).await;
+ let res = prepare_data_to_querier(
+ &self.data,
+ &request,
+ span_recorder.child_span("ingester prepare data to querier"),
+ )
+ .await;
if let Some(delta) = self.time_provider.now().checked_duration_since(t) {
match &res {
@@ -668,14 +678,14 @@ mod tests {
predicate: None,
};
- let res = ingester.query(request.clone()).await.unwrap_err();
+ let res = ingester.query(request.clone(), None).await.unwrap_err();
assert!(matches!(
res,
crate::querier_handler::Error::NamespaceNotFound { .. }
));
ingester.request_sem = Semaphore::new(0);
- let res = ingester.query(request).await.unwrap_err();
+ let res = ingester.query(request, None).await.unwrap_err();
assert!(matches!(res, crate::querier_handler::Error::RequestLimit));
}
}
diff --git a/ingester/src/querier_handler.rs b/ingester/src/querier_handler.rs
index e9e13e72f5..7eaa269289 100644
--- a/ingester/src/querier_handler.rs
+++ b/ingester/src/querier_handler.rs
@@ -1,7 +1,12 @@
//! Handle all requests from Querier
-use std::{pin::Pin, sync::Arc};
-
+use crate::{
+ data::{
+ namespace::NamespaceName, partition::UnpersistedPartitionData, table::TableName,
+ IngesterData,
+ },
+ query::QueryableBatch,
+};
use arrow::{array::new_null_array, error::ArrowError, record_batch::RecordBatch};
use arrow_util::optimize::{optimize_record_batch, optimize_schema};
use data_types::{PartitionId, SequenceNumber};
@@ -12,14 +17,8 @@ use generated_types::ingester::IngesterQueryRequest;
use observability_deps::tracing::debug;
use schema::{merge::SchemaMerger, selection::Selection};
use snafu::{ensure, Snafu};
-
-use crate::{
- data::{
- namespace::NamespaceName, partition::UnpersistedPartitionData, table::TableName,
- IngesterData,
- },
- query::QueryableBatch,
-};
+use std::{pin::Pin, sync::Arc};
+use trace::span::{Span, SpanRecorder};
/// Number of table data read locks that shall be acquired in parallel
const CONCURRENT_TABLE_DATA_LOCKS: usize = 10;
@@ -171,12 +170,13 @@ impl IngesterQueryResponse {
/// Convert [`IngesterQueryResponse`] to a set of [`RecordBatch`]es.
///
- /// If the response contains multiple snapshots, this will merge the schemas into a single one and create
- /// NULL-columns for snapshots that miss columns.
+ /// If the response contains multiple snapshots, this will merge the schemas into a single one
+ /// and create NULL-columns for snapshots that miss columns.
///
/// # Panic
- /// Panics if there are no batches returned at all. Also panics if the snapshot-scoped schemas do not line up with
- /// the snapshot-scoped record batches.
+ ///
+ /// Panics if there are no batches returned at all. Also panics if the snapshot-scoped schemas
+ /// do not line up with the snapshot-scoped record batches.
pub async fn into_record_batches(self) -> Vec<RecordBatch> {
let mut snapshot_schema = None;
let mut schema_merger = SchemaMerger::new();
@@ -260,8 +260,12 @@ pub enum FlatIngesterQueryResponse {
pub async fn prepare_data_to_querier(
ingest_data: &Arc<IngesterData>,
request: &Arc<IngesterQueryRequest>,
+ span: Option<Span>,
) -> Result<IngesterQueryResponse> {
debug!(?request, "prepare_data_to_querier");
+
+ let span_recorder = SpanRecorder::new(span);
+
let mut tables_data = vec![];
let mut found_namespace = false;
for (shard_id, shard_data) in ingest_data.shards() {
@@ -324,13 +328,18 @@ pub async fn prepare_data_to_querier(
// extract payload
let partition_id = partition.partition_id;
let status = partition.partition_status.clone();
- let snapshots: Vec<_> = prepare_data_to_querier_for_partition(partition, &request)
- .into_iter()
- .map(Ok)
- .collect();
+ let snapshots: Vec<_> = prepare_data_to_querier_for_partition(
+ partition,
+ &request,
+ span_recorder.child_span("ingester prepare data to querier for partition"),
+ )
+ .into_iter()
+ .map(Ok)
+ .collect();
- // Note: include partition in `unpersisted_partitions` even when there we might filter out all the data, because
- // the metadata (e.g. max persisted parquet file) is important for the querier.
+ // Note: include partition in `unpersisted_partitions` even when there we might filter
+ // out all the data, because the metadata (e.g. max persisted parquet file) is
+ // important for the querier.
Ok(IngesterQueryPartition::new(
Box::pin(futures::stream::iter(snapshots)),
partition_id,
@@ -344,7 +353,10 @@ pub async fn prepare_data_to_querier(
fn prepare_data_to_querier_for_partition(
unpersisted_partition_data: UnpersistedPartitionData,
request: &IngesterQueryRequest,
+ span: Option<Span>,
) -> Vec<SendableRecordBatchStream> {
+ let mut span_recorder = SpanRecorder::new(span);
+
// ------------------------------------------------
// Accumulate data
@@ -368,7 +380,7 @@ fn prepare_data_to_querier_for_partition(
})
.with_data(unpersisted_partition_data.non_persisted);
- queryable_batch
+ let streams = queryable_batch
.data
.iter()
.map(|snapshot_batch| {
@@ -393,7 +405,11 @@ fn prepare_data_to_querier_for_partition(
// create stream
Box::pin(MemoryStream::new(vec![batch])) as SendableRecordBatchStream
})
- .collect()
+ .collect();
+
+ span_recorder.ok("done");
+
+ streams
}
#[cfg(test)]
@@ -501,6 +517,8 @@ mod tests {
async fn test_prepare_data_to_querier() {
test_helpers::maybe_start_logging();
+ let span = None;
+
// make 14 scenarios for ingester data
let mut scenarios = vec![];
for two_partitions in [false, true] {
@@ -541,7 +559,7 @@ mod tests {
];
for (loc, scenario) in &scenarios {
println!("Location: {loc:?}");
- let result = prepare_data_to_querier(scenario, &request)
+ let result = prepare_data_to_querier(scenario, &request, span.clone())
.await
.unwrap()
.into_record_batches()
@@ -577,7 +595,7 @@ mod tests {
];
for (loc, scenario) in &scenarios {
println!("Location: {loc:?}");
- let result = prepare_data_to_querier(scenario, &request)
+ let result = prepare_data_to_querier(scenario, &request, span.clone())
.await
.unwrap()
.into_record_batches()
@@ -622,7 +640,7 @@ mod tests {
];
for (loc, scenario) in &scenarios {
println!("Location: {loc:?}");
- let result = prepare_data_to_querier(scenario, &request)
+ let result = prepare_data_to_querier(scenario, &request, span.clone())
.await
.unwrap()
.into_record_batches()
@@ -639,7 +657,7 @@ mod tests {
));
for (loc, scenario) in &scenarios {
println!("Location: {loc:?}");
- let err = prepare_data_to_querier(scenario, &request)
+ let err = prepare_data_to_querier(scenario, &request, span.clone())
.await
.unwrap_err();
assert_matches!(err, Error::TableNotFound { .. });
@@ -654,7 +672,7 @@ mod tests {
));
for (loc, scenario) in &scenarios {
println!("Location: {loc:?}");
- let err = prepare_data_to_querier(scenario, &request)
+ let err = prepare_data_to_querier(scenario, &request, span.clone())
.await
.unwrap_err();
assert_matches!(err, Error::NamespaceNotFound { .. });
diff --git a/ingester/src/server/grpc.rs b/ingester/src/server/grpc.rs
index 0512d53239..1155536e70 100644
--- a/ingester/src/server/grpc.rs
+++ b/ingester/src/server/grpc.rs
@@ -1,14 +1,9 @@
//! gRPC service implementations for `ingester`.
-use std::{
- pin::Pin,
- sync::{
- atomic::{AtomicU64, Ordering},
- Arc,
- },
- task::Poll,
+use crate::{
+ handler::IngestHandler,
+ querier_handler::{FlatIngesterQueryResponse, FlatIngesterQueryResponseStream},
};
-
use arrow::error::ArrowError;
use arrow_flight::{
flight_service_server::{FlightService as Flight, FlightServiceServer as FlightServer},
@@ -25,17 +20,19 @@ use observability_deps::tracing::{debug, info, warn};
use pin_project::pin_project;
use prost::Message;
use snafu::{ResultExt, Snafu};
+use std::{
+ pin::Pin,
+ sync::{
+ atomic::{AtomicU64, Ordering},
+ Arc,
+ },
+ task::Poll,
+};
use tonic::{Request, Response, Streaming};
-use trace::ctx::SpanContext;
+use trace::{ctx::SpanContext, span::SpanExt};
use write_summary::WriteSummary;
-use crate::{
- handler::IngestHandler,
- querier_handler::{FlatIngesterQueryResponse, FlatIngesterQueryResponseStream},
-};
-
-/// This type is responsible for managing all gRPC services exposed by
-/// `ingester`.
+/// This type is responsible for managing all gRPC services exposed by `ingester`.
#[derive(Debug, Default)]
pub struct GrpcDelegate<I: IngestHandler> {
ingest_handler: Arc<I>,
@@ -47,8 +44,7 @@ pub struct GrpcDelegate<I: IngestHandler> {
}
impl<I: IngestHandler + Send + Sync + 'static> GrpcDelegate<I> {
- /// Initialise a new [`GrpcDelegate`] passing valid requests to the
- /// specified `ingest_handler`.
+ /// Initialise a new [`GrpcDelegate`] passing valid requests to the specified `ingest_handler`.
pub fn new(ingest_handler: Arc<I>, test_flight_do_get_panic: Arc<AtomicU64>) -> Self {
Self {
ingest_handler,
@@ -260,7 +256,7 @@ impl<I: IngestHandler + Send + Sync + 'static> Flight for FlightService<I> {
&self,
request: Request<Ticket>,
) -> Result<Response<Self::DoGetStream>, tonic::Status> {
- let _span_ctx: Option<SpanContext> = request.extensions().get().cloned();
+ let span_ctx: Option<SpanContext> = request.extensions().get().cloned();
let ticket = request.into_inner();
let proto_query_request =
@@ -272,25 +268,25 @@ impl<I: IngestHandler + Send + Sync + 'static> Flight for FlightService<I> {
self.maybe_panic_in_flight_do_get();
- let query_response =
- self.ingest_handler
- .query(query_request)
- .await
- .map_err(|e| match e {
- crate::querier_handler::Error::NamespaceNotFound { namespace_name } => {
- Error::NamespaceNotFound { namespace_name }
- }
- crate::querier_handler::Error::TableNotFound {
- namespace_name,
- table_name,
- } => Error::TableNotFound {
- namespace_name,
- table_name,
- },
- _ => Error::Query {
- source: Box::new(e),
- },
- })?;
+ let query_response = self
+ .ingest_handler
+ .query(query_request, span_ctx.child_span("ingest handler query"))
+ .await
+ .map_err(|e| match e {
+ crate::querier_handler::Error::NamespaceNotFound { namespace_name } => {
+ Error::NamespaceNotFound { namespace_name }
+ }
+ crate::querier_handler::Error::TableNotFound {
+ namespace_name,
+ table_name,
+ } => Error::TableNotFound {
+ namespace_name,
+ table_name,
+ },
+ _ => Error::Query {
+ source: Box::new(e),
+ },
+ })?;
let output = GetStream::new(query_response.flatten());
diff --git a/ingester/tests/common/mod.rs b/ingester/tests/common/mod.rs
index 026a40e132..97d798701a 100644
--- a/ingester/tests/common/mod.rs
+++ b/ingester/tests/common/mod.rs
@@ -314,7 +314,7 @@ impl TestContext {
&self,
req: IngesterQueryRequest,
) -> Result<IngesterQueryResponse, ingester::querier_handler::Error> {
- self.ingester.query(req).await
+ self.ingester.query(req, None).await
}
/// Retrieve the specified metric value.
diff --git a/querier/src/ingester/flight_client.rs b/querier/src/ingester/flight_client.rs
index 19a9865a6c..adb366f8c9 100644
--- a/querier/src/ingester/flight_client.rs
+++ b/querier/src/ingester/flight_client.rs
@@ -8,6 +8,7 @@ use influxdb_iox_client::flight::{
use observability_deps::tracing::debug;
use snafu::{ResultExt, Snafu};
use std::{collections::HashMap, fmt::Debug, ops::DerefMut, sync::Arc};
+use trace::ctx::SpanContext;
pub use influxdb_iox_client::flight::Error as FlightError;
@@ -45,6 +46,7 @@ pub trait FlightClient: Debug + Send + Sync + 'static {
&self,
ingester_address: Arc<str>,
request: IngesterQueryRequest,
+ span_context: Option<SpanContext>,
) -> Result<Box<dyn QueryData>, Error>;
}
@@ -90,10 +92,12 @@ impl FlightClient for FlightClientImpl {
&self,
ingester_addr: Arc<str>,
request: IngesterQueryRequest,
+ span_context: Option<SpanContext>,
) -> Result<Box<dyn QueryData>, Error> {
let connection = self.connect(Arc::clone(&ingester_addr)).await?;
- let mut client = LowLevelFlightClient::<proto::IngesterQueryRequest>::new(connection);
+ let mut client =
+ LowLevelFlightClient::<proto::IngesterQueryRequest>::new(connection, span_context);
debug!(%ingester_addr, ?request, "Sending request to ingester");
let request: proto::IngesterQueryRequest =
@@ -172,7 +176,7 @@ impl CachedConnection {
// sanity check w/ a handshake
let mut client =
- LowLevelFlightClient::<proto::IngesterQueryRequest>::new(connection.clone());
+ LowLevelFlightClient::<proto::IngesterQueryRequest>::new(connection.clone(), None);
// make contact with the ingester
client
diff --git a/querier/src/ingester/mod.rs b/querier/src/ingester/mod.rs
index 927b975a54..4dbea0d06d 100644
--- a/querier/src/ingester/mod.rs
+++ b/querier/src/ingester/mod.rs
@@ -418,7 +418,13 @@ async fn execute(
};
let query_res = flight_client
- .query(Arc::clone(&ingester_address), ingester_query_request)
+ .query(
+ Arc::clone(&ingester_address),
+ ingester_query_request,
+ span_recorder
+ .child_span("IngesterQuery")
+ .map(|span| span.ctx),
+ )
.await;
if let Err(FlightClientError::Flight {
@@ -1230,7 +1236,7 @@ mod tests {
};
use test_helpers::assert_error;
use tokio::{runtime::Handle, sync::Mutex};
- use trace::{span::SpanStatus, RingBufferTraceCollector};
+ use trace::{ctx::SpanContext, span::SpanStatus, RingBufferTraceCollector};
#[tokio::test]
async fn test_flight_handshake_error() {
@@ -1902,6 +1908,7 @@ mod tests {
&self,
ingester_address: Arc<str>,
_request: IngesterQueryRequest,
+ _span_context: Option<SpanContext>,
) -> Result<Box<dyn QueryData>, FlightClientError> {
self.responses
.lock()
diff --git a/query_tests/Cargo.toml b/query_tests/Cargo.toml
index e879fcb81d..a2f757ff28 100644
--- a/query_tests/Cargo.toml
+++ b/query_tests/Cargo.toml
@@ -31,6 +31,7 @@ querier = { path = "../querier" }
schema = { path = "../schema" }
sharder = { path = "../sharder" }
tokio = { version = "1.21", features = ["macros", "parking_lot", "rt-multi-thread", "time"] }
+trace = { path = "../trace" }
workspace-hack = { path = "../workspace-hack"}
[dev-dependencies]
diff --git a/query_tests/src/scenarios/util.rs b/query_tests/src/scenarios/util.rs
index c23bd3f2fd..6966e6ee1b 100644
--- a/query_tests/src/scenarios/util.rs
+++ b/query_tests/src/scenarios/util.rs
@@ -41,6 +41,7 @@ use std::{
time::Duration,
};
use tokio::runtime::Handle;
+use trace::ctx::SpanContext;
// Structs, enums, and functions used to exhaust all test scenarios of chunk lifecycle
// & when delete predicates are applied
@@ -945,11 +946,13 @@ impl IngesterFlightClient for MockIngester {
&self,
_ingester_address: Arc<str>,
request: IngesterQueryRequest,
+ _span_context: Option<SpanContext>,
) -> Result<Box<dyn IngesterFlightClientQueryData>, IngesterFlightClientError> {
+ let span = None;
// NOTE: we MUST NOT unwrap errors here because some query tests assert error behavior
// (e.g. passing predicates of wrong types)
let request = Arc::new(request);
- let response = prepare_data_to_querier(&self.ingester_data, &request)
+ let response = prepare_data_to_querier(&self.ingester_data, &request, span)
.await
.map_err(|e| IngesterFlightClientError::Flight {
source: FlightError::ArrowError(arrow::error::ArrowError::ExternalError(Box::new(
|
83a5037e61f9a9087f788b11dd73348b0b65c9f2
|
Marco Neumann
|
2023-06-21 11:03:19
|
query support for custom partitioning (#8025)
|
* feat: querier-specific stat creation routine
* feat: prune querier chunks using partition col ranges
* feat: add table client
* test: custom partitioning
* fix: correctly set up stats for chunks with col subsets
* fix: flaky test
* refactor: remove obsolete dead_code markers
* feat: add partition template to `create_namespace`
* test: extend custom partitioning end2end tests
* fix: explain shuffling, make it actual deterministic
| null |
feat: query support for custom partitioning (#8025)
* feat: querier-specific stat creation routine
* feat: prune querier chunks using partition col ranges
* feat: add table client
* test: custom partitioning
* fix: correctly set up stats for chunks with col subsets
* fix: flaky test
* refactor: remove obsolete dead_code markers
* feat: add partition template to `create_namespace`
* test: extend custom partitioning end2end tests
* fix: explain shuffling, make it actual deterministic
|
diff --git a/influxdb_iox/src/commands/namespace/create.rs b/influxdb_iox/src/commands/namespace/create.rs
index fe3cbe661a..7ef70ff48c 100644
--- a/influxdb_iox/src/commands/namespace/create.rs
+++ b/influxdb_iox/src/commands/namespace/create.rs
@@ -70,7 +70,12 @@ pub async fn command(connection: Connection, config: Config) -> Result<()> {
Some(retention_hours as i64 * 60 * 60 * 1_000_000_000)
};
let namespace = client
- .create_namespace(&namespace, retention, service_protection_limits.into())
+ .create_namespace(
+ &namespace,
+ retention,
+ service_protection_limits.into(),
+ None,
+ )
.await?;
println!("{}", serde_json::to_string_pretty(&namespace)?);
diff --git a/influxdb_iox/tests/end_to_end_cases/namespace.rs b/influxdb_iox/tests/end_to_end_cases/namespace.rs
index 73d684550b..1fbb60d0f5 100644
--- a/influxdb_iox/tests/end_to_end_cases/namespace.rs
+++ b/influxdb_iox/tests/end_to_end_cases/namespace.rs
@@ -65,7 +65,7 @@ async fn soft_deletion() {
);
let namespace_name = state.cluster().namespace();
client
- .create_namespace(namespace_name, None, None)
+ .create_namespace(namespace_name, None, None, None)
.await
.unwrap();
let namespaces = client.get_namespaces().await.unwrap();
@@ -195,7 +195,7 @@ async fn soft_deletion() {
let namespace_name = state.cluster().namespace();
let error = client
- .create_namespace(namespace_name, None, None)
+ .create_namespace(namespace_name, None, None, None)
.await
.unwrap_err();
assert_eq!(
diff --git a/influxdb_iox/tests/query_tests/cases.rs b/influxdb_iox/tests/query_tests/cases.rs
index 72cea7cbe8..bab8e3e13c 100644
--- a/influxdb_iox/tests/query_tests/cases.rs
+++ b/influxdb_iox/tests/query_tests/cases.rs
@@ -385,6 +385,18 @@ async fn bugs() {
.await;
}
+#[tokio::test]
+async fn custom_partitioning() {
+ test_helpers::maybe_start_logging();
+
+ TestCase {
+ input: "cases/in/custom_partitioning.sql",
+ chunk_stage: ChunkStage::Ingester,
+ }
+ .run()
+ .await;
+}
+
mod influxql {
use super::*;
diff --git a/influxdb_iox/tests/query_tests/cases/in/custom_partitioning.sql b/influxdb_iox/tests/query_tests/cases/in/custom_partitioning.sql
new file mode 100644
index 0000000000..11e1a1c3cc
--- /dev/null
+++ b/influxdb_iox/tests/query_tests/cases/in/custom_partitioning.sql
@@ -0,0 +1,109 @@
+-- Tests w/ custom partitioning
+-- IOX_SETUP: CustomPartitioning
+
+----------------------------------------
+-- table1
+----------------------------------------
+-- Partition template source: implicit when data was written
+-- Partition template: tag1|tag2
+-- #Partitions: 4
+
+-- all: all 4 parquet files
+-- IOX_COMPARE: sorted
+SELECT * FROM "table1";
+-- IOX_COMPARE: uuid
+EXPLAIN SELECT * FROM "table1";
+
+-- select based on tag1: 2 parquet files, others are pruned using the decoded partition key
+-- IOX_COMPARE: sorted
+SELECT * FROM "table1" WHERE tag1 = 'v1a';
+-- IOX_COMPARE: uuid
+EXPLAIN SELECT * FROM "table1" WHERE tag1 = 'v1a';
+
+-- select based on tag2: not part of the partition key, so all parquet files scanned
+-- IOX_COMPARE: sorted
+SELECT * FROM "table1" WHERE tag2 = 'v2a';
+-- IOX_COMPARE: uuid
+EXPLAIN SELECT * FROM "table1" WHERE tag2 = 'v2a';
+
+-- select based on tag3: 2 parquet files, others are pruned using the decoded partition key
+-- IOX_COMPARE: sorted
+SELECT * FROM "table1" WHERE tag3 = 'v3a';
+-- IOX_COMPARE: uuid
+EXPLAIN SELECT * FROM "table1" WHERE tag3 = 'v3a';
+
+-- select single partition
+-- IOX_COMPARE: sorted
+SELECT * FROM "table1" WHERE tag1 = 'v1a' AND tag3 = 'v3a';
+-- IOX_COMPARE: uuid
+EXPLAIN SELECT * FROM "table1" WHERE tag1 = 'v1a' AND tag3 = 'v3a';
+
+
+----------------------------------------
+-- table2
+----------------------------------------
+-- Partition template source: implicit when table was created via API (no override)
+-- Partition template: tag1|tag2
+-- #Partitions: 4
+
+-- all: all 4 parquet files
+-- IOX_COMPARE: sorted
+SELECT * FROM "table2";
+-- IOX_COMPARE: uuid
+EXPLAIN SELECT * FROM "table2";
+
+-- select based on tag1: 2 parquet files, others are pruned using the decoded partition key
+-- IOX_COMPARE: sorted
+SELECT * FROM "table2" WHERE tag1 = 'v1a';
+-- IOX_COMPARE: uuid
+EXPLAIN SELECT * FROM "table2" WHERE tag1 = 'v1a';
+
+-- select based on tag2: not part of the partition key, so all parquet files scanned
+-- IOX_COMPARE: sorted
+SELECT * FROM "table2" WHERE tag2 = 'v2a';
+-- IOX_COMPARE: uuid
+EXPLAIN SELECT * FROM "table2" WHERE tag2 = 'v2a';
+
+-- select based on tag3: 2 parquet files, others are pruned using the decoded partition key
+-- IOX_COMPARE: sorted
+SELECT * FROM "table2" WHERE tag3 = 'v3a';
+-- IOX_COMPARE: uuid
+EXPLAIN SELECT * FROM "table2" WHERE tag3 = 'v3a';
+
+-- select single partition
+-- IOX_COMPARE: sorted
+SELECT * FROM "table2" WHERE tag1 = 'v1a' AND tag3 = 'v3a';
+-- IOX_COMPARE: uuid
+EXPLAIN SELECT * FROM "table2" WHERE tag1 = 'v1a' AND tag3 = 'v3a';
+
+
+----------------------------------------
+-- table3
+----------------------------------------
+-- Partition template source: explicit override when table was created via API
+-- Partition template: tag2
+-- #Partitions: 2
+
+-- all: all 2 parquet files
+-- IOX_COMPARE: sorted
+SELECT * FROM "table3";
+-- IOX_COMPARE: uuid
+EXPLAIN SELECT * FROM "table3";
+
+-- select based on tag1: not part of the partition key, so all parquet files scanned
+-- IOX_COMPARE: sorted
+SELECT * FROM "table3" WHERE tag1 = 'v1a';
+-- IOX_COMPARE: uuid
+EXPLAIN SELECT * FROM "table3" WHERE tag1 = 'v1a';
+
+-- select based on tag2: 1 parquet files, others are pruned using the decoded partition key
+-- IOX_COMPARE: sorted
+SELECT * FROM "table3" WHERE tag2 = 'v2a';
+-- IOX_COMPARE: uuid
+EXPLAIN SELECT * FROM "table3" WHERE tag2 = 'v2a';
+
+-- select based on tag3: not part of the partition key, so all parquet files scanned
+-- IOX_COMPARE: sorted
+SELECT * FROM "table3" WHERE tag3 = 'v3a';
+-- IOX_COMPARE: uuid
+EXPLAIN SELECT * FROM "table3" WHERE tag3 = 'v3a';
diff --git a/influxdb_iox/tests/query_tests/cases/in/custom_partitioning.sql.expected b/influxdb_iox/tests/query_tests/cases/in/custom_partitioning.sql.expected
new file mode 100644
index 0000000000..5f28295b77
--- /dev/null
+++ b/influxdb_iox/tests/query_tests/cases/in/custom_partitioning.sql.expected
@@ -0,0 +1,297 @@
+-- Test Setup: CustomPartitioning
+-- SQL: SELECT * FROM "table1";
+-- Results After Sorting
++-----+------+------+------+--------------------------------+
+| f | tag1 | tag2 | tag3 | time |
++-----+------+------+------+--------------------------------+
+| 1.0 | v1a | v2a | v3a | 1970-01-01T00:00:00.000000011Z |
+| 1.0 | v1a | v2a | v3b | 1970-01-01T00:00:00.000000011Z |
+| 1.0 | v1a | v2b | v3a | 1970-01-01T00:00:00.000000011Z |
+| 1.0 | v1a | v2b | v3b | 1970-01-01T00:00:00.000000011Z |
+| 1.0 | v1b | v2a | v3a | 1970-01-01T00:00:00.000000011Z |
+| 1.0 | v1b | v2a | v3b | 1970-01-01T00:00:00.000000011Z |
+| 1.0 | v1b | v2b | v3a | 1970-01-01T00:00:00.000000011Z |
+| 1.0 | v1b | v2b | v3b | 1970-01-01T00:00:00.000000011Z |
++-----+------+------+------+--------------------------------+
+-- SQL: EXPLAIN SELECT * FROM "table1";
+-- Results After Normalizing UUIDs
+----------
+| plan_type | plan |
+----------
+| logical_plan | TableScan: table1 projection=[f, tag1, tag2, tag3, time] |
+| physical_plan | ParquetExec: file_groups={4 groups: [[1/1/1/00000000-0000-0000-0000-000000000000.parquet], [1/1/1/00000000-0000-0000-0000-000000000001.parquet], [1/1/1/00000000-0000-0000-0000-000000000002.parquet], [1/1/1/00000000-0000-0000-0000-000000000003.parquet]]}, projection=[f, tag1, tag2, tag3, time], output_ordering=[tag1@1 ASC, tag3@3 ASC, tag2@2 ASC, time@4 ASC] |
+| | |
+----------
+-- SQL: SELECT * FROM "table1" WHERE tag1 = 'v1a';
+-- Results After Sorting
++-----+------+------+------+--------------------------------+
+| f | tag1 | tag2 | tag3 | time |
++-----+------+------+------+--------------------------------+
+| 1.0 | v1a | v2a | v3a | 1970-01-01T00:00:00.000000011Z |
+| 1.0 | v1a | v2a | v3b | 1970-01-01T00:00:00.000000011Z |
+| 1.0 | v1a | v2b | v3a | 1970-01-01T00:00:00.000000011Z |
+| 1.0 | v1a | v2b | v3b | 1970-01-01T00:00:00.000000011Z |
++-----+------+------+------+--------------------------------+
+-- SQL: EXPLAIN SELECT * FROM "table1" WHERE tag1 = 'v1a';
+-- Results After Normalizing UUIDs
+----------
+| plan_type | plan |
+----------
+| logical_plan | TableScan: table1 projection=[f, tag1, tag2, tag3, time], full_filters=[table1.tag1 = Dictionary(Int32, Utf8("v1a"))] |
+| physical_plan | CoalesceBatchesExec: target_batch_size=8192 |
+| | FilterExec: tag1@1 = v1a |
+| | ParquetExec: file_groups={2 groups: [[1/1/1/00000000-0000-0000-0000-000000000000.parquet], [1/1/1/00000000-0000-0000-0000-000000000001.parquet]]}, projection=[f, tag1, tag2, tag3, time], output_ordering=[tag1@1 ASC, tag3@3 ASC, tag2@2 ASC, time@4 ASC], predicate=tag1@1 = v1a, pruning_predicate=tag1_min@0 <= v1a AND v1a <= tag1_max@1 |
+| | |
+----------
+-- SQL: SELECT * FROM "table1" WHERE tag2 = 'v2a';
+-- Results After Sorting
++-----+------+------+------+--------------------------------+
+| f | tag1 | tag2 | tag3 | time |
++-----+------+------+------+--------------------------------+
+| 1.0 | v1a | v2a | v3a | 1970-01-01T00:00:00.000000011Z |
+| 1.0 | v1a | v2a | v3b | 1970-01-01T00:00:00.000000011Z |
+| 1.0 | v1b | v2a | v3a | 1970-01-01T00:00:00.000000011Z |
+| 1.0 | v1b | v2a | v3b | 1970-01-01T00:00:00.000000011Z |
++-----+------+------+------+--------------------------------+
+-- SQL: EXPLAIN SELECT * FROM "table1" WHERE tag2 = 'v2a';
+-- Results After Normalizing UUIDs
+----------
+| plan_type | plan |
+----------
+| logical_plan | TableScan: table1 projection=[f, tag1, tag2, tag3, time], full_filters=[table1.tag2 = Dictionary(Int32, Utf8("v2a"))] |
+| physical_plan | CoalesceBatchesExec: target_batch_size=8192 |
+| | FilterExec: tag2@2 = v2a |
+| | ParquetExec: file_groups={4 groups: [[1/1/1/00000000-0000-0000-0000-000000000000.parquet], [1/1/1/00000000-0000-0000-0000-000000000001.parquet], [1/1/1/00000000-0000-0000-0000-000000000002.parquet], [1/1/1/00000000-0000-0000-0000-000000000003.parquet]]}, projection=[f, tag1, tag2, tag3, time], output_ordering=[tag1@1 ASC, tag3@3 ASC, tag2@2 ASC, time@4 ASC], predicate=tag2@2 = v2a, pruning_predicate=tag2_min@0 <= v2a AND v2a <= tag2_max@1 |
+| | |
+----------
+-- SQL: SELECT * FROM "table1" WHERE tag3 = 'v3a';
+-- Results After Sorting
++-----+------+------+------+--------------------------------+
+| f | tag1 | tag2 | tag3 | time |
++-----+------+------+------+--------------------------------+
+| 1.0 | v1a | v2a | v3a | 1970-01-01T00:00:00.000000011Z |
+| 1.0 | v1a | v2b | v3a | 1970-01-01T00:00:00.000000011Z |
+| 1.0 | v1b | v2a | v3a | 1970-01-01T00:00:00.000000011Z |
+| 1.0 | v1b | v2b | v3a | 1970-01-01T00:00:00.000000011Z |
++-----+------+------+------+--------------------------------+
+-- SQL: EXPLAIN SELECT * FROM "table1" WHERE tag3 = 'v3a';
+-- Results After Normalizing UUIDs
+----------
+| plan_type | plan |
+----------
+| logical_plan | TableScan: table1 projection=[f, tag1, tag2, tag3, time], full_filters=[table1.tag3 = Dictionary(Int32, Utf8("v3a"))] |
+| physical_plan | CoalesceBatchesExec: target_batch_size=8192 |
+| | FilterExec: tag3@3 = v3a |
+| | ParquetExec: file_groups={2 groups: [[1/1/1/00000000-0000-0000-0000-000000000000.parquet], [1/1/1/00000000-0000-0000-0000-000000000001.parquet]]}, projection=[f, tag1, tag2, tag3, time], output_ordering=[tag1@1 ASC, tag3@3 ASC, tag2@2 ASC, time@4 ASC], predicate=tag3@3 = v3a, pruning_predicate=tag3_min@0 <= v3a AND v3a <= tag3_max@1 |
+| | |
+----------
+-- SQL: SELECT * FROM "table1" WHERE tag1 = 'v1a' AND tag3 = 'v3a';
+-- Results After Sorting
++-----+------+------+------+--------------------------------+
+| f | tag1 | tag2 | tag3 | time |
++-----+------+------+------+--------------------------------+
+| 1.0 | v1a | v2a | v3a | 1970-01-01T00:00:00.000000011Z |
+| 1.0 | v1a | v2b | v3a | 1970-01-01T00:00:00.000000011Z |
++-----+------+------+------+--------------------------------+
+-- SQL: EXPLAIN SELECT * FROM "table1" WHERE tag1 = 'v1a' AND tag3 = 'v3a';
+-- Results After Normalizing UUIDs
+----------
+| plan_type | plan |
+----------
+| logical_plan | TableScan: table1 projection=[f, tag1, tag2, tag3, time], full_filters=[table1.tag1 = Dictionary(Int32, Utf8("v1a")), table1.tag3 = Dictionary(Int32, Utf8("v3a"))] |
+| physical_plan | CoalesceBatchesExec: target_batch_size=8192 |
+| | FilterExec: tag1@1 = v1a AND tag3@3 = v3a |
+| | ParquetExec: file_groups={1 group: [[1/1/1/00000000-0000-0000-0000-000000000000.parquet]]}, projection=[f, tag1, tag2, tag3, time], output_ordering=[tag1@1 ASC, tag3@3 ASC, tag2@2 ASC, time@4 ASC], predicate=tag1@1 = v1a AND tag3@3 = v3a, pruning_predicate=tag1_min@0 <= v1a AND v1a <= tag1_max@1 AND tag3_min@2 <= v3a AND v3a <= tag3_max@3 |
+| | |
+----------
+-- SQL: SELECT * FROM "table2";
+-- Results After Sorting
++-----+------+------+------+--------------------------------+
+| f | tag1 | tag2 | tag3 | time |
++-----+------+------+------+--------------------------------+
+| 1.0 | v1a | v2a | v3a | 1970-01-01T00:00:00.000000011Z |
+| 1.0 | v1a | v2a | v3b | 1970-01-01T00:00:00.000000011Z |
+| 1.0 | v1a | v2b | v3a | 1970-01-01T00:00:00.000000011Z |
+| 1.0 | v1a | v2b | v3b | 1970-01-01T00:00:00.000000011Z |
+| 1.0 | v1b | v2a | v3a | 1970-01-01T00:00:00.000000011Z |
+| 1.0 | v1b | v2a | v3b | 1970-01-01T00:00:00.000000011Z |
+| 1.0 | v1b | v2b | v3a | 1970-01-01T00:00:00.000000011Z |
+| 1.0 | v1b | v2b | v3b | 1970-01-01T00:00:00.000000011Z |
++-----+------+------+------+--------------------------------+
+-- SQL: EXPLAIN SELECT * FROM "table2";
+-- Results After Normalizing UUIDs
+----------
+| plan_type | plan |
+----------
+| logical_plan | TableScan: table2 projection=[f, tag1, tag2, tag3, time] |
+| physical_plan | ParquetExec: file_groups={4 groups: [[1/1/1/00000000-0000-0000-0000-000000000000.parquet], [1/1/1/00000000-0000-0000-0000-000000000001.parquet], [1/1/1/00000000-0000-0000-0000-000000000002.parquet], [1/1/1/00000000-0000-0000-0000-000000000003.parquet]]}, projection=[f, tag1, tag2, tag3, time], output_ordering=[tag1@1 ASC, tag3@3 ASC, tag2@2 ASC, time@4 ASC] |
+| | |
+----------
+-- SQL: SELECT * FROM "table2" WHERE tag1 = 'v1a';
+-- Results After Sorting
++-----+------+------+------+--------------------------------+
+| f | tag1 | tag2 | tag3 | time |
++-----+------+------+------+--------------------------------+
+| 1.0 | v1a | v2a | v3a | 1970-01-01T00:00:00.000000011Z |
+| 1.0 | v1a | v2a | v3b | 1970-01-01T00:00:00.000000011Z |
+| 1.0 | v1a | v2b | v3a | 1970-01-01T00:00:00.000000011Z |
+| 1.0 | v1a | v2b | v3b | 1970-01-01T00:00:00.000000011Z |
++-----+------+------+------+--------------------------------+
+-- SQL: EXPLAIN SELECT * FROM "table2" WHERE tag1 = 'v1a';
+-- Results After Normalizing UUIDs
+----------
+| plan_type | plan |
+----------
+| logical_plan | TableScan: table2 projection=[f, tag1, tag2, tag3, time], full_filters=[table2.tag1 = Dictionary(Int32, Utf8("v1a"))] |
+| physical_plan | CoalesceBatchesExec: target_batch_size=8192 |
+| | FilterExec: tag1@1 = v1a |
+| | ParquetExec: file_groups={2 groups: [[1/1/1/00000000-0000-0000-0000-000000000000.parquet], [1/1/1/00000000-0000-0000-0000-000000000001.parquet]]}, projection=[f, tag1, tag2, tag3, time], output_ordering=[tag1@1 ASC, tag3@3 ASC, tag2@2 ASC, time@4 ASC], predicate=tag1@1 = v1a, pruning_predicate=tag1_min@0 <= v1a AND v1a <= tag1_max@1 |
+| | |
+----------
+-- SQL: SELECT * FROM "table2" WHERE tag2 = 'v2a';
+-- Results After Sorting
++-----+------+------+------+--------------------------------+
+| f | tag1 | tag2 | tag3 | time |
++-----+------+------+------+--------------------------------+
+| 1.0 | v1a | v2a | v3a | 1970-01-01T00:00:00.000000011Z |
+| 1.0 | v1a | v2a | v3b | 1970-01-01T00:00:00.000000011Z |
+| 1.0 | v1b | v2a | v3a | 1970-01-01T00:00:00.000000011Z |
+| 1.0 | v1b | v2a | v3b | 1970-01-01T00:00:00.000000011Z |
++-----+------+------+------+--------------------------------+
+-- SQL: EXPLAIN SELECT * FROM "table2" WHERE tag2 = 'v2a';
+-- Results After Normalizing UUIDs
+----------
+| plan_type | plan |
+----------
+| logical_plan | TableScan: table2 projection=[f, tag1, tag2, tag3, time], full_filters=[table2.tag2 = Dictionary(Int32, Utf8("v2a"))] |
+| physical_plan | CoalesceBatchesExec: target_batch_size=8192 |
+| | FilterExec: tag2@2 = v2a |
+| | ParquetExec: file_groups={4 groups: [[1/1/1/00000000-0000-0000-0000-000000000000.parquet], [1/1/1/00000000-0000-0000-0000-000000000001.parquet], [1/1/1/00000000-0000-0000-0000-000000000002.parquet], [1/1/1/00000000-0000-0000-0000-000000000003.parquet]]}, projection=[f, tag1, tag2, tag3, time], output_ordering=[tag1@1 ASC, tag3@3 ASC, tag2@2 ASC, time@4 ASC], predicate=tag2@2 = v2a, pruning_predicate=tag2_min@0 <= v2a AND v2a <= tag2_max@1 |
+| | |
+----------
+-- SQL: SELECT * FROM "table2" WHERE tag3 = 'v3a';
+-- Results After Sorting
++-----+------+------+------+--------------------------------+
+| f | tag1 | tag2 | tag3 | time |
++-----+------+------+------+--------------------------------+
+| 1.0 | v1a | v2a | v3a | 1970-01-01T00:00:00.000000011Z |
+| 1.0 | v1a | v2b | v3a | 1970-01-01T00:00:00.000000011Z |
+| 1.0 | v1b | v2a | v3a | 1970-01-01T00:00:00.000000011Z |
+| 1.0 | v1b | v2b | v3a | 1970-01-01T00:00:00.000000011Z |
++-----+------+------+------+--------------------------------+
+-- SQL: EXPLAIN SELECT * FROM "table2" WHERE tag3 = 'v3a';
+-- Results After Normalizing UUIDs
+----------
+| plan_type | plan |
+----------
+| logical_plan | TableScan: table2 projection=[f, tag1, tag2, tag3, time], full_filters=[table2.tag3 = Dictionary(Int32, Utf8("v3a"))] |
+| physical_plan | CoalesceBatchesExec: target_batch_size=8192 |
+| | FilterExec: tag3@3 = v3a |
+| | ParquetExec: file_groups={2 groups: [[1/1/1/00000000-0000-0000-0000-000000000000.parquet], [1/1/1/00000000-0000-0000-0000-000000000001.parquet]]}, projection=[f, tag1, tag2, tag3, time], output_ordering=[tag1@1 ASC, tag3@3 ASC, tag2@2 ASC, time@4 ASC], predicate=tag3@3 = v3a, pruning_predicate=tag3_min@0 <= v3a AND v3a <= tag3_max@1 |
+| | |
+----------
+-- SQL: SELECT * FROM "table2" WHERE tag1 = 'v1a' AND tag3 = 'v3a';
+-- Results After Sorting
++-----+------+------+------+--------------------------------+
+| f | tag1 | tag2 | tag3 | time |
++-----+------+------+------+--------------------------------+
+| 1.0 | v1a | v2a | v3a | 1970-01-01T00:00:00.000000011Z |
+| 1.0 | v1a | v2b | v3a | 1970-01-01T00:00:00.000000011Z |
++-----+------+------+------+--------------------------------+
+-- SQL: EXPLAIN SELECT * FROM "table2" WHERE tag1 = 'v1a' AND tag3 = 'v3a';
+-- Results After Normalizing UUIDs
+----------
+| plan_type | plan |
+----------
+| logical_plan | TableScan: table2 projection=[f, tag1, tag2, tag3, time], full_filters=[table2.tag1 = Dictionary(Int32, Utf8("v1a")), table2.tag3 = Dictionary(Int32, Utf8("v3a"))] |
+| physical_plan | CoalesceBatchesExec: target_batch_size=8192 |
+| | FilterExec: tag1@1 = v1a AND tag3@3 = v3a |
+| | ParquetExec: file_groups={1 group: [[1/1/1/00000000-0000-0000-0000-000000000000.parquet]]}, projection=[f, tag1, tag2, tag3, time], output_ordering=[tag1@1 ASC, tag3@3 ASC, tag2@2 ASC, time@4 ASC], predicate=tag1@1 = v1a AND tag3@3 = v3a, pruning_predicate=tag1_min@0 <= v1a AND v1a <= tag1_max@1 AND tag3_min@2 <= v3a AND v3a <= tag3_max@3 |
+| | |
+----------
+-- SQL: SELECT * FROM "table3";
+-- Results After Sorting
++-----+------+------+------+--------------------------------+
+| f | tag1 | tag2 | tag3 | time |
++-----+------+------+------+--------------------------------+
+| 1.0 | v1a | v2a | v3a | 1970-01-01T00:00:00.000000011Z |
+| 1.0 | v1a | v2a | v3b | 1970-01-01T00:00:00.000000011Z |
+| 1.0 | v1a | v2b | v3a | 1970-01-01T00:00:00.000000011Z |
+| 1.0 | v1a | v2b | v3b | 1970-01-01T00:00:00.000000011Z |
+| 1.0 | v1b | v2a | v3a | 1970-01-01T00:00:00.000000011Z |
+| 1.0 | v1b | v2a | v3b | 1970-01-01T00:00:00.000000011Z |
+| 1.0 | v1b | v2b | v3a | 1970-01-01T00:00:00.000000011Z |
+| 1.0 | v1b | v2b | v3b | 1970-01-01T00:00:00.000000011Z |
++-----+------+------+------+--------------------------------+
+-- SQL: EXPLAIN SELECT * FROM "table3";
+-- Results After Normalizing UUIDs
+----------
+| plan_type | plan |
+----------
+| logical_plan | TableScan: table3 projection=[f, tag1, tag2, tag3, time] |
+| physical_plan | ParquetExec: file_groups={2 groups: [[1/1/1/00000000-0000-0000-0000-000000000000.parquet], [1/1/1/00000000-0000-0000-0000-000000000001.parquet]]}, projection=[f, tag1, tag2, tag3, time], output_ordering=[tag2@2 ASC, tag1@1 ASC, tag3@3 ASC, time@4 ASC] |
+| | |
+----------
+-- SQL: SELECT * FROM "table3" WHERE tag1 = 'v1a';
+-- Results After Sorting
++-----+------+------+------+--------------------------------+
+| f | tag1 | tag2 | tag3 | time |
++-----+------+------+------+--------------------------------+
+| 1.0 | v1a | v2a | v3a | 1970-01-01T00:00:00.000000011Z |
+| 1.0 | v1a | v2a | v3b | 1970-01-01T00:00:00.000000011Z |
+| 1.0 | v1a | v2b | v3a | 1970-01-01T00:00:00.000000011Z |
+| 1.0 | v1a | v2b | v3b | 1970-01-01T00:00:00.000000011Z |
++-----+------+------+------+--------------------------------+
+-- SQL: EXPLAIN SELECT * FROM "table3" WHERE tag1 = 'v1a';
+-- Results After Normalizing UUIDs
+----------
+| plan_type | plan |
+----------
+| logical_plan | TableScan: table3 projection=[f, tag1, tag2, tag3, time], full_filters=[table3.tag1 = Dictionary(Int32, Utf8("v1a"))] |
+| physical_plan | CoalesceBatchesExec: target_batch_size=8192 |
+| | FilterExec: tag1@1 = v1a |
+| | ParquetExec: file_groups={2 groups: [[1/1/1/00000000-0000-0000-0000-000000000000.parquet], [1/1/1/00000000-0000-0000-0000-000000000001.parquet]]}, projection=[f, tag1, tag2, tag3, time], output_ordering=[tag2@2 ASC, tag1@1 ASC, tag3@3 ASC, time@4 ASC], predicate=tag1@1 = v1a, pruning_predicate=tag1_min@0 <= v1a AND v1a <= tag1_max@1 |
+| | |
+----------
+-- SQL: SELECT * FROM "table3" WHERE tag2 = 'v2a';
+-- Results After Sorting
++-----+------+------+------+--------------------------------+
+| f | tag1 | tag2 | tag3 | time |
++-----+------+------+------+--------------------------------+
+| 1.0 | v1a | v2a | v3a | 1970-01-01T00:00:00.000000011Z |
+| 1.0 | v1a | v2a | v3b | 1970-01-01T00:00:00.000000011Z |
+| 1.0 | v1b | v2a | v3a | 1970-01-01T00:00:00.000000011Z |
+| 1.0 | v1b | v2a | v3b | 1970-01-01T00:00:00.000000011Z |
++-----+------+------+------+--------------------------------+
+-- SQL: EXPLAIN SELECT * FROM "table3" WHERE tag2 = 'v2a';
+-- Results After Normalizing UUIDs
+----------
+| plan_type | plan |
+----------
+| logical_plan | TableScan: table3 projection=[f, tag1, tag2, tag3, time], full_filters=[table3.tag2 = Dictionary(Int32, Utf8("v2a"))] |
+| physical_plan | CoalesceBatchesExec: target_batch_size=8192 |
+| | FilterExec: tag2@2 = v2a |
+| | ParquetExec: file_groups={1 group: [[1/1/1/00000000-0000-0000-0000-000000000000.parquet]]}, projection=[f, tag1, tag2, tag3, time], output_ordering=[tag2@2 ASC, tag1@1 ASC, tag3@3 ASC, time@4 ASC], predicate=tag2@2 = v2a, pruning_predicate=tag2_min@0 <= v2a AND v2a <= tag2_max@1 |
+| | |
+----------
+-- SQL: SELECT * FROM "table3" WHERE tag3 = 'v3a';
+-- Results After Sorting
++-----+------+------+------+--------------------------------+
+| f | tag1 | tag2 | tag3 | time |
++-----+------+------+------+--------------------------------+
+| 1.0 | v1a | v2a | v3a | 1970-01-01T00:00:00.000000011Z |
+| 1.0 | v1a | v2b | v3a | 1970-01-01T00:00:00.000000011Z |
+| 1.0 | v1b | v2a | v3a | 1970-01-01T00:00:00.000000011Z |
+| 1.0 | v1b | v2b | v3a | 1970-01-01T00:00:00.000000011Z |
++-----+------+------+------+--------------------------------+
+-- SQL: EXPLAIN SELECT * FROM "table3" WHERE tag3 = 'v3a';
+-- Results After Normalizing UUIDs
+----------
+| plan_type | plan |
+----------
+| logical_plan | TableScan: table3 projection=[f, tag1, tag2, tag3, time], full_filters=[table3.tag3 = Dictionary(Int32, Utf8("v3a"))] |
+| physical_plan | CoalesceBatchesExec: target_batch_size=8192 |
+| | FilterExec: tag3@3 = v3a |
+| | ParquetExec: file_groups={2 groups: [[1/1/1/00000000-0000-0000-0000-000000000000.parquet], [1/1/1/00000000-0000-0000-0000-000000000001.parquet]]}, projection=[f, tag1, tag2, tag3, time], output_ordering=[tag2@2 ASC, tag1@1 ASC, tag3@3 ASC, time@4 ASC], predicate=tag3@3 = v3a, pruning_predicate=tag3_min@0 <= v3a AND v3a <= tag3_max@1 |
+| | |
+----------
\ No newline at end of file
diff --git a/influxdb_iox/tests/query_tests/setups.rs b/influxdb_iox/tests/query_tests/setups.rs
index c5fc80bcf4..5bdc5c216f 100644
--- a/influxdb_iox/tests/query_tests/setups.rs
+++ b/influxdb_iox/tests/query_tests/setups.rs
@@ -5,10 +5,12 @@
//! -- IOX_SETUP: [test name]
//! ```
+use futures_util::FutureExt;
+use influxdb_iox_client::table::generated_types::{Part, PartitionTemplate, TemplatePart};
use iox_time::{SystemProvider, Time, TimeProvider};
use once_cell::sync::Lazy;
use std::collections::HashMap;
-use test_helpers_end_to_end::Step;
+use test_helpers_end_to_end::{Step, StepTestState};
/// The string value that will appear in `.sql` files.
pub type SetupName = &'static str;
@@ -1389,6 +1391,90 @@ pub static SETUPS: Lazy<HashMap<SetupName, SetupSteps>> = Lazy::new(|| {
})
.collect::<Vec<_>>(),
),
+ (
+ "CustomPartitioning",
+ [
+ Step::Custom(Box::new(move |state: &mut StepTestState| {
+ async move {
+ let namespace_name = state.cluster().namespace();
+
+ let mut namespace_client = influxdb_iox_client::namespace::Client::new(
+ state.cluster().router().router_grpc_connection(),
+ );
+ namespace_client
+ .create_namespace(namespace_name, None, None, Some(PartitionTemplate{
+ parts: vec![
+ TemplatePart{
+ part: Some(Part::TagValue("tag1".into())),
+ },
+ TemplatePart{
+ part: Some(Part::TagValue("tag3".into())),
+ },
+ ],
+ }))
+ .await
+ .unwrap();
+
+ let mut table_client = influxdb_iox_client::table::Client::new(
+ state.cluster().router().router_grpc_connection(),
+ );
+
+ // table1: create implicitly by writing to it
+
+ // table2: do not override partition template => use namespace template
+ table_client.create_table(
+ namespace_name,
+ "table2",
+ None,
+ ).await.unwrap();
+
+ // table3: overide namespace template
+ table_client.create_table(
+ namespace_name,
+ "table3",
+ Some(PartitionTemplate{
+ parts: vec![
+ TemplatePart{
+ part: Some(Part::TagValue("tag2".into())),
+ },
+ ],
+ }),
+ ).await.unwrap();
+ }
+ .boxed()
+ })),
+ ].into_iter()
+ .chain(
+ (1..=3).flat_map(|tid| {
+ [
+ Step::RecordNumParquetFiles,
+ Step::WriteLineProtocol(
+ [
+ format!("table{tid},tag1=v1a,tag2=v2a,tag3=v3a f=1 11"),
+ format!("table{tid},tag1=v1b,tag2=v2a,tag3=v3a f=1 11"),
+ format!("table{tid},tag1=v1a,tag2=v2b,tag3=v3a f=1 11"),
+ format!("table{tid},tag1=v1b,tag2=v2b,tag3=v3a f=1 11"),
+ format!("table{tid},tag1=v1a,tag2=v2a,tag3=v3b f=1 11"),
+ format!("table{tid},tag1=v1b,tag2=v2a,tag3=v3b f=1 11"),
+ format!("table{tid},tag1=v1a,tag2=v2b,tag3=v3b f=1 11"),
+ format!("table{tid},tag1=v1b,tag2=v2b,tag3=v3b f=1 11"),
+ ]
+ .join("\n"),
+ ),
+ Step::Persist,
+ Step::WaitForPersisted {
+ expected_increase: match tid {
+ 1 => 4,
+ 2 => 4,
+ 3 => 2,
+ _ => unreachable!(),
+ },
+ },
+ ].into_iter()
+ })
+ )
+ .collect(),
+ ),
])
});
diff --git a/influxdb_iox_client/src/client.rs b/influxdb_iox_client/src/client.rs
index 7d93924a5e..bcfe331366 100644
--- a/influxdb_iox_client/src/client.rs
+++ b/influxdb_iox_client/src/client.rs
@@ -33,6 +33,9 @@ pub mod schema;
/// Client for interacting with a remote object store
pub mod store;
+/// Client for table API
+pub mod table;
+
/// Client for testing purposes.
pub mod test;
diff --git a/influxdb_iox_client/src/client/namespace.rs b/influxdb_iox_client/src/client/namespace.rs
index 5db10b2046..16391d5b56 100644
--- a/influxdb_iox_client/src/client/namespace.rs
+++ b/influxdb_iox_client/src/client/namespace.rs
@@ -7,8 +7,9 @@ use ::generated_types::google::OptionalField;
/// Re-export generated_types
pub mod generated_types {
- pub use generated_types::influxdata::iox::namespace::v1::{
- update_namespace_service_protection_limit_request::LimitUpdate, *,
+ pub use generated_types::influxdata::iox::{
+ namespace::v1::{update_namespace_service_protection_limit_request::LimitUpdate, *},
+ partition_template::v1::{template_part::*, *},
};
}
@@ -45,13 +46,14 @@ impl Client {
namespace: &str,
retention_period_ns: Option<i64>,
service_protection_limits: Option<ServiceProtectionLimits>,
+ partition_template: Option<PartitionTemplate>,
) -> Result<Namespace, Error> {
let response = self
.inner
.create_namespace(CreateNamespaceRequest {
name: namespace.to_string(),
retention_period_ns,
- partition_template: None,
+ partition_template,
service_protection_limits,
})
.await?;
diff --git a/influxdb_iox_client/src/client/table.rs b/influxdb_iox_client/src/client/table.rs
new file mode 100644
index 0000000000..ff6a5a0e02
--- /dev/null
+++ b/influxdb_iox_client/src/client/table.rs
@@ -0,0 +1,48 @@
+use client_util::connection::GrpcConnection;
+
+use self::generated_types::{table_service_client::TableServiceClient, *};
+use crate::connection::Connection;
+use crate::error::Error;
+use ::generated_types::google::OptionalField;
+
+/// Re-export generated_types
+pub mod generated_types {
+ pub use generated_types::influxdata::iox::{
+ partition_template::v1::{template_part::*, *},
+ table::v1::*,
+ };
+}
+
+/// A basic client for working with Tables.
+#[derive(Debug, Clone)]
+pub struct Client {
+ inner: TableServiceClient<GrpcConnection>,
+}
+
+impl Client {
+ /// Creates a new client with the provided connection
+ pub fn new(connection: Connection) -> Self {
+ Self {
+ inner: TableServiceClient::new(connection.into_grpc_connection()),
+ }
+ }
+
+ /// Create a table
+ pub async fn create_table(
+ &mut self,
+ namespace: &str,
+ table: &str,
+ partition_template: Option<PartitionTemplate>,
+ ) -> Result<Table, Error> {
+ let response = self
+ .inner
+ .create_table(CreateTableRequest {
+ name: table.to_string(),
+ namespace: namespace.to_string(),
+ partition_template,
+ })
+ .await?;
+
+ Ok(response.into_inner().table.unwrap_field("table")?)
+ }
+}
diff --git a/querier/src/cache/partition.rs b/querier/src/cache/partition.rs
index 880cb813f9..c232b47d83 100644
--- a/querier/src/cache/partition.rs
+++ b/querier/src/cache/partition.rs
@@ -26,6 +26,8 @@ use std::{
};
use trace::span::Span;
+use crate::df_stats::{ColumnRange, ColumnRanges};
+
use super::{namespace::CachedTable, ram::RamSize};
const CACHE_ID: &str = "partition";
@@ -146,7 +148,6 @@ impl PartitionCache {
}
/// Get known column ranges.
- #[allow(dead_code)]
pub async fn column_ranges(
&self,
cached_table: Arc<CachedTable>,
@@ -160,20 +161,6 @@ impl PartitionCache {
}
}
-/// Represent known min/max values for a specific column.
-#[derive(Debug, Clone, PartialEq, Eq)]
-pub struct ColumnRange {
- pub min_value: Arc<ScalarValue>,
- pub max_value: Arc<ScalarValue>,
-}
-
-/// Represents the known min/max values for a subset (not all) of the columns in a partition.
-///
-/// The values may not actually in any row.
-///
-/// These ranges apply to ALL rows (esp. in ALL files and ingester chunks) within in given partition.
-pub type ColumnRanges = Arc<HashMap<Arc<str>, ColumnRange>>;
-
#[derive(Debug, Clone)]
struct CachedPartition {
sort_key: Option<Arc<PartitionSortKey>>,
diff --git a/querier/src/df_stats.rs b/querier/src/df_stats.rs
new file mode 100644
index 0000000000..6716be49af
--- /dev/null
+++ b/querier/src/df_stats.rs
@@ -0,0 +1,200 @@
+//! Tools to set up DataFusion statistics.
+
+use std::{collections::HashMap, sync::Arc};
+
+use data_types::TimestampMinMax;
+use datafusion::{
+ physical_plan::{ColumnStatistics, Statistics},
+ scalar::ScalarValue,
+};
+use schema::{InfluxColumnType, Schema};
+
+/// Represent known min/max values for a specific column.
+#[derive(Debug, Clone, PartialEq, Eq)]
+pub struct ColumnRange {
+ pub min_value: Arc<ScalarValue>,
+ pub max_value: Arc<ScalarValue>,
+}
+
+/// Represents the known min/max values for a subset (not all) of the columns in a partition.
+///
+/// The values may not actually in any row.
+///
+/// These ranges apply to ALL rows (esp. in ALL files and ingester chunks) within in given partition.
+pub type ColumnRanges = Arc<HashMap<Arc<str>, ColumnRange>>;
+
+/// Create chunk [statistics](Statistics).
+pub fn create_chunk_statistics(
+ row_count: u64,
+ schema: &Schema,
+ ts_min_max: TimestampMinMax,
+ ranges: &ColumnRanges,
+) -> Statistics {
+ let mut columns = Vec::with_capacity(schema.len());
+
+ for (t, field) in schema.iter() {
+ let stats = match t {
+ InfluxColumnType::Timestamp => ColumnStatistics {
+ null_count: Some(0),
+ max_value: Some(ScalarValue::TimestampNanosecond(Some(ts_min_max.max), None)),
+ min_value: Some(ScalarValue::TimestampNanosecond(Some(ts_min_max.min), None)),
+ distinct_count: None,
+ },
+ _ => ranges
+ .get::<str>(field.name().as_ref())
+ .map(|range| ColumnStatistics {
+ null_count: None,
+ max_value: Some(range.max_value.as_ref().clone()),
+ min_value: Some(range.min_value.as_ref().clone()),
+ distinct_count: None,
+ })
+ .unwrap_or_default(),
+ };
+ columns.push(stats)
+ }
+
+ Statistics {
+ num_rows: Some(row_count as usize),
+ total_byte_size: None,
+ column_statistics: Some(columns),
+ is_exact: true,
+ }
+}
+
+#[cfg(test)]
+mod tests {
+ use schema::{InfluxFieldType, SchemaBuilder, TIME_COLUMN_NAME};
+
+ use super::*;
+
+ #[test]
+ fn test_create_chunk_statistics_no_columns_no_rows() {
+ let schema = SchemaBuilder::new().build().unwrap();
+ let row_count = 0;
+ let ts_min_max = TimestampMinMax { min: 10, max: 20 };
+
+ let actual = create_chunk_statistics(row_count, &schema, ts_min_max, &Default::default());
+ let expected = Statistics {
+ num_rows: Some(row_count as usize),
+ total_byte_size: None,
+ column_statistics: Some(vec![]),
+ is_exact: true,
+ };
+ assert_eq!(actual, expected);
+ }
+
+ #[test]
+ fn test_create_chunk_statistics() {
+ let schema = full_schema();
+ let ts_min_max = TimestampMinMax { min: 10, max: 20 };
+ let ranges = Arc::new(HashMap::from([
+ (
+ Arc::from("tag1"),
+ ColumnRange {
+ min_value: Arc::new(ScalarValue::from("aaa")),
+ max_value: Arc::new(ScalarValue::from("bbb")),
+ },
+ ),
+ (
+ Arc::from("tag3"), // does not exist in schema
+ ColumnRange {
+ min_value: Arc::new(ScalarValue::from("ccc")),
+ max_value: Arc::new(ScalarValue::from("ddd")),
+ },
+ ),
+ (
+ Arc::from("field_integer"),
+ ColumnRange {
+ min_value: Arc::new(ScalarValue::from(10i64)),
+ max_value: Arc::new(ScalarValue::from(20i64)),
+ },
+ ),
+ ]));
+
+ for row_count in [0u64, 1337u64] {
+ let actual = create_chunk_statistics(row_count, &schema, ts_min_max, &ranges);
+ let expected = Statistics {
+ num_rows: Some(row_count as usize),
+ total_byte_size: None,
+ column_statistics: Some(vec![
+ ColumnStatistics {
+ null_count: None,
+ min_value: Some(ScalarValue::from("aaa")),
+ max_value: Some(ScalarValue::from("bbb")),
+ distinct_count: None,
+ },
+ ColumnStatistics::default(),
+ ColumnStatistics::default(),
+ ColumnStatistics::default(),
+ ColumnStatistics {
+ null_count: None,
+ min_value: Some(ScalarValue::from(10i64)),
+ max_value: Some(ScalarValue::from(20i64)),
+ distinct_count: None,
+ },
+ ColumnStatistics::default(),
+ ColumnStatistics::default(),
+ ColumnStatistics {
+ null_count: Some(0),
+ min_value: Some(ScalarValue::TimestampNanosecond(Some(10), None)),
+ max_value: Some(ScalarValue::TimestampNanosecond(Some(20), None)),
+ distinct_count: None,
+ },
+ ]),
+ is_exact: true,
+ };
+ assert_eq!(actual, expected);
+ }
+ }
+
+ #[test]
+ fn test_create_chunk_statistics_ts_min_max_overrides_column_range() {
+ let schema = full_schema();
+ let row_count = 42u64;
+ let ts_min_max = TimestampMinMax { min: 10, max: 20 };
+ let ranges = Arc::new(HashMap::from([(
+ Arc::from(TIME_COLUMN_NAME),
+ ColumnRange {
+ min_value: Arc::new(ScalarValue::TimestampNanosecond(Some(12), None)),
+ max_value: Arc::new(ScalarValue::TimestampNanosecond(Some(22), None)),
+ },
+ )]));
+
+ let actual = create_chunk_statistics(row_count, &schema, ts_min_max, &ranges);
+ let expected = Statistics {
+ num_rows: Some(row_count as usize),
+ total_byte_size: None,
+ column_statistics: Some(vec![
+ ColumnStatistics::default(),
+ ColumnStatistics::default(),
+ ColumnStatistics::default(),
+ ColumnStatistics::default(),
+ ColumnStatistics::default(),
+ ColumnStatistics::default(),
+ ColumnStatistics::default(),
+ ColumnStatistics {
+ null_count: Some(0),
+ min_value: Some(ScalarValue::TimestampNanosecond(Some(10), None)),
+ max_value: Some(ScalarValue::TimestampNanosecond(Some(20), None)),
+ distinct_count: None,
+ },
+ ]),
+ is_exact: true,
+ };
+ assert_eq!(actual, expected);
+ }
+
+ fn full_schema() -> Schema {
+ SchemaBuilder::new()
+ .tag("tag1")
+ .tag("tag2")
+ .influx_field("field_bool", InfluxFieldType::Boolean)
+ .influx_field("field_float", InfluxFieldType::Float)
+ .influx_field("field_integer", InfluxFieldType::Integer)
+ .influx_field("field_string", InfluxFieldType::String)
+ .influx_field("field_uinteger", InfluxFieldType::UInteger)
+ .timestamp()
+ .build()
+ .unwrap()
+ }
+}
diff --git a/querier/src/ingester/mod.rs b/querier/src/ingester/mod.rs
index 4b1d9b9825..3e634bfc6f 100644
--- a/querier/src/ingester/mod.rs
+++ b/querier/src/ingester/mod.rs
@@ -6,7 +6,10 @@ use self::{
invalidate_on_error::InvalidateOnErrorFlightClient,
test_util::MockIngesterConnection,
};
-use crate::cache::{namespace::CachedTable, CatalogCache};
+use crate::{
+ cache::{namespace::CachedTable, CatalogCache},
+ df_stats::{create_chunk_statistics, ColumnRanges},
+};
use arrow::{datatypes::DataType, error::ArrowError, record_batch::RecordBatch};
use arrow_flight::decode::DecodedPayload;
use async_trait::async_trait;
@@ -21,7 +24,7 @@ use ingester_query_grpc::{
};
use iox_query::{
exec::{stringset::StringSet, IOxSessionContext},
- util::{compute_timenanosecond_min_max, create_basic_summary},
+ util::compute_timenanosecond_min_max,
QueryChunk, QueryChunkData, QueryChunkMeta,
};
use iox_time::{Time, TimeProvider};
@@ -314,6 +317,7 @@ pub struct IngesterConnectionImpl {
unique_ingester_addresses: HashSet<Arc<str>>,
flight_client: Arc<dyn IngesterFlightClient>,
time_provider: Arc<dyn TimeProvider>,
+ catalog_cache: Arc<CatalogCache>,
metrics: Arc<IngesterConnectionMetrics>,
backoff_config: BackoffConfig,
}
@@ -362,6 +366,7 @@ impl IngesterConnectionImpl {
unique_ingester_addresses: ingester_addresses.into_iter().collect(),
flight_client,
time_provider: catalog_cache.time_provider(),
+ catalog_cache,
metrics,
backoff_config,
}
@@ -373,6 +378,7 @@ impl IngesterConnectionImpl {
struct GetPartitionForIngester<'a> {
flight_client: Arc<dyn IngesterFlightClient>,
time_provider: Arc<dyn TimeProvider>,
+ catalog_cache: Arc<CatalogCache>,
ingester_address: Arc<str>,
namespace_id: NamespaceId,
columns: Vec<String>,
@@ -388,6 +394,7 @@ async fn execute(
let GetPartitionForIngester {
flight_client,
time_provider: _,
+ catalog_cache,
ingester_address,
namespace_id,
columns,
@@ -476,11 +483,12 @@ async fn execute(
// reconstruct partitions
let mut decoder = IngesterStreamDecoder::new(
ingester_address,
+ catalog_cache,
cached_table,
span_recorder.child_span("IngesterStreamDecoder"),
);
for (msg, md) in messages {
- decoder.register(msg, md)?;
+ decoder.register(msg, md).await?;
}
decoder.finalize()
@@ -495,18 +503,25 @@ struct IngesterStreamDecoder {
current_partition: Option<IngesterPartition>,
current_chunk: Option<(Schema, Vec<RecordBatch>)>,
ingester_address: Arc<str>,
+ catalog_cache: Arc<CatalogCache>,
cached_table: Arc<CachedTable>,
span_recorder: SpanRecorder,
}
impl IngesterStreamDecoder {
/// Create empty decoder.
- fn new(ingester_address: Arc<str>, cached_table: Arc<CachedTable>, span: Option<Span>) -> Self {
+ fn new(
+ ingester_address: Arc<str>,
+ catalog_cache: Arc<CatalogCache>,
+ cached_table: Arc<CachedTable>,
+ span: Option<Span>,
+ ) -> Self {
Self {
finished_partitions: HashMap::new(),
current_partition: None,
current_chunk: None,
ingester_address,
+ catalog_cache,
cached_table,
span_recorder: SpanRecorder::new(span),
}
@@ -541,7 +556,7 @@ impl IngesterStreamDecoder {
}
/// Register a new message and its metadata from the Flight stream.
- fn register(
+ async fn register(
&mut self,
msg: DecodedPayload,
md: IngesterQueryResponseMetadata,
@@ -565,6 +580,20 @@ impl IngesterStreamDecoder {
// columns that the sort key must cover.
let partition_sort_key = None;
+ // If the partition does NOT yet exist within the catalog, this is OK. We can deal without the ranges,
+ // the chunk pruning will not be as efficient though.
+ let partition_column_ranges = self
+ .catalog_cache
+ .partition()
+ .column_ranges(
+ Arc::clone(&self.cached_table),
+ partition_id,
+ self.span_recorder
+ .child_span("cache GET partition column ranges"),
+ )
+ .await
+ .unwrap_or_default();
+
let ingester_uuid =
Uuid::parse_str(&md.ingester_uuid).context(IngesterUuidSnafu {
ingester_uuid: md.ingester_uuid,
@@ -575,6 +604,7 @@ impl IngesterStreamDecoder {
partition_id,
md.completed_persistence_count,
partition_sort_key,
+ partition_column_ranges,
);
self.current_partition = Some(partition);
}
@@ -669,6 +699,7 @@ impl IngesterConnection for IngesterConnectionImpl {
let request = GetPartitionForIngester {
flight_client: Arc::clone(&self.flight_client),
time_provider: Arc::clone(&self.time_provider),
+ catalog_cache: Arc::clone(&self.catalog_cache),
ingester_address: Arc::clone(&ingester_address),
namespace_id,
cached_table: Arc::clone(&cached_table),
@@ -773,24 +804,28 @@ pub struct IngesterPartition {
/// Partition-wide sort key.
partition_sort_key: Option<Arc<SortKey>>,
+ /// Partition-wide column ranges.
+ partition_column_ranges: ColumnRanges,
+
chunks: Vec<IngesterChunk>,
}
impl IngesterPartition {
/// Creates a new IngesterPartition, translating the passed
/// `RecordBatches` into the correct types
- #[allow(clippy::too_many_arguments)]
pub fn new(
ingester_uuid: Uuid,
partition_id: PartitionId,
completed_persistence_count: u64,
partition_sort_key: Option<Arc<SortKey>>,
+ partition_column_ranges: ColumnRanges,
) -> Self {
Self {
ingester_uuid,
partition_id,
completed_persistence_count,
partition_sort_key,
+ partition_column_ranges,
chunks: vec![],
}
}
@@ -822,10 +857,11 @@ impl IngesterPartition {
let ts_min_max = compute_timenanosecond_min_max(&batches).expect("Should have time range");
let row_count = batches.iter().map(|batch| batch.num_rows()).sum::<usize>() as u64;
- let stats = Arc::new(create_basic_summary(
+ let stats = Arc::new(create_chunk_statistics(
row_count,
&expected_schema,
ts_min_max,
+ &self.partition_column_ranges,
));
let chunk = IngesterChunk {
@@ -1679,10 +1715,15 @@ mod tests {
for case in cases {
// Construct a partition and ensure it doesn't error
- let ingester_partition =
- IngesterPartition::new(ingester_uuid, PartitionId::new(1), 0, None)
- .try_add_chunk(ChunkId::new(), expected_schema.clone(), vec![case])
- .unwrap();
+ let ingester_partition = IngesterPartition::new(
+ ingester_uuid,
+ PartitionId::new(1),
+ 0,
+ None,
+ Default::default(),
+ )
+ .try_add_chunk(ChunkId::new(), expected_schema.clone(), vec![case])
+ .unwrap();
for batch in &ingester_partition.chunks[0].batches {
assert_eq!(batch.schema(), expected_schema.as_arrow());
@@ -1702,9 +1743,15 @@ mod tests {
let batch =
RecordBatch::try_from_iter(vec![("b", int64_array()), ("time", ts_array())]).unwrap();
- let err = IngesterPartition::new(ingester_uuid, PartitionId::new(1), 0, None)
- .try_add_chunk(ChunkId::new(), expected_schema, vec![batch])
- .unwrap_err();
+ let err = IngesterPartition::new(
+ ingester_uuid,
+ PartitionId::new(1),
+ 0,
+ None,
+ Default::default(),
+ )
+ .try_add_chunk(ChunkId::new(), expected_schema, vec![batch])
+ .unwrap_err();
assert_matches!(err, Error::RecordBatchType { .. });
}
diff --git a/querier/src/ingester/test_util.rs b/querier/src/ingester/test_util.rs
index fb237f2e6f..db113c06b3 100644
--- a/querier/src/ingester/test_util.rs
+++ b/querier/src/ingester/test_util.rs
@@ -1,8 +1,7 @@
use super::IngesterConnection;
-use crate::cache::namespace::CachedTable;
+use crate::{cache::namespace::CachedTable, df_stats::create_chunk_statistics};
use async_trait::async_trait;
use data_types::NamespaceId;
-use iox_query::util::create_basic_summary;
use parking_lot::Mutex;
use schema::{Projection, Schema as IOxSchema};
use std::{any::Any, sync::Arc};
@@ -68,36 +67,44 @@ impl IngesterConnection for MockIngesterConnection {
let partitions = partitions
.into_iter()
.map(|mut p| async move {
+ let column_ranges = Arc::clone(&p.partition_column_ranges);
let chunks = p
.chunks
.into_iter()
- .map(|ic| async move {
- let batches: Vec<_> = ic
- .batches
- .iter()
- .map(|batch| match ic.schema.df_projection(selection).unwrap() {
- Some(projection) => batch.project(&projection).unwrap(),
- None => batch.clone(),
- })
- .collect();
+ .map(|ic| {
+ let column_ranges = Arc::clone(&column_ranges);
+ async move {
+ let batches: Vec<_> = ic
+ .batches
+ .iter()
+ .map(|batch| match ic.schema.df_projection(selection).unwrap() {
+ Some(projection) => batch.project(&projection).unwrap(),
+ None => batch.clone(),
+ })
+ .collect();
- assert!(!batches.is_empty(), "Error: empty batches");
- let new_schema = IOxSchema::try_from(batches[0].schema()).unwrap();
- let total_row_count =
- batches.iter().map(|b| b.num_rows()).sum::<usize>() as u64;
+ assert!(!batches.is_empty(), "Error: empty batches");
+ let new_schema = IOxSchema::try_from(batches[0].schema()).unwrap();
+ let total_row_count =
+ batches.iter().map(|b| b.num_rows()).sum::<usize>() as u64;
- let stats =
- create_basic_summary(total_row_count, &new_schema, ic.ts_min_max);
+ let stats = create_chunk_statistics(
+ total_row_count,
+ &new_schema,
+ ic.ts_min_max,
+ &column_ranges,
+ );
- super::IngesterChunk {
- chunk_id: ic.chunk_id,
- partition_id: ic.partition_id,
- schema: new_schema,
- partition_sort_key: ic.partition_sort_key,
- batches,
- ts_min_max: ic.ts_min_max,
- stats: Arc::new(stats),
- delete_predicates: vec![],
+ super::IngesterChunk {
+ chunk_id: ic.chunk_id,
+ partition_id: ic.partition_id,
+ schema: new_schema,
+ partition_sort_key: ic.partition_sort_key,
+ batches,
+ ts_min_max: ic.ts_min_max,
+ stats: Arc::new(stats),
+ delete_predicates: vec![],
+ }
}
})
.collect::<Vec<_>>();
diff --git a/querier/src/lib.rs b/querier/src/lib.rs
index f47dd3723e..3c183a3135 100644
--- a/querier/src/lib.rs
+++ b/querier/src/lib.rs
@@ -18,6 +18,7 @@ use workspace_hack as _;
mod cache;
mod database;
+mod df_stats;
mod handler;
mod ingester;
mod namespace;
diff --git a/querier/src/parquet/creation.rs b/querier/src/parquet/creation.rs
index 65a65b574c..e101312f69 100644
--- a/querier/src/parquet/creation.rs
+++ b/querier/src/parquet/creation.rs
@@ -1,9 +1,12 @@
-use std::{collections::HashSet, sync::Arc};
+use std::{
+ collections::{HashMap, HashSet},
+ sync::Arc,
+};
use data_types::{ChunkId, ChunkOrder, ColumnId, ParquetFile, TimestampMinMax};
use futures::StreamExt;
use iox_catalog::interface::Catalog;
-use iox_query::{pruning::prune_summaries, util::create_basic_summary};
+use iox_query::pruning::prune_summaries;
use observability_deps::tracing::debug;
use parquet_file::chunk::ParquetChunk;
use predicate::Predicate;
@@ -14,6 +17,7 @@ use uuid::Uuid;
use crate::{
cache::{namespace::CachedTable, CatalogCache},
+ df_stats::{create_chunk_statistics, ColumnRanges},
parquet::QuerierParquetChunkMeta,
table::MetricPruningObserver,
};
@@ -69,19 +73,55 @@ impl ChunkAdapter {
) -> Vec<QuerierParquetChunk> {
let span_recorder = SpanRecorder::new(span);
- let basic_summaries: Vec<_> = {
- let _span_recorder = span_recorder.child("create basic summaries");
+ let column_ranges: HashMap<_, _> = {
+ let span_recorder = span_recorder.child("fetch column ranges for all partitions");
+
+ let partitions: HashSet<_> = files.iter().map(|p| p.partition_id).collect();
+ let mut partitions: Vec<_> = partitions.into_iter().collect();
+
+ // shuffle order to even catalog load, because cache hits/misses might be correlated w/ the order of the
+ // partitions.
+ //
+ // Note that we sort before shuffling to achieve a deterministic pseudo-random order
+ let mut rng = StdRng::seed_from_u64(cached_table.id.get() as u64);
+ partitions.sort();
+ partitions.shuffle(&mut rng);
+
+ futures::stream::iter(partitions)
+ .map(|p| {
+ let cached_table = &cached_table;
+ let catalog_cache = &self.catalog_cache;
+ let span = span_recorder.child_span("fetch column ranges for partition");
+ async move {
+ let ranges = catalog_cache
+ .partition()
+ .column_ranges(Arc::clone(cached_table), p, span)
+ .await
+ .unwrap_or_default();
+ (p, ranges)
+ }
+ })
+ .buffer_unordered(CONCURRENT_CHUNK_CREATION_JOBS)
+ .collect()
+ .await
+ };
+
+ let chunk_stats: Vec<_> = {
+ let _span_recorder = span_recorder.child("create chunk stats");
files
.iter()
.map(|p| {
- let stats = Arc::new(create_basic_summary(
+ let stats = Arc::new(create_chunk_statistics(
p.row_count as u64,
&cached_table.schema,
TimestampMinMax {
min: p.min_time.get(),
max: p.max_time.get(),
},
+ column_ranges
+ .get(&p.partition_id)
+ .expect("just requested for all partitions"),
));
let schema = Arc::clone(cached_table.schema.inner());
@@ -94,14 +134,14 @@ impl ChunkAdapter {
let keeps = {
let _span_recorder = span_recorder.child("prune summaries");
- match prune_summaries(&cached_table.schema, &basic_summaries, predicate) {
+ match prune_summaries(&cached_table.schema, &chunk_stats, predicate) {
Ok(keeps) => keeps,
Err(reason) => {
// Ignore pruning failures here - the chunk pruner should have already logged them.
// Just skip pruning and gather all the metadata. We have another chance to prune them
// once all the metadata is available
debug!(?reason, "Could not prune before metadata fetch");
- vec![true; basic_summaries.len()]
+ vec![true; chunk_stats.len()]
}
}
};
@@ -124,10 +164,13 @@ impl ChunkAdapter {
// de-correlate parquet files so that subsequent items likely don't block/wait on the same cache lookup
// (they are likely ordered by partition)
+ //
+ // Note that we sort before shuffling to achieve a deterministic pseudo-random order
{
let _span_recorder = span_recorder.child("shuffle order");
let mut rng = StdRng::seed_from_u64(cached_table.id.get() as u64);
+ parquet_files.sort_by_key(|f| f.id);
parquet_files.shuffle(&mut rng);
}
@@ -138,9 +181,14 @@ impl ChunkAdapter {
.map(|cached_parquet_file| {
let span_recorder = &span_recorder;
let cached_table = Arc::clone(&cached_table);
+ let ranges = Arc::clone(
+ column_ranges
+ .get(&cached_parquet_file.partition_id)
+ .expect("just requested for all partitions"),
+ );
async move {
let span = span_recorder.child_span("new_chunk");
- self.new_chunk(cached_table, cached_parquet_file, span)
+ self.new_chunk(cached_table, cached_parquet_file, ranges, span)
.await
}
})
@@ -155,6 +203,7 @@ impl ChunkAdapter {
&self,
cached_table: Arc<CachedTable>,
parquet_file: Arc<ParquetFile>,
+ column_ranges: ColumnRanges,
span: Option<Span>,
) -> Option<QuerierParquetChunk> {
let span_recorder = SpanRecorder::new(span);
@@ -238,6 +287,6 @@ impl ChunkAdapter {
self.catalog_cache.parquet_store(),
));
- Some(QuerierParquetChunk::new(parquet_chunk, meta))
+ Some(QuerierParquetChunk::new(parquet_chunk, meta, column_ranges))
}
}
diff --git a/querier/src/parquet/mod.rs b/querier/src/parquet/mod.rs
index d061ded4e2..6338323eff 100644
--- a/querier/src/parquet/mod.rs
+++ b/querier/src/parquet/mod.rs
@@ -2,7 +2,6 @@
use data_types::{ChunkId, ChunkOrder, CompactionLevel, DeletePredicate, PartitionId};
use datafusion::physical_plan::Statistics;
-use iox_query::util::create_basic_summary;
use parquet_file::chunk::ParquetChunk;
use schema::sort::SortKey;
use std::sync::Arc;
@@ -12,6 +11,8 @@ mod query_access;
pub use creation::ChunkAdapter;
+use crate::df_stats::{create_chunk_statistics, ColumnRanges};
+
/// Immutable metadata attached to a [`QuerierParquetChunk`].
#[derive(Debug)]
pub struct QuerierParquetChunkMeta {
@@ -70,11 +71,16 @@ pub struct QuerierParquetChunk {
impl QuerierParquetChunk {
/// Create new parquet-backed chunk (object store data).
- pub fn new(parquet_chunk: Arc<ParquetChunk>, meta: Arc<QuerierParquetChunkMeta>) -> Self {
- let stats = Arc::new(create_basic_summary(
+ pub fn new(
+ parquet_chunk: Arc<ParquetChunk>,
+ meta: Arc<QuerierParquetChunkMeta>,
+ column_ranges: ColumnRanges,
+ ) -> Self {
+ let stats = Arc::new(create_chunk_statistics(
parquet_chunk.rows() as u64,
parquet_chunk.schema(),
parquet_chunk.timestamp_min_max(),
+ &column_ranges,
));
Self {
diff --git a/querier/src/table/mod.rs b/querier/src/table/mod.rs
index e1c7b0d51e..0ef7f40e4c 100644
--- a/querier/src/table/mod.rs
+++ b/querier/src/table/mod.rs
@@ -457,11 +457,20 @@ fn collect_persisted_file_counts(
mod tests {
use super::*;
use crate::{
+ df_stats::ColumnRange,
ingester::{test_util::MockIngesterConnection, IngesterPartition},
table::test_util::{querier_table, IngesterPartitionBuilder},
};
+ use arrow::datatypes::DataType;
use arrow_util::assert_batches_eq;
use data_types::{ChunkId, ColumnType};
+ use datafusion::{
+ prelude::{col, lit},
+ scalar::ScalarValue,
+ };
+ use generated_types::influxdata::iox::partition_template::v1::{
+ template_part::Part, PartitionTemplate, TemplatePart,
+ };
use iox_query::exec::IOxSessionContext;
use iox_tests::{TestCatalog, TestParquetFileBuilder, TestTable};
use iox_time::TimeProvider;
@@ -804,6 +813,88 @@ mod tests {
assert_eq!(chunks.len(), 3);
}
+ #[tokio::test]
+ async fn test_custom_partitioning() {
+ maybe_start_logging();
+ let catalog = TestCatalog::new();
+ let ns = catalog.create_namespace_1hr_retention("ns").await;
+ let table = ns
+ .create_table_with_partition_template(
+ "table",
+ Some(PartitionTemplate {
+ parts: vec![TemplatePart {
+ part: Some(Part::TagValue(String::from("tag1"))),
+ }],
+ }),
+ )
+ .await;
+ let partition_a = table.create_partition("val1a").await;
+ let partition_b = table.create_partition("val1b").await;
+ let schema = make_schema_two_fields_two_tags(&table).await;
+
+ let file1 = partition_a
+ .create_parquet_file(
+ TestParquetFileBuilder::default()
+ .with_line_protocol("table,tag1=val1a,tag2=val2a foo=3,bar=4 10")
+ .with_min_time(10)
+ .with_max_time(10),
+ )
+ .await;
+ let _file2 = partition_b
+ .create_parquet_file(
+ TestParquetFileBuilder::default()
+ .with_line_protocol("table,tag1=val1b,tag2=val2b foo=3,bar=4 10")
+ .with_min_time(10)
+ .with_max_time(10),
+ )
+ .await;
+
+ let querier_table = TestQuerierTable::new(&catalog, &table)
+ .await
+ .with_ingester_partition(
+ IngesterPartitionBuilder::new(schema.clone(), &partition_a)
+ .with_lp(["table,tag1=val1a,tag2=val2a foo=3,bar=4 11"])
+ .with_colum_ranges(Arc::new(HashMap::from([(
+ Arc::from("tag1"),
+ ColumnRange {
+ min_value: Arc::new(ScalarValue::from("val1a")),
+ max_value: Arc::new(ScalarValue::from("val1a")),
+ },
+ )])))
+ .build(),
+ )
+ .with_ingester_partition(
+ IngesterPartitionBuilder::new(schema, &partition_b)
+ .with_lp(["table,tag1=val1b,tag2=val2b foo=5,bar=6 11"])
+ .with_colum_ranges(Arc::new(HashMap::from([(
+ Arc::from("tag1"),
+ ColumnRange {
+ min_value: Arc::new(ScalarValue::from("val1b")),
+ max_value: Arc::new(ScalarValue::from("val1b")),
+ },
+ )])))
+ .build(),
+ );
+
+ // Expect one chunk from the ingester
+ let pred = Predicate::new().with_expr(col("tag1").eq(lit(ScalarValue::Dictionary(
+ Box::new(DataType::Int32),
+ Box::new(ScalarValue::from("val1a")),
+ ))));
+ let mut chunks = querier_table
+ .chunks_with_predicate_and_projection(&pred, None)
+ .await
+ .unwrap();
+ chunks.sort_by_key(|c| c.chunk_type().to_owned());
+ assert_eq!(chunks.len(), 2);
+ assert_eq!(chunks[0].chunk_type(), "IngesterPartition");
+ assert_eq!(chunks[1].chunk_type(), "parquet");
+ assert_eq!(
+ chunks[1].id().get().as_u128(),
+ file1.parquet_file.id.get() as u128
+ );
+ }
+
/// Adds a "foo" column to the table and returns the created schema
async fn make_schema(table: &Arc<TestTable>) -> Schema {
table.create_column("foo", ColumnType::F64).await;
diff --git a/querier/src/table/test_util.rs b/querier/src/table/test_util.rs
index 8475ea37a9..3c0d06941b 100644
--- a/querier/src/table/test_util.rs
+++ b/querier/src/table/test_util.rs
@@ -1,7 +1,7 @@
use super::{PruneMetrics, QuerierTable, QuerierTableArgs};
use crate::{
- cache::CatalogCache, create_ingester_connection_for_testing, parquet::ChunkAdapter,
- IngesterPartition,
+ cache::CatalogCache, create_ingester_connection_for_testing, df_stats::ColumnRanges,
+ parquet::ChunkAdapter, IngesterPartition,
};
use arrow::record_batch::RecordBatch;
use data_types::ChunkId;
@@ -68,6 +68,7 @@ pub(crate) struct IngesterPartitionBuilder {
ingester_chunk_id: u128,
partition_sort_key: Option<Arc<SortKey>>,
+ partition_column_ranges: ColumnRanges,
/// Data returned from the partition, in line protocol format
lp: Vec<String>,
@@ -79,6 +80,7 @@ impl IngesterPartitionBuilder {
schema,
partition: Arc::clone(partition),
partition_sort_key: None,
+ partition_column_ranges: Default::default(),
ingester_chunk_id: 1,
lp: Vec::new(),
}
@@ -91,6 +93,12 @@ impl IngesterPartitionBuilder {
self
}
+ /// Set column ranges.
+ pub(crate) fn with_colum_ranges(mut self, column_ranges: ColumnRanges) -> Self {
+ self.partition_column_ranges = column_ranges;
+ self
+ }
+
/// Create an ingester partition with the specified field values
pub(crate) fn build(&self) -> IngesterPartition {
let data = self.lp.iter().map(|lp| lp_to_record_batch(lp)).collect();
@@ -100,6 +108,7 @@ impl IngesterPartitionBuilder {
self.partition.partition.id,
0,
self.partition_sort_key.clone(),
+ Arc::clone(&self.partition_column_ranges),
)
.try_add_chunk(
ChunkId::new_test(self.ingester_chunk_id),
|
7230148b58a8b53df07352e32634e46ed66aa246
|
Paul Dix
|
2025-01-10 05:52:33
|
Update WAL plugin for new structure (#25777)
|
* feat: Update WAL plugin for new structure
This ended up being a very large change set. In order to get around circular dependencies, the processing engine had to be moved into its own crate, which I think is ultimately much cleaner.
Unfortunately, this required changing a ton of things. There's more testing and things to add on to this, but I think it's important to get this through and build on it.
Importantly, the processing engine no longer resides inside the write buffer. Instead, it is attached to the HTTP server. It is now able to take a query executor, write buffer, and WAL so that the full range of functionality of the server can be exposed to the plugin API.
There are a bunch of system-py feature flags littered everywhere, which I'm hoping we can remove soon.
* refactor: PR feedback
| null |
feat: Update WAL plugin for new structure (#25777)
* feat: Update WAL plugin for new structure
This ended up being a very large change set. In order to get around circular dependencies, the processing engine had to be moved into its own crate, which I think is ultimately much cleaner.
Unfortunately, this required changing a ton of things. There's more testing and things to add on to this, but I think it's important to get this through and build on it.
Importantly, the processing engine no longer resides inside the write buffer. Instead, it is attached to the HTTP server. It is now able to take a query executor, write buffer, and WAL so that the full range of functionality of the server can be exposed to the plugin API.
There are a bunch of system-py feature flags littered everywhere, which I'm hoping we can remove soon.
* refactor: PR feedback
|
diff --git a/Cargo.lock b/Cargo.lock
index 96cc211e0c..faeb7e308b 100644
--- a/Cargo.lock
+++ b/Cargo.lock
@@ -2964,6 +2964,33 @@ dependencies = [
"uuid",
]
+[[package]]
+name = "influxdb3_processing_engine"
+version = "0.1.0"
+dependencies = [
+ "anyhow",
+ "async-trait",
+ "data_types",
+ "datafusion_util",
+ "hashbrown 0.15.2",
+ "influxdb3_cache",
+ "influxdb3_catalog",
+ "influxdb3_client",
+ "influxdb3_internal_api",
+ "influxdb3_py_api",
+ "influxdb3_wal",
+ "influxdb3_write",
+ "iox_query",
+ "iox_time",
+ "metric",
+ "object_store",
+ "observability_deps",
+ "parquet_file",
+ "pyo3",
+ "thiserror 1.0.69",
+ "tokio",
+]
+
[[package]]
name = "influxdb3_py_api"
version = "0.1.0"
@@ -2972,12 +2999,12 @@ dependencies = [
"arrow-schema",
"futures",
"influxdb3_catalog",
+ "influxdb3_id",
"influxdb3_internal_api",
"influxdb3_wal",
"iox_query_params",
"parking_lot",
"pyo3",
- "schema",
"tokio",
]
@@ -3014,6 +3041,7 @@ dependencies = [
"influxdb3_id",
"influxdb3_internal_api",
"influxdb3_process",
+ "influxdb3_processing_engine",
"influxdb3_sys_events",
"influxdb3_telemetry",
"influxdb3_wal",
diff --git a/Cargo.toml b/Cargo.toml
index 0f6d697ff4..2b97362fa8 100644
--- a/Cargo.toml
+++ b/Cargo.toml
@@ -10,6 +10,7 @@ members = [
"influxdb3_internal_api",
"influxdb3_load_generator",
"influxdb3_process",
+ "influxdb3_processing_engine",
"influxdb3_py_api",
"influxdb3_server",
"influxdb3_telemetry",
diff --git a/influxdb3/src/commands/create.rs b/influxdb3/src/commands/create.rs
index 50970c8c7a..ec71fa5be5 100644
--- a/influxdb3/src/commands/create.rs
+++ b/influxdb3/src/commands/create.rs
@@ -206,10 +206,7 @@ pub struct PluginConfig {
/// Python file containing the plugin code
#[clap(long = "code-filename")]
code_file: String,
- /// Entry point function for the plugin
- #[clap(long = "entry-point")]
- function_name: String,
- /// Type of trigger the plugin processes
+ /// Type of trigger the plugin processes. Options: wal_rows, scheduled
#[clap(long = "plugin-type", default_value = "wal_rows")]
plugin_type: String,
/// Name of the plugin to create
@@ -335,7 +332,6 @@ pub async fn command(config: Config) -> Result<(), Box<dyn Error>> {
influxdb3_config: InfluxDb3Config { database_name, .. },
plugin_name,
code_file,
- function_name,
plugin_type,
}) => {
let code = fs::read_to_string(&code_file)?;
@@ -344,7 +340,6 @@ pub async fn command(config: Config) -> Result<(), Box<dyn Error>> {
database_name,
&plugin_name,
code,
- function_name,
plugin_type,
)
.await?;
diff --git a/influxdb3/src/commands/serve.rs b/influxdb3/src/commands/serve.rs
index 7da27da9e5..a2e6e4c838 100644
--- a/influxdb3/src/commands/serve.rs
+++ b/influxdb3/src/commands/serve.rs
@@ -503,7 +503,6 @@ pub async fn command(config: Config) -> Result<()> {
wal_config,
parquet_cache,
metric_registry: Arc::clone(&metrics),
- plugin_dir: config.plugin_dir,
})
.await
.map_err(|e| Error::WriteBufferInit(e.into()))?;
@@ -532,6 +531,7 @@ pub async fn command(config: Config) -> Result<()> {
trace_exporter,
trace_header_parser,
Arc::clone(&telemetry_store),
+ config.plugin_dir,
)?;
let query_executor = Arc::new(QueryExecutorImpl::new(CreateQueryExecutorArgs {
diff --git a/influxdb3/tests/server/cli.rs b/influxdb3/tests/server/cli.rs
index 5baeec728c..d4530f6744 100644
--- a/influxdb3/tests/server/cli.rs
+++ b/influxdb3/tests/server/cli.rs
@@ -467,8 +467,6 @@ def process_rows(iterator, output):
&server_addr,
"--code-filename",
plugin_file.path().to_str().unwrap(),
- "--entry-point",
- "process_rows",
plugin_name,
]);
debug!(result = ?result, "create plugin");
@@ -501,8 +499,6 @@ def process_rows(iterator, output):
&server_addr,
"--code-filename",
plugin_file.path().to_str().unwrap(),
- "--entry-point",
- "process_rows",
plugin_name,
]);
@@ -547,8 +543,6 @@ def process_rows(iterator, output):
&server_addr,
"--code-filename",
plugin_file.path().to_str().unwrap(),
- "--entry-point",
- "process_rows",
plugin_name,
]);
@@ -597,8 +591,6 @@ def process_rows(iterator, output):
&server_addr,
"--code-filename",
plugin_file.path().to_str().unwrap(),
- "--entry-point",
- "process_rows",
plugin_name,
]);
@@ -670,8 +662,6 @@ def process_rows(iterator, output):
&server_addr,
"--code-filename",
plugin_file.path().to_str().unwrap(),
- "--entry-point",
- "process_rows",
plugin_name,
]);
@@ -769,8 +759,6 @@ def process_rows(iterator, output):
&server_addr,
"--code-filename",
plugin_file.path().to_str().unwrap(),
- "--entry-point",
- "process_rows",
plugin_name,
]);
diff --git a/influxdb3_catalog/src/catalog.rs b/influxdb3_catalog/src/catalog.rs
index e93c57a50a..8ea1df2a69 100644
--- a/influxdb3_catalog/src/catalog.rs
+++ b/influxdb3_catalog/src/catalog.rs
@@ -209,7 +209,7 @@ impl Catalog {
pub fn apply_catalog_batch(
&self,
- catalog_batch: CatalogBatch,
+ catalog_batch: &CatalogBatch,
) -> Result<Option<OrderedCatalogBatch>> {
self.inner.write().apply_catalog_batch(catalog_batch)
}
@@ -217,11 +217,11 @@ impl Catalog {
// Checks the sequence number to see if it needs to be applied.
pub fn apply_ordered_catalog_batch(
&self,
- batch: OrderedCatalogBatch,
+ batch: &OrderedCatalogBatch,
) -> Result<Option<CatalogBatch>> {
if batch.sequence_number() >= self.sequence_number().as_u32() {
if let Some(catalog_batch) = self.apply_catalog_batch(batch.batch())? {
- return Ok(Some(catalog_batch.batch()));
+ return Ok(Some(catalog_batch.batch().clone()));
}
}
Ok(None)
@@ -456,12 +456,12 @@ impl InnerCatalog {
/// have already been applied, the sequence number and updated tracker are not updated.
pub fn apply_catalog_batch(
&mut self,
- catalog_batch: CatalogBatch,
+ catalog_batch: &CatalogBatch,
) -> Result<Option<OrderedCatalogBatch>> {
let table_count = self.table_count();
if let Some(db) = self.databases.get(&catalog_batch.database_id) {
- if let Some(new_db) = DatabaseSchema::new_if_updated_from_batch(db, &catalog_batch)? {
+ if let Some(new_db) = DatabaseSchema::new_if_updated_from_batch(db, catalog_batch)? {
check_overall_table_count(Some(db), &new_db, table_count)?;
self.upsert_db(new_db);
} else {
@@ -471,12 +471,12 @@ impl InnerCatalog {
if self.database_count() >= Catalog::NUM_DBS_LIMIT {
return Err(Error::TooManyDbs);
}
- let new_db = DatabaseSchema::new_from_batch(&catalog_batch)?;
+ let new_db = DatabaseSchema::new_from_batch(catalog_batch)?;
check_overall_table_count(None, &new_db, table_count)?;
self.upsert_db(new_db);
}
Ok(Some(OrderedCatalogBatch::new(
- catalog_batch,
+ catalog_batch.clone(),
self.sequence.0,
)))
}
@@ -1847,7 +1847,7 @@ mod tests {
)],
);
let err = catalog
- .apply_catalog_batch(catalog_batch)
+ .apply_catalog_batch(&catalog_batch)
.expect_err("should fail to apply AddFields operation for non-existent table");
assert_contains!(err.to_string(), "Table banana not in DB schema for foo");
}
@@ -1968,10 +1968,10 @@ mod tests {
})],
};
let create_ordered_op = catalog
- .apply_catalog_batch(create_op)?
+ .apply_catalog_batch(&create_op)?
.expect("should be able to create");
let add_column_op = catalog
- .apply_catalog_batch(add_column_op)?
+ .apply_catalog_batch(&add_column_op)?
.expect("should produce operation");
let mut ops = vec![
WalOp::Catalog(add_column_op),
@@ -2010,7 +2010,7 @@ mod tests {
let db_id = DbId::new();
let db_name = format!("test-db-{db_id}");
catalog
- .apply_catalog_batch(influxdb3_wal::create::catalog_batch(
+ .apply_catalog_batch(&influxdb3_wal::create::catalog_batch(
db_id,
db_name.as_str(),
0,
@@ -2043,7 +2043,7 @@ mod tests {
let db_id = DbId::new();
let db_name = "a-database-too-far";
catalog
- .apply_catalog_batch(influxdb3_wal::create::catalog_batch(
+ .apply_catalog_batch(&influxdb3_wal::create::catalog_batch(
db_id,
db_name,
0,
@@ -2071,7 +2071,7 @@ mod tests {
// now delete a database:
let (db_id, db_name) = dbs.pop().unwrap();
catalog
- .apply_catalog_batch(influxdb3_wal::create::catalog_batch(
+ .apply_catalog_batch(&influxdb3_wal::create::catalog_batch(
db_id,
db_name.as_str(),
1,
@@ -2087,7 +2087,7 @@ mod tests {
// now create another database (using same name as the deleted one), this should be allowed:
let db_id = DbId::new();
catalog
- .apply_catalog_batch(influxdb3_wal::create::catalog_batch(
+ .apply_catalog_batch(&influxdb3_wal::create::catalog_batch(
db_id,
db_name.as_str(),
0,
@@ -2123,7 +2123,7 @@ mod tests {
let db_id = DbId::new();
let db_name = "test-db";
catalog
- .apply_catalog_batch(influxdb3_wal::create::catalog_batch(
+ .apply_catalog_batch(&influxdb3_wal::create::catalog_batch(
db_id,
db_name,
0,
@@ -2138,7 +2138,7 @@ mod tests {
let table_id = TableId::new();
let table_name = Arc::<str>::from(format!("test-table-{i}").as_str());
catalog
- .apply_catalog_batch(influxdb3_wal::create::catalog_batch(
+ .apply_catalog_batch(&influxdb3_wal::create::catalog_batch(
db_id,
db_name,
0,
@@ -2170,7 +2170,7 @@ mod tests {
let table_id = TableId::new();
let table_name = Arc::<str>::from("a-table-too-far");
catalog
- .apply_catalog_batch(influxdb3_wal::create::catalog_batch(
+ .apply_catalog_batch(&influxdb3_wal::create::catalog_batch(
db_id,
db_name,
0,
@@ -2198,7 +2198,7 @@ mod tests {
// delete a table
let (table_id, table_name) = tables.pop().unwrap();
catalog
- .apply_catalog_batch(influxdb3_wal::create::catalog_batch(
+ .apply_catalog_batch(&influxdb3_wal::create::catalog_batch(
db_id,
db_name,
0,
@@ -2214,7 +2214,7 @@ mod tests {
assert_eq!(1_999, catalog.inner.read().table_count());
// now create it again, this should be allowed:
catalog
- .apply_catalog_batch(influxdb3_wal::create::catalog_batch(
+ .apply_catalog_batch(&influxdb3_wal::create::catalog_batch(
db_id,
db_name,
0,
diff --git a/influxdb3_catalog/src/serialize.rs b/influxdb3_catalog/src/serialize.rs
index a6b6fbcfb3..9ea18758df 100644
--- a/influxdb3_catalog/src/serialize.rs
+++ b/influxdb3_catalog/src/serialize.rs
@@ -106,6 +106,7 @@ impl From<DatabaseSnapshot> for DatabaseSchema {
plugin,
trigger: serde_json::from_str(&trigger.trigger_specification).unwrap(),
disabled: trigger.disabled,
+ database_name: trigger.database_name,
},
)
})
@@ -163,7 +164,6 @@ struct TableSnapshot {
struct ProcessingEnginePluginSnapshot {
pub plugin_name: String,
pub code: String,
- pub function_name: String,
pub plugin_type: PluginType,
}
@@ -171,6 +171,7 @@ struct ProcessingEnginePluginSnapshot {
struct ProcessingEngineTriggerSnapshot {
pub trigger_name: String,
pub plugin_name: String,
+ pub database_name: String,
pub trigger_specification: String,
pub disabled: bool,
}
@@ -412,7 +413,6 @@ impl From<&PluginDefinition> for ProcessingEnginePluginSnapshot {
Self {
plugin_name: plugin.plugin_name.to_string(),
code: plugin.code.to_string(),
- function_name: plugin.function_name.to_string(),
plugin_type: plugin.plugin_type,
}
}
@@ -423,7 +423,6 @@ impl From<ProcessingEnginePluginSnapshot> for PluginDefinition {
Self {
plugin_name: plugin.plugin_name.to_string(),
code: plugin.code.to_string(),
- function_name: plugin.function_name.to_string(),
plugin_type: plugin.plugin_type,
}
}
@@ -434,6 +433,7 @@ impl From<&TriggerDefinition> for ProcessingEngineTriggerSnapshot {
ProcessingEngineTriggerSnapshot {
trigger_name: trigger.trigger_name.to_string(),
plugin_name: trigger.plugin_name.to_string(),
+ database_name: trigger.database_name.to_string(),
trigger_specification: serde_json::to_string(&trigger.trigger)
.expect("should be able to serialize trigger specification"),
disabled: trigger.disabled,
diff --git a/influxdb3_client/src/lib.rs b/influxdb3_client/src/lib.rs
index f65691ea59..518cc25d5b 100644
--- a/influxdb3_client/src/lib.rs
+++ b/influxdb3_client/src/lib.rs
@@ -484,7 +484,6 @@ impl Client {
db: impl Into<String> + Send,
plugin_name: impl Into<String> + Send,
code: impl Into<String> + Send,
- function_name: impl Into<String> + Send,
plugin_type: impl Into<String> + Send,
) -> Result<()> {
let api_path = "/api/v3/configure/processing_engine_plugin";
@@ -496,7 +495,6 @@ impl Client {
db: String,
plugin_name: String,
code: String,
- function_name: String,
plugin_type: String,
}
@@ -504,7 +502,6 @@ impl Client {
db: db.into(),
plugin_name: plugin_name.into(),
code: code.into(),
- function_name: function_name.into(),
plugin_type: plugin_type.into(),
});
diff --git a/influxdb3_processing_engine/Cargo.toml b/influxdb3_processing_engine/Cargo.toml
new file mode 100644
index 0000000000..37eb8f26b9
--- /dev/null
+++ b/influxdb3_processing_engine/Cargo.toml
@@ -0,0 +1,42 @@
+[package]
+name = "influxdb3_processing_engine"
+version.workspace = true
+authors.workspace = true
+edition.workspace = true
+license.workspace = true
+
+[features]
+"system-py" = ["influxdb3_py_api/system-py", "pyo3"]
+
+[dependencies]
+anyhow.workspace = true
+async-trait.workspace = true
+data_types.workspace = true
+hashbrown.workspace = true
+iox_time.workspace = true
+influxdb3_catalog = { path = "../influxdb3_catalog" }
+influxdb3_client = { path = "../influxdb3_client" }
+influxdb3_internal_api = { path = "../influxdb3_internal_api" }
+influxdb3_py_api = { path = "../influxdb3_py_api" }
+influxdb3_wal = { path = "../influxdb3_wal" }
+influxdb3_write = { path = "../influxdb3_write" }
+observability_deps.workspace = true
+thiserror.workspace = true
+tokio.workspace = true
+
+[dependencies.pyo3]
+version = "0.23.3"
+# this is necessary to automatically initialize the Python interpreter
+features = ["auto-initialize"]
+optional = true
+
+[dev-dependencies]
+datafusion_util.workspace = true
+iox_query.workspace = true
+influxdb3_cache = { path = "../influxdb3_cache" }
+metric.workspace = true
+object_store.workspace = true
+parquet_file.workspace = true
+
+[lints]
+workspace = true
diff --git a/influxdb3_processing_engine/src/lib.rs b/influxdb3_processing_engine/src/lib.rs
new file mode 100644
index 0000000000..50f069a04e
--- /dev/null
+++ b/influxdb3_processing_engine/src/lib.rs
@@ -0,0 +1,854 @@
+use crate::manager::{ProcessingEngineError, ProcessingEngineManager};
+#[cfg(feature = "system-py")]
+use crate::plugins::PluginContext;
+use anyhow::Context;
+use hashbrown::HashMap;
+use influxdb3_catalog::catalog;
+use influxdb3_catalog::catalog::Catalog;
+use influxdb3_catalog::catalog::Error::ProcessingEngineTriggerNotFound;
+use influxdb3_client::plugin_development::{WalPluginTestRequest, WalPluginTestResponse};
+use influxdb3_internal_api::query_executor::QueryExecutor;
+use influxdb3_wal::{
+ CatalogBatch, CatalogOp, DeletePluginDefinition, DeleteTriggerDefinition, PluginDefinition,
+ PluginType, TriggerDefinition, TriggerIdentifier, TriggerSpecificationDefinition, Wal,
+ WalContents, WalOp,
+};
+use influxdb3_write::WriteBuffer;
+use iox_time::TimeProvider;
+use std::sync::Arc;
+use tokio::sync::{mpsc, oneshot, Mutex};
+
+pub mod manager;
+pub mod plugins;
+
+#[derive(Debug)]
+pub struct ProcessingEngineManagerImpl {
+ plugin_dir: Option<std::path::PathBuf>,
+ catalog: Arc<Catalog>,
+ _write_buffer: Arc<dyn WriteBuffer>,
+ _query_executor: Arc<dyn QueryExecutor>,
+ time_provider: Arc<dyn TimeProvider>,
+ wal: Arc<dyn Wal>,
+ plugin_event_tx: Mutex<PluginChannels>,
+}
+
+#[derive(Debug, Default)]
+struct PluginChannels {
+ /// Map of database to trigger name to sender
+ active_triggers: HashMap<String, HashMap<String, mpsc::Sender<PluginEvent>>>,
+}
+
+#[cfg(feature = "system-py")]
+const PLUGIN_EVENT_BUFFER_SIZE: usize = 60;
+
+impl PluginChannels {
+ async fn shutdown(&mut self, db: String, trigger: String) {
+ // create a one shot to wait for the shutdown to complete
+ let (tx, rx) = oneshot::channel();
+ if let Some(trigger_map) = self.active_triggers.get_mut(&db) {
+ if let Some(sender) = trigger_map.remove(&trigger) {
+ if sender.send(PluginEvent::Shutdown(tx)).await.is_ok() {
+ rx.await.ok();
+ }
+ }
+ }
+ }
+
+ #[cfg(feature = "system-py")]
+ fn add_trigger(&mut self, db: String, trigger: String) -> mpsc::Receiver<PluginEvent> {
+ let (tx, rx) = mpsc::channel(PLUGIN_EVENT_BUFFER_SIZE);
+ self.active_triggers
+ .entry(db)
+ .or_default()
+ .insert(trigger, tx);
+ rx
+ }
+}
+
+impl ProcessingEngineManagerImpl {
+ pub fn new(
+ plugin_dir: Option<std::path::PathBuf>,
+ catalog: Arc<Catalog>,
+ write_buffer: Arc<dyn WriteBuffer>,
+ query_executor: Arc<dyn QueryExecutor>,
+ time_provider: Arc<dyn TimeProvider>,
+ wal: Arc<dyn Wal>,
+ ) -> Self {
+ Self {
+ plugin_dir,
+ catalog,
+ _write_buffer: write_buffer,
+ _query_executor: query_executor,
+ time_provider,
+ wal,
+ plugin_event_tx: Default::default(),
+ }
+ }
+
+ pub fn read_plugin_code(&self, name: &str) -> Result<String, plugins::Error> {
+ let plugin_dir = self.plugin_dir.clone().context("plugin dir not set")?;
+ let path = plugin_dir.join(name);
+ Ok(std::fs::read_to_string(path)?)
+ }
+}
+
+#[async_trait::async_trait]
+impl ProcessingEngineManager for ProcessingEngineManagerImpl {
+ async fn insert_plugin(
+ &self,
+ db: &str,
+ plugin_name: String,
+ code: String,
+ plugin_type: PluginType,
+ ) -> Result<(), ProcessingEngineError> {
+ let (db_id, db_schema) = self
+ .catalog
+ .db_id_and_schema(db)
+ .ok_or_else(|| ProcessingEngineError::DatabaseNotFound(db.to_string()))?;
+
+ let catalog_op = CatalogOp::CreatePlugin(PluginDefinition {
+ plugin_name,
+ code,
+ plugin_type,
+ });
+
+ let creation_time = self.time_provider.now();
+ let catalog_batch = CatalogBatch {
+ time_ns: creation_time.timestamp_nanos(),
+ database_id: db_id,
+ database_name: Arc::clone(&db_schema.name),
+ ops: vec![catalog_op],
+ };
+ if let Some(catalog_batch) = self.catalog.apply_catalog_batch(&catalog_batch)? {
+ let wal_op = WalOp::Catalog(catalog_batch);
+ self.wal.write_ops(vec![wal_op]).await?;
+ }
+ Ok(())
+ }
+
+ async fn delete_plugin(
+ &self,
+ db: &str,
+ plugin_name: &str,
+ ) -> Result<(), ProcessingEngineError> {
+ let (db_id, db_schema) = self
+ .catalog
+ .db_id_and_schema(db)
+ .ok_or_else(|| ProcessingEngineError::DatabaseNotFound(db.to_string()))?;
+ let catalog_op = CatalogOp::DeletePlugin(DeletePluginDefinition {
+ plugin_name: plugin_name.to_string(),
+ });
+ let catalog_batch = CatalogBatch {
+ time_ns: self.time_provider.now().timestamp_nanos(),
+ database_id: db_id,
+ database_name: Arc::clone(&db_schema.name),
+ ops: vec![catalog_op],
+ };
+
+ if let Some(catalog_batch) = self.catalog.apply_catalog_batch(&catalog_batch)? {
+ self.wal
+ .write_ops(vec![WalOp::Catalog(catalog_batch)])
+ .await?;
+ }
+ Ok(())
+ }
+
+ async fn insert_trigger(
+ &self,
+ db_name: &str,
+ trigger_name: String,
+ plugin_name: String,
+ trigger_specification: TriggerSpecificationDefinition,
+ disabled: bool,
+ ) -> Result<(), ProcessingEngineError> {
+ let Some((db_id, db_schema)) = self.catalog.db_id_and_schema(db_name) else {
+ return Err(ProcessingEngineError::DatabaseNotFound(db_name.to_string()));
+ };
+ let plugin = db_schema
+ .processing_engine_plugins
+ .get(&plugin_name)
+ .ok_or_else(|| catalog::Error::ProcessingEnginePluginNotFound {
+ plugin_name: plugin_name.to_string(),
+ database_name: db_schema.name.to_string(),
+ })?;
+ let catalog_op = CatalogOp::CreateTrigger(TriggerDefinition {
+ trigger_name,
+ plugin_name,
+ plugin: plugin.clone(),
+ trigger: trigger_specification,
+ disabled,
+ database_name: db_name.to_string(),
+ });
+ let creation_time = self.time_provider.now();
+ let catalog_batch = CatalogBatch {
+ time_ns: creation_time.timestamp_nanos(),
+ database_id: db_id,
+ database_name: Arc::clone(&db_schema.name),
+ ops: vec![catalog_op],
+ };
+ if let Some(catalog_batch) = self.catalog.apply_catalog_batch(&catalog_batch)? {
+ let wal_op = WalOp::Catalog(catalog_batch);
+ self.wal.write_ops(vec![wal_op]).await?;
+ }
+ Ok(())
+ }
+
+ async fn delete_trigger(
+ &self,
+ db: &str,
+ trigger_name: &str,
+ force: bool,
+ ) -> Result<(), ProcessingEngineError> {
+ let (db_id, db_schema) = self
+ .catalog
+ .db_id_and_schema(db)
+ .ok_or_else(|| ProcessingEngineError::DatabaseNotFound(db.to_string()))?;
+ let catalog_op = CatalogOp::DeleteTrigger(DeleteTriggerDefinition {
+ trigger_name: trigger_name.to_string(),
+ force,
+ });
+ let catalog_batch = CatalogBatch {
+ time_ns: self.time_provider.now().timestamp_nanos(),
+ database_id: db_id,
+ database_name: Arc::clone(&db_schema.name),
+ ops: vec![catalog_op],
+ };
+
+ // Do this first to avoid a dangling running plugin.
+ // Potential edge-case of a plugin being stopped but not deleted,
+ // but should be okay given desire to force delete.
+ let needs_deactivate = force
+ && db_schema
+ .processing_engine_triggers
+ .get(trigger_name)
+ .is_some_and(|trigger| !trigger.disabled);
+
+ if needs_deactivate {
+ self.deactivate_trigger(db, trigger_name).await?;
+ }
+
+ if let Some(catalog_batch) = self.catalog.apply_catalog_batch(&catalog_batch)? {
+ self.wal
+ .write_ops(vec![WalOp::Catalog(catalog_batch)])
+ .await?;
+ }
+ Ok(())
+ }
+
+ #[cfg_attr(not(feature = "system-py"), allow(unused))]
+ async fn run_trigger(
+ &self,
+ write_buffer: Arc<dyn WriteBuffer>,
+ query_executor: Arc<dyn QueryExecutor>,
+ db_name: &str,
+ trigger_name: &str,
+ ) -> Result<(), ProcessingEngineError> {
+ #[cfg(feature = "system-py")]
+ {
+ let db_schema = self
+ .catalog
+ .db_schema(db_name)
+ .ok_or_else(|| ProcessingEngineError::DatabaseNotFound(db_name.to_string()))?;
+ let trigger = db_schema
+ .processing_engine_triggers
+ .get(trigger_name)
+ .ok_or_else(|| ProcessingEngineTriggerNotFound {
+ database_name: db_name.to_string(),
+ trigger_name: trigger_name.to_string(),
+ })?
+ .clone();
+
+ let trigger_rx = self
+ .plugin_event_tx
+ .lock()
+ .await
+ .add_trigger(db_name.to_string(), trigger_name.to_string());
+
+ let plugin_context = PluginContext {
+ trigger_rx,
+ write_buffer,
+ query_executor,
+ };
+ plugins::run_plugin(db_name.to_string(), trigger, plugin_context);
+ }
+
+ Ok(())
+ }
+
+ async fn deactivate_trigger(
+ &self,
+ db_name: &str,
+ trigger_name: &str,
+ ) -> Result<(), ProcessingEngineError> {
+ let (db_id, db_schema) = self
+ .catalog
+ .db_id_and_schema(db_name)
+ .ok_or_else(|| ProcessingEngineError::DatabaseNotFound(db_name.to_string()))?;
+ let trigger = db_schema
+ .processing_engine_triggers
+ .get(trigger_name)
+ .ok_or_else(|| ProcessingEngineTriggerNotFound {
+ database_name: db_name.to_string(),
+ trigger_name: trigger_name.to_string(),
+ })?;
+ // Already disabled, so this is a no-op
+ if trigger.disabled {
+ return Ok(());
+ };
+
+ let catalog_op = CatalogOp::DisableTrigger(TriggerIdentifier {
+ db_name: db_name.to_string(),
+ trigger_name: trigger_name.to_string(),
+ });
+ if let Some(catalog_batch) = self.catalog.apply_catalog_batch(&CatalogBatch {
+ database_id: db_id,
+ database_name: Arc::clone(&db_schema.name),
+ time_ns: self.time_provider.now().timestamp_nanos(),
+ ops: vec![catalog_op],
+ })? {
+ let wal_op = WalOp::Catalog(catalog_batch);
+ self.wal.write_ops(vec![wal_op]).await?;
+ }
+
+ let mut plugin_channels = self.plugin_event_tx.lock().await;
+ plugin_channels
+ .shutdown(db_name.to_string(), trigger_name.to_string())
+ .await;
+
+ Ok(())
+ }
+
+ async fn activate_trigger(
+ &self,
+ write_buffer: Arc<dyn WriteBuffer>,
+ query_executor: Arc<dyn QueryExecutor>,
+ db_name: &str,
+ trigger_name: &str,
+ ) -> Result<(), ProcessingEngineError> {
+ let (db_id, db_schema) = self
+ .catalog
+ .db_id_and_schema(db_name)
+ .ok_or_else(|| ProcessingEngineError::DatabaseNotFound(db_name.to_string()))?;
+ let trigger = db_schema
+ .processing_engine_triggers
+ .get(trigger_name)
+ .ok_or_else(|| ProcessingEngineTriggerNotFound {
+ database_name: db_name.to_string(),
+ trigger_name: trigger_name.to_string(),
+ })?;
+ // Already enabled, so this is a no-op
+ if !trigger.disabled {
+ return Ok(());
+ };
+
+ let catalog_op = CatalogOp::EnableTrigger(TriggerIdentifier {
+ db_name: db_name.to_string(),
+ trigger_name: trigger_name.to_string(),
+ });
+ if let Some(catalog_batch) = self.catalog.apply_catalog_batch(&CatalogBatch {
+ database_id: db_id,
+ database_name: Arc::clone(&db_schema.name),
+ time_ns: self.time_provider.now().timestamp_nanos(),
+ ops: vec![catalog_op],
+ })? {
+ let wal_op = WalOp::Catalog(catalog_batch);
+ self.wal.write_ops(vec![wal_op]).await?;
+ }
+
+ self.run_trigger(write_buffer, query_executor, db_name, trigger_name)
+ .await?;
+ Ok(())
+ }
+
+ #[cfg_attr(not(feature = "system-py"), allow(unused))]
+ async fn test_wal_plugin(
+ &self,
+ request: WalPluginTestRequest,
+ query_executor: Arc<dyn QueryExecutor>,
+ ) -> Result<WalPluginTestResponse, plugins::Error> {
+ #[cfg(feature = "system-py")]
+ {
+ // create a copy of the catalog so we don't modify the original
+ let catalog = Arc::new(Catalog::from_inner(self.catalog.clone_inner()));
+ let now = self.time_provider.now();
+
+ let code = self.read_plugin_code(&request.filename)?;
+
+ let res = plugins::run_test_wal_plugin(now, catalog, query_executor, code, request)
+ .unwrap_or_else(|e| WalPluginTestResponse {
+ log_lines: vec![],
+ database_writes: Default::default(),
+ errors: vec![e.to_string()],
+ });
+
+ return Ok(res);
+ }
+
+ #[cfg(not(feature = "system-py"))]
+ Err(plugins::Error::AnyhowError(anyhow::anyhow!(
+ "system-py feature not enabled"
+ )))
+ }
+}
+
+#[allow(unused)]
+pub(crate) enum PluginEvent {
+ WriteWalContents(Arc<WalContents>),
+ Shutdown(oneshot::Sender<()>),
+}
+
+#[cfg(test)]
+mod tests {
+ use crate::manager::{ProcessingEngineError, ProcessingEngineManager};
+ use crate::ProcessingEngineManagerImpl;
+ use data_types::NamespaceName;
+ use datafusion_util::config::register_iox_object_store;
+ use influxdb3_cache::last_cache::LastCacheProvider;
+ use influxdb3_cache::meta_cache::MetaCacheProvider;
+ use influxdb3_catalog::catalog;
+ use influxdb3_internal_api::query_executor::UnimplementedQueryExecutor;
+ use influxdb3_wal::{
+ Gen1Duration, PluginDefinition, PluginType, TriggerSpecificationDefinition, WalConfig,
+ };
+ use influxdb3_write::persister::Persister;
+ use influxdb3_write::write_buffer::{WriteBufferImpl, WriteBufferImplArgs};
+ use influxdb3_write::{Precision, WriteBuffer};
+ use iox_query::exec::{DedicatedExecutor, Executor, ExecutorConfig, IOxSessionContext};
+ use iox_time::{MockProvider, Time, TimeProvider};
+ use metric::Registry;
+ use object_store::memory::InMemory;
+ use object_store::ObjectStore;
+ use parquet_file::storage::{ParquetStorage, StorageId};
+ use std::num::NonZeroUsize;
+ use std::sync::Arc;
+ use std::time::Duration;
+
+ #[tokio::test]
+ async fn test_create_plugin() -> influxdb3_write::write_buffer::Result<()> {
+ let start_time = Time::from_rfc3339("2024-11-14T11:00:00+00:00").unwrap();
+ let test_store = Arc::new(InMemory::new());
+ let wal_config = WalConfig {
+ gen1_duration: Gen1Duration::new_1m(),
+ max_write_buffer_size: 100,
+ flush_interval: Duration::from_millis(10),
+ snapshot_size: 1,
+ };
+ let pem = setup(start_time, test_store, wal_config).await;
+
+ pem._write_buffer
+ .write_lp(
+ NamespaceName::new("foo").unwrap(),
+ "cpu,warehouse=us-east,room=01a,device=10001 reading=37\n",
+ start_time,
+ false,
+ Precision::Nanosecond,
+ )
+ .await?;
+
+ let empty_udf = r#"def example(iterator, output):
+ return"#;
+
+ pem.insert_plugin(
+ "foo",
+ "my_plugin".to_string(),
+ empty_udf.to_string(),
+ PluginType::WalRows,
+ )
+ .await
+ .unwrap();
+
+ let plugin = pem
+ .catalog
+ .db_schema("foo")
+ .expect("should have db named foo")
+ .processing_engine_plugins
+ .get("my_plugin")
+ .unwrap()
+ .clone();
+ let expected = PluginDefinition {
+ plugin_name: "my_plugin".to_string(),
+ code: empty_udf.to_string(),
+ plugin_type: PluginType::WalRows,
+ };
+ assert_eq!(expected, plugin);
+
+ // confirm that creating it again is a no-op.
+ pem.insert_plugin(
+ "foo",
+ "my_plugin".to_string(),
+ empty_udf.to_string(),
+ PluginType::WalRows,
+ )
+ .await
+ .unwrap();
+
+ // Confirm the same contents can be added to a new name.
+ pem.insert_plugin(
+ "foo",
+ "my_second_plugin".to_string(),
+ empty_udf.to_string(),
+ PluginType::WalRows,
+ )
+ .await
+ .unwrap();
+ Ok(())
+ }
+ #[tokio::test]
+ async fn test_delete_plugin() -> influxdb3_write::write_buffer::Result<()> {
+ let start_time = Time::from_rfc3339("2024-11-14T11:00:00+00:00").unwrap();
+ let test_store = Arc::new(InMemory::new());
+ let wal_config = WalConfig {
+ gen1_duration: Gen1Duration::new_1m(),
+ max_write_buffer_size: 100,
+ flush_interval: Duration::from_millis(10),
+ snapshot_size: 1,
+ };
+ let pem = setup(start_time, test_store, wal_config).await;
+
+ // Create the DB by inserting a line.
+ pem._write_buffer
+ .write_lp(
+ NamespaceName::new("foo").unwrap(),
+ "cpu,warehouse=us-east,room=01a,device=10001 reading=37\n",
+ start_time,
+ false,
+ Precision::Nanosecond,
+ )
+ .await?;
+
+ // First create a plugin
+ pem.insert_plugin(
+ "foo",
+ "test_plugin".to_string(),
+ "def process(iterator, output): pass".to_string(),
+ PluginType::WalRows,
+ )
+ .await
+ .unwrap();
+
+ // Then delete it
+ pem.delete_plugin("foo", "test_plugin").await.unwrap();
+
+ // Verify plugin is gone from schema
+ let schema = pem.catalog.db_schema("foo").unwrap();
+ assert!(!schema.processing_engine_plugins.contains_key("test_plugin"));
+
+ // Verify we can add a newly named plugin
+ pem.insert_plugin(
+ "foo",
+ "test_plugin".to_string(),
+ "def new_process(iterator, output): pass".to_string(),
+ PluginType::WalRows,
+ )
+ .await
+ .unwrap();
+
+ Ok(())
+ }
+
+ #[tokio::test]
+ async fn test_delete_plugin_with_active_trigger() -> influxdb3_write::write_buffer::Result<()> {
+ let start_time = Time::from_rfc3339("2024-11-14T11:00:00+00:00").unwrap();
+ let test_store = Arc::new(InMemory::new());
+ let wal_config = WalConfig {
+ gen1_duration: Gen1Duration::new_1m(),
+ max_write_buffer_size: 100,
+ flush_interval: Duration::from_millis(10),
+ snapshot_size: 1,
+ };
+ let pem = setup(start_time, test_store, wal_config).await;
+
+ // Create the DB by inserting a line.
+ pem._write_buffer
+ .write_lp(
+ NamespaceName::new("foo").unwrap(),
+ "cpu,warehouse=us-east,room=01a,device=10001 reading=37\n",
+ start_time,
+ false,
+ Precision::Nanosecond,
+ )
+ .await?;
+
+ // Create a plugin
+ pem.insert_plugin(
+ "foo",
+ "test_plugin".to_string(),
+ "def process(iterator, output): pass".to_string(),
+ PluginType::WalRows,
+ )
+ .await
+ .unwrap();
+
+ // Create a trigger using the plugin
+ pem.insert_trigger(
+ "foo",
+ "test_trigger".to_string(),
+ "test_plugin".to_string(),
+ TriggerSpecificationDefinition::AllTablesWalWrite,
+ false,
+ )
+ .await
+ .unwrap();
+
+ // Try to delete the plugin - should fail because trigger exists
+ let result = pem.delete_plugin("foo", "test_plugin").await;
+ assert!(matches!(
+ result,
+ Err(ProcessingEngineError::CatalogUpdateError(catalog::Error::ProcessingEnginePluginInUse {
+ database_name,
+ plugin_name,
+ trigger_name,
+ })) if database_name == "foo" && plugin_name == "test_plugin" && trigger_name == "test_trigger"
+ ));
+ Ok(())
+ }
+
+ #[tokio::test]
+ async fn test_trigger_lifecycle() -> influxdb3_write::write_buffer::Result<()> {
+ let start_time = Time::from_rfc3339("2024-11-14T11:00:00+00:00").unwrap();
+ let test_store = Arc::new(InMemory::new());
+ let wal_config = WalConfig {
+ gen1_duration: Gen1Duration::new_1m(),
+ max_write_buffer_size: 100,
+ flush_interval: Duration::from_millis(10),
+ snapshot_size: 1,
+ };
+ let pem = setup(start_time, test_store, wal_config).await;
+
+ // convert to Arc<WriteBuffer>
+ let write_buffer: Arc<dyn WriteBuffer> = Arc::clone(&pem._write_buffer);
+
+ // Create the DB by inserting a line.
+ write_buffer
+ .write_lp(
+ NamespaceName::new("foo").unwrap(),
+ "cpu,warehouse=us-east,room=01a,device=10001 reading=37\n",
+ start_time,
+ false,
+ Precision::Nanosecond,
+ )
+ .await?;
+
+ // Create a plugin
+ pem.insert_plugin(
+ "foo",
+ "test_plugin".to_string(),
+ "def process(iterator, output): pass".to_string(),
+ PluginType::WalRows,
+ )
+ .await
+ .unwrap();
+
+ // Create an enabled trigger
+ pem.insert_trigger(
+ "foo",
+ "test_trigger".to_string(),
+ "test_plugin".to_string(),
+ TriggerSpecificationDefinition::AllTablesWalWrite,
+ false,
+ )
+ .await
+ .unwrap();
+ // Run the trigger
+ pem.run_trigger(
+ Arc::clone(&write_buffer),
+ Arc::clone(&pem._query_executor),
+ "foo",
+ "test_trigger",
+ )
+ .await
+ .unwrap();
+
+ // Deactivate the trigger
+ let result = pem.deactivate_trigger("foo", "test_trigger").await;
+ assert!(result.is_ok());
+
+ // Verify trigger is disabled in schema
+ let schema = write_buffer.catalog().db_schema("foo").unwrap();
+ let trigger = schema
+ .processing_engine_triggers
+ .get("test_trigger")
+ .unwrap();
+ assert!(trigger.disabled);
+
+ // Activate the trigger
+ let result = pem
+ .activate_trigger(
+ Arc::clone(&write_buffer),
+ Arc::clone(&pem._query_executor),
+ "foo",
+ "test_trigger",
+ )
+ .await;
+ assert!(result.is_ok());
+
+ // Verify trigger is enabled and running
+ let schema = write_buffer.catalog().db_schema("foo").unwrap();
+ let trigger = schema
+ .processing_engine_triggers
+ .get("test_trigger")
+ .unwrap();
+ assert!(!trigger.disabled);
+ Ok(())
+ }
+
+ #[tokio::test]
+ async fn test_create_disabled_trigger() -> influxdb3_write::write_buffer::Result<()> {
+ let start_time = Time::from_rfc3339("2024-11-14T11:00:00+00:00").unwrap();
+ let test_store = Arc::new(InMemory::new());
+ let wal_config = WalConfig {
+ gen1_duration: Gen1Duration::new_1m(),
+ max_write_buffer_size: 100,
+ flush_interval: Duration::from_millis(10),
+ snapshot_size: 1,
+ };
+ let pem = setup(start_time, test_store, wal_config).await;
+
+ // Create the DB by inserting a line.
+ pem._write_buffer
+ .write_lp(
+ NamespaceName::new("foo").unwrap(),
+ "cpu,warehouse=us-east,room=01a,device=10001 reading=37\n",
+ start_time,
+ false,
+ Precision::Nanosecond,
+ )
+ .await?;
+
+ // Create a plugin
+ pem.insert_plugin(
+ "foo",
+ "test_plugin".to_string(),
+ "def process(iterator, output): pass".to_string(),
+ PluginType::WalRows,
+ )
+ .await
+ .unwrap();
+
+ // Create a disabled trigger
+ pem.insert_trigger(
+ "foo",
+ "test_trigger".to_string(),
+ "test_plugin".to_string(),
+ TriggerSpecificationDefinition::AllTablesWalWrite,
+ true,
+ )
+ .await
+ .unwrap();
+
+ // Verify trigger is created but disabled
+ let schema = pem.catalog.db_schema("foo").unwrap();
+ let trigger = schema
+ .processing_engine_triggers
+ .get("test_trigger")
+ .unwrap();
+ assert!(trigger.disabled);
+
+ // Verify trigger is not in active triggers list
+ assert!(pem.catalog.triggers().is_empty());
+ Ok(())
+ }
+
+ #[tokio::test]
+ async fn test_activate_nonexistent_trigger() -> influxdb3_write::write_buffer::Result<()> {
+ let start_time = Time::from_rfc3339("2024-11-14T11:00:00+00:00").unwrap();
+ let test_store = Arc::new(InMemory::new());
+ let wal_config = WalConfig {
+ gen1_duration: Gen1Duration::new_1m(),
+ max_write_buffer_size: 100,
+ flush_interval: Duration::from_millis(10),
+ snapshot_size: 1,
+ };
+ let pem = setup(start_time, test_store, wal_config).await;
+
+ let write_buffer: Arc<dyn WriteBuffer> = Arc::clone(&pem._write_buffer);
+
+ // Create the DB by inserting a line.
+ write_buffer
+ .write_lp(
+ NamespaceName::new("foo").unwrap(),
+ "cpu,warehouse=us-east,room=01a,device=10001 reading=37\n",
+ start_time,
+ false,
+ Precision::Nanosecond,
+ )
+ .await?;
+
+ let result = pem
+ .activate_trigger(
+ Arc::clone(&write_buffer),
+ Arc::clone(&pem._query_executor),
+ "foo",
+ "nonexistent_trigger",
+ )
+ .await;
+
+ assert!(matches!(
+ result,
+ Err(ProcessingEngineError::CatalogUpdateError(catalog::Error::ProcessingEngineTriggerNotFound {
+ database_name,
+ trigger_name,
+ })) if database_name == "foo" && trigger_name == "nonexistent_trigger"
+ ));
+ Ok(())
+ }
+
+ async fn setup(
+ start: Time,
+ object_store: Arc<dyn ObjectStore>,
+ wal_config: WalConfig,
+ ) -> ProcessingEngineManagerImpl {
+ let time_provider: Arc<dyn TimeProvider> = Arc::new(MockProvider::new(start));
+ let metric_registry = Arc::new(Registry::new());
+ let persister = Arc::new(Persister::new(Arc::clone(&object_store), "test_host"));
+ let catalog = Arc::new(persister.load_or_create_catalog().await.unwrap());
+ let last_cache = LastCacheProvider::new_from_catalog(Arc::clone(&catalog) as _).unwrap();
+ let meta_cache =
+ MetaCacheProvider::new_from_catalog(Arc::clone(&time_provider), Arc::clone(&catalog))
+ .unwrap();
+ let wbuf = WriteBufferImpl::new(WriteBufferImplArgs {
+ persister,
+ catalog: Arc::clone(&catalog),
+ last_cache,
+ meta_cache,
+ time_provider: Arc::clone(&time_provider),
+ executor: make_exec(),
+ wal_config,
+ parquet_cache: None,
+ metric_registry: Arc::clone(&metric_registry),
+ })
+ .await
+ .unwrap();
+ let ctx = IOxSessionContext::with_testing();
+ let runtime_env = ctx.inner().runtime_env();
+ register_iox_object_store(runtime_env, "influxdb3", Arc::clone(&object_store));
+
+ let qe = Arc::new(UnimplementedQueryExecutor);
+ let wal = wbuf.wal();
+
+ ProcessingEngineManagerImpl::new(None, catalog, wbuf, qe, time_provider, wal)
+ }
+
+ pub(crate) fn make_exec() -> Arc<Executor> {
+ let metrics = Arc::new(metric::Registry::default());
+ let object_store: Arc<dyn ObjectStore> = Arc::new(InMemory::new());
+
+ let parquet_store = ParquetStorage::new(
+ Arc::clone(&object_store),
+ StorageId::from("test_exec_storage"),
+ );
+ Arc::new(Executor::new_with_config_and_executor(
+ ExecutorConfig {
+ target_query_partitions: NonZeroUsize::new(1).unwrap(),
+ object_stores: [&parquet_store]
+ .into_iter()
+ .map(|store| (store.id(), Arc::clone(store.object_store())))
+ .collect(),
+ metric_registry: Arc::clone(&metrics),
+ // Default to 1gb
+ mem_pool_size: 1024 * 1024 * 1024, // 1024 (b/kb) * 1024 (kb/mb) * 1024 (mb/gb)
+ },
+ DedicatedExecutor::new_testing(),
+ ))
+ }
+}
diff --git a/influxdb3_processing_engine/src/manager.rs b/influxdb3_processing_engine/src/manager.rs
new file mode 100644
index 0000000000..ee3087a891
--- /dev/null
+++ b/influxdb3_processing_engine/src/manager.rs
@@ -0,0 +1,85 @@
+use influxdb3_client::plugin_development::{WalPluginTestRequest, WalPluginTestResponse};
+use influxdb3_internal_api::query_executor::QueryExecutor;
+use influxdb3_wal::{PluginType, TriggerSpecificationDefinition};
+use influxdb3_write::WriteBuffer;
+use std::fmt::Debug;
+use std::sync::Arc;
+use thiserror::Error;
+
+#[derive(Debug, Error)]
+pub enum ProcessingEngineError {
+ #[error("database not found: {0}")]
+ DatabaseNotFound(String),
+
+ #[error("catalog update error: {0}")]
+ CatalogUpdateError(#[from] influxdb3_catalog::catalog::Error),
+
+ #[error("write buffer error: {0}")]
+ WriteBufferError(#[from] influxdb3_write::write_buffer::Error),
+
+ #[error("wal error: {0}")]
+ WalError(#[from] influxdb3_wal::Error),
+}
+
+/// `[ProcessingEngineManager]` is used to interact with the processing engine,
+/// in particular plugins and triggers.
+///
+#[async_trait::async_trait]
+pub trait ProcessingEngineManager: Debug + Send + Sync + 'static {
+ /// Inserts a plugin
+ async fn insert_plugin(
+ &self,
+ db: &str,
+ plugin_name: String,
+ code: String,
+ plugin_type: PluginType,
+ ) -> Result<(), ProcessingEngineError>;
+
+ async fn delete_plugin(&self, db: &str, plugin_name: &str)
+ -> Result<(), ProcessingEngineError>;
+
+ async fn insert_trigger(
+ &self,
+ db_name: &str,
+ trigger_name: String,
+ plugin_name: String,
+ trigger_specification: TriggerSpecificationDefinition,
+ disabled: bool,
+ ) -> Result<(), ProcessingEngineError>;
+
+ async fn delete_trigger(
+ &self,
+ db_name: &str,
+ trigger_name: &str,
+ force: bool,
+ ) -> Result<(), ProcessingEngineError>;
+
+ /// Starts running the trigger, which will run in the background.
+ async fn run_trigger(
+ &self,
+ write_buffer: Arc<dyn WriteBuffer>,
+ query_executor: Arc<dyn QueryExecutor>,
+ db_name: &str,
+ trigger_name: &str,
+ ) -> Result<(), ProcessingEngineError>;
+
+ async fn deactivate_trigger(
+ &self,
+ db_name: &str,
+ trigger_name: &str,
+ ) -> Result<(), ProcessingEngineError>;
+
+ async fn activate_trigger(
+ &self,
+ write_buffer: Arc<dyn WriteBuffer>,
+ query_executor: Arc<dyn QueryExecutor>,
+ db_name: &str,
+ trigger_name: &str,
+ ) -> Result<(), ProcessingEngineError>;
+
+ async fn test_wal_plugin(
+ &self,
+ request: WalPluginTestRequest,
+ query_executor: Arc<dyn QueryExecutor>,
+ ) -> Result<WalPluginTestResponse, crate::plugins::Error>;
+}
diff --git a/influxdb3_write/src/write_buffer/plugins.rs b/influxdb3_processing_engine/src/plugins.rs
similarity index 71%
rename from influxdb3_write/src/write_buffer/plugins.rs
rename to influxdb3_processing_engine/src/plugins.rs
index ed9c571d75..06f2818aed 100644
--- a/influxdb3_write/src/write_buffer/plugins.rs
+++ b/influxdb3_processing_engine/src/plugins.rs
@@ -1,11 +1,22 @@
-use crate::write_buffer::{plugins, PluginEvent};
-use crate::{write_buffer, WriteBuffer};
+#[cfg(feature = "system-py")]
+use crate::PluginEvent;
+#[cfg(feature = "system-py")]
use influxdb3_client::plugin_development::{WalPluginTestRequest, WalPluginTestResponse};
+#[cfg(feature = "system-py")]
use influxdb3_internal_api::query_executor::QueryExecutor;
-use influxdb3_wal::{PluginType, TriggerDefinition, TriggerSpecificationDefinition};
+#[cfg(feature = "system-py")]
+use influxdb3_wal::TriggerDefinition;
+#[cfg(feature = "system-py")]
+use influxdb3_wal::TriggerSpecificationDefinition;
+use influxdb3_write::write_buffer;
+#[cfg(feature = "system-py")]
+use influxdb3_write::WriteBuffer;
+use observability_deps::tracing::error;
use std::fmt::Debug;
+#[cfg(feature = "system-py")]
use std::sync::Arc;
use thiserror::Error;
+#[cfg(feature = "system-py")]
use tokio::sync::mpsc;
#[derive(Debug, Error)]
@@ -33,176 +44,148 @@ pub enum Error {
ReadPluginError(#[from] std::io::Error),
}
-/// `[ProcessingEngineManager]` is used to interact with the processing engine,
-/// in particular plugins and triggers.
-///
-#[async_trait::async_trait]
-pub trait ProcessingEngineManager: Debug + Send + Sync + 'static {
- /// Inserts a plugin
- async fn insert_plugin(
- &self,
- db: &str,
- plugin_name: String,
- code: String,
- function_name: String,
- plugin_type: PluginType,
- ) -> crate::Result<(), write_buffer::Error>;
-
- async fn delete_plugin(
- &self,
- db: &str,
- plugin_name: &str,
- ) -> crate::Result<(), write_buffer::Error>;
-
- async fn insert_trigger(
- &self,
- db_name: &str,
- trigger_name: String,
- plugin_name: String,
- trigger_specification: TriggerSpecificationDefinition,
- disabled: bool,
- ) -> crate::Result<(), write_buffer::Error>;
-
- async fn delete_trigger(
- &self,
- db_name: &str,
- trigger_name: &str,
- force: bool,
- ) -> crate::Result<(), write_buffer::Error>;
-
- /// Starts running the trigger, which will run in the background.
- async fn run_trigger(
- &self,
- write_buffer: Arc<dyn WriteBuffer>,
- db_name: &str,
- trigger_name: &str,
- ) -> crate::Result<(), write_buffer::Error>;
-
- async fn deactivate_trigger(
- &self,
- db_name: &str,
- trigger_name: &str,
- ) -> Result<(), write_buffer::Error>;
-
- async fn activate_trigger(
- &self,
- write_buffer: Arc<dyn WriteBuffer>,
- db_name: &str,
- trigger_name: &str,
- ) -> Result<(), write_buffer::Error>;
-
- async fn test_wal_plugin(
- &self,
- request: WalPluginTestRequest,
- query_executor: Arc<dyn QueryExecutor>,
- ) -> crate::Result<WalPluginTestResponse, plugins::Error>;
-}
-
#[cfg(feature = "system-py")]
pub(crate) fn run_plugin(
db_name: String,
trigger_definition: TriggerDefinition,
- mut context: PluginContext,
+ context: PluginContext,
) {
let trigger_plugin = TriggerPlugin {
trigger_definition,
db_name,
+ write_buffer: context.write_buffer,
+ query_executor: context.query_executor,
};
tokio::task::spawn(async move {
trigger_plugin
- .run_plugin(&mut context)
+ .run_plugin(context.trigger_rx)
.await
.expect("trigger plugin failed");
});
}
+#[cfg(feature = "system-py")]
pub(crate) struct PluginContext {
// tokio channel for inputs
pub(crate) trigger_rx: mpsc::Receiver<PluginEvent>,
// handler to write data back to the DB.
pub(crate) write_buffer: Arc<dyn WriteBuffer>,
+ // query executor to hand off to the plugin
+ pub(crate) query_executor: Arc<dyn QueryExecutor>,
}
+#[cfg(feature = "system-py")]
#[async_trait::async_trait]
trait RunnablePlugin {
// Returns true if it should exit
- async fn process_event(
+ async fn process_event(&self, event: PluginEvent) -> Result<bool, Error>;
+ async fn run_plugin(
&self,
- event: PluginEvent,
- write_buffer: Arc<dyn WriteBuffer>,
- ) -> Result<bool, Error>;
- async fn run_plugin(&self, context: &mut PluginContext) -> Result<(), Error> {
- while let Some(event) = context.trigger_rx.recv().await {
- if self
- .process_event(event, context.write_buffer.clone())
- .await?
- {
- break;
- }
- }
- Ok(())
- }
+ receiver: tokio::sync::mpsc::Receiver<PluginEvent>,
+ ) -> Result<(), Error>;
}
+
+#[cfg(feature = "system-py")]
#[derive(Debug)]
struct TriggerPlugin {
trigger_definition: TriggerDefinition,
db_name: String,
+ write_buffer: Arc<dyn WriteBuffer>,
+ query_executor: Arc<dyn QueryExecutor>,
}
#[cfg(feature = "system-py")]
mod python_plugin {
use super::*;
- use crate::Precision;
+ use anyhow::Context;
use data_types::NamespaceName;
- use influxdb3_py_api::system_py::PyWriteBatch;
+ use hashbrown::HashMap;
+ use influxdb3_py_api::system_py::execute_python_with_batch;
use influxdb3_wal::WalOp;
+ use influxdb3_write::Precision;
use iox_time::Time;
+ use observability_deps::tracing::warn;
use std::time::SystemTime;
+ use tokio::sync::mpsc::Receiver;
#[async_trait::async_trait]
impl RunnablePlugin for TriggerPlugin {
- async fn process_event(
- &self,
- event: PluginEvent,
- write_buffer: Arc<dyn WriteBuffer>,
- ) -> Result<bool, Error> {
- let Some(schema) = write_buffer.catalog().db_schema(self.db_name.as_str()) else {
+ async fn run_plugin(&self, mut receiver: Receiver<PluginEvent>) -> Result<(), Error> {
+ loop {
+ let event = match receiver.recv().await {
+ Some(event) => event,
+ None => {
+ warn!(?self.trigger_definition, "trigger plugin receiver closed");
+ break;
+ }
+ };
+
+ match self.process_event(event).await {
+ Ok(stop) => {
+ if stop {
+ break;
+ }
+ }
+ Err(e) => {
+ error!(?self.trigger_definition, "error processing event: {}", e);
+ }
+ }
+ }
+
+ Ok(())
+ }
+ async fn process_event(&self, event: PluginEvent) -> Result<bool, Error> {
+ let Some(schema) = self.write_buffer.catalog().db_schema(self.db_name.as_str()) else {
return Err(Error::MissingDb);
};
- let mut output_lines = Vec::new();
+ let mut db_writes: HashMap<String, Vec<String>> = HashMap::new();
match event {
PluginEvent::WriteWalContents(wal_contents) => {
for wal_op in &wal_contents.ops {
match wal_op {
WalOp::Write(write_batch) => {
- let py_write_batch = PyWriteBatch {
- // TODO: don't clone the write batch
- write_batch: write_batch.clone(),
- schema: Arc::clone(&schema),
- };
- match &self.trigger_definition.trigger {
+ // determine if this write batch is for this database
+ if write_batch.database_name.as_ref()
+ != self.trigger_definition.database_name
+ {
+ continue;
+ }
+ let table_filter = match &self.trigger_definition.trigger {
+ TriggerSpecificationDefinition::AllTablesWalWrite => {
+ // no filter
+ None
+ }
TriggerSpecificationDefinition::SingleTableWalWrite {
table_name,
} => {
- output_lines.extend(py_write_batch.call_against_table(
- table_name,
- &self.trigger_definition.plugin.code,
- &self.trigger_definition.plugin.function_name,
- )?);
- }
- TriggerSpecificationDefinition::AllTablesWalWrite => {
- for table in schema.table_map.right_values() {
- output_lines.extend(
- py_write_batch.call_against_table(
- table.as_ref(),
- &self.trigger_definition.plugin.code,
- &self.trigger_definition.plugin.function_name,
- )?,
- );
- }
+ let table_id = schema
+ .table_name_to_id(table_name.as_ref())
+ .context("table not found")?;
+ Some(table_id)
}
+ };
+
+ let result = execute_python_with_batch(
+ &self.trigger_definition.plugin.code,
+ write_batch,
+ Arc::clone(&schema),
+ Arc::clone(&self.query_executor),
+ table_filter,
+ None,
+ )?;
+
+ // write the output lines to the appropriate database
+ if !result.write_back_lines.is_empty() {
+ let lines =
+ db_writes.entry_ref(schema.name.as_ref()).or_default();
+ lines.extend(result.write_back_lines);
+ }
+
+ for (db_name, add_lines) in result.write_db_lines {
+ let lines = db_writes.entry(db_name).or_default();
+ lines.extend(add_lines);
}
}
WalOp::Catalog(_) => {}
@@ -215,19 +198,22 @@ mod python_plugin {
return Ok(true);
}
}
- if !output_lines.is_empty() {
- let ingest_time = SystemTime::now()
- .duration_since(SystemTime::UNIX_EPOCH)
- .unwrap();
- write_buffer
- .write_lp(
- NamespaceName::new(self.db_name.to_string()).unwrap(),
- output_lines.join("\n").as_str(),
- Time::from_timestamp_nanos(ingest_time.as_nanos() as i64),
- false,
- Precision::Nanosecond,
- )
- .await?;
+
+ if !db_writes.is_empty() {
+ for (db_name, output_lines) in db_writes {
+ let ingest_time = SystemTime::now()
+ .duration_since(SystemTime::UNIX_EPOCH)
+ .unwrap();
+ self.write_buffer
+ .write_lp(
+ NamespaceName::new(db_name).unwrap(),
+ output_lines.join("\n").as_str(),
+ Time::from_timestamp_nanos(ingest_time.as_nanos() as i64),
+ false,
+ Precision::Nanosecond,
+ )
+ .await?;
+ }
}
Ok(false)
@@ -243,10 +229,10 @@ pub(crate) fn run_test_wal_plugin(
code: String,
request: WalPluginTestRequest,
) -> Result<WalPluginTestResponse, Error> {
- use crate::write_buffer::validator::WriteValidator;
- use crate::Precision;
use data_types::NamespaceName;
use influxdb3_wal::Gen1Duration;
+ use influxdb3_write::write_buffer::validator::WriteValidator;
+ use influxdb3_write::Precision;
let database = request.database;
let namespace = NamespaceName::new(database.clone())
@@ -271,6 +257,7 @@ pub(crate) fn run_test_wal_plugin(
&data.valid_data,
db,
query_executor,
+ None,
request.input_arguments,
)?;
@@ -358,11 +345,11 @@ pub(crate) fn run_test_wal_plugin(
#[cfg(test)]
mod tests {
use super::*;
- use crate::write_buffer::validator::WriteValidator;
- use crate::Precision;
use data_types::NamespaceName;
use influxdb3_catalog::catalog::Catalog;
use influxdb3_internal_api::query_executor::UnimplementedQueryExecutor;
+ use influxdb3_write::write_buffer::validator::WriteValidator;
+ use influxdb3_write::Precision;
use iox_time::Time;
use std::collections::HashMap;
diff --git a/influxdb3_py_api/Cargo.toml b/influxdb3_py_api/Cargo.toml
index aab94b4c36..72e2d12c83 100644
--- a/influxdb3_py_api/Cargo.toml
+++ b/influxdb3_py_api/Cargo.toml
@@ -11,11 +11,11 @@ system-py = ["pyo3"]
[dependencies]
arrow-array.workspace = true
arrow-schema.workspace = true
+influxdb3_id = { path = "../influxdb3_id" }
influxdb3_wal = { path = "../influxdb3_wal" }
influxdb3_catalog = {path = "../influxdb3_catalog"}
influxdb3_internal_api = { path = "../influxdb3_internal_api" }
iox_query_params.workspace = true
-schema.workspace = true
parking_lot.workspace = true
futures.workspace = true
tokio.workspace = true
diff --git a/influxdb3_py_api/src/system_py.rs b/influxdb3_py_api/src/system_py.rs
index 1bc87c2e88..1267807a5f 100644
--- a/influxdb3_py_api/src/system_py.rs
+++ b/influxdb3_py_api/src/system_py.rs
@@ -5,197 +5,22 @@ use arrow_array::{
};
use arrow_schema::DataType;
use futures::TryStreamExt;
-use influxdb3_catalog::catalog::{DatabaseSchema, TableDefinition};
+use influxdb3_catalog::catalog::DatabaseSchema;
+use influxdb3_id::TableId;
use influxdb3_internal_api::query_executor::{QueryExecutor, QueryKind};
-use influxdb3_wal::{FieldData, Row, WriteBatch};
+use influxdb3_wal::{FieldData, WriteBatch};
use iox_query_params::StatementParams;
use parking_lot::Mutex;
use pyo3::exceptions::PyValueError;
-use pyo3::prelude::{PyAnyMethods, PyModule, PyModuleMethods};
+use pyo3::prelude::{PyAnyMethods, PyModule};
use pyo3::types::{PyDict, PyList};
use pyo3::{
- pyclass, pymethods, pymodule, Bound, IntoPyObject, Py, PyAny, PyErr, PyObject, PyResult, Python,
+ pyclass, pymethods, pymodule, Bound, IntoPyObject, Py, PyAny, PyObject, PyResult, Python,
};
-use schema::InfluxColumnType;
use std::collections::HashMap;
use std::ffi::CString;
use std::sync::Arc;
-#[pyclass]
-#[derive(Debug)]
-pub struct PyWriteBatchIterator {
- table_definition: Arc<TableDefinition>,
- rows: Vec<Row>,
- current_index: usize,
-}
-
-#[pymethods]
-impl PyWriteBatchIterator {
- fn next_point(&mut self) -> PyResult<Option<PyObject>> {
- if self.current_index >= self.rows.len() {
- return Ok(None);
- }
-
- Python::with_gil(|py| {
- let row = &self.rows[self.current_index];
- self.current_index += 1;
-
- // Import Point class
- let point_class = py
- .import("influxdb_client_3.write_client.client.write.point")?
- .getattr("Point")
- .unwrap();
-
- // Create new Point instance with measurement name (table name)
- let point = point_class.call1((self.table_definition.table_name.as_ref(),))?;
-
- // Set timestamp
- point.call_method1("time", (row.time,))?;
-
- // Add fields based on column definitions and field data
- for field in &row.fields {
- if let Some(col_def) = self.table_definition.columns.get(&field.id) {
- let field_name = col_def.name.as_ref();
-
- match col_def.data_type {
- InfluxColumnType::Tag => {
- let FieldData::Tag(tag) = &field.value else {
- // error out because we expect a tag
- return Err(PyValueError::new_err(format!(
- "expect FieldData:Tag for tagged columns, not ${:?}",
- field
- )));
- };
- point.call_method1("tag", (field_name, tag.as_str()))?;
- }
- InfluxColumnType::Timestamp => {}
- InfluxColumnType::Field(_) => {
- match &field.value {
- FieldData::String(s) => {
- point.call_method1("field", (field_name, s.as_str()))?
- }
- FieldData::Integer(i) => {
- point.call_method1("field", (field_name, *i))?
- }
- FieldData::UInteger(u) => {
- point.call_method1("field", (field_name, *u))?
- }
- FieldData::Float(f) => {
- point.call_method1("field", (field_name, *f))?
- }
- FieldData::Boolean(b) => {
- point.call_method1("field", (field_name, *b))?
- }
- FieldData::Tag(t) => {
- point.call_method1("field", (field_name, t.as_str()))?
- }
- FieldData::Key(k) => {
- point.call_method1("field", (field_name, k.as_str()))?
- }
- FieldData::Timestamp(ts) => {
- point.call_method1("field", (field_name, *ts))?
- }
- };
- }
- }
- }
- }
-
- Ok(Some(point.into_pyobject(py)?.unbind()))
- })
- }
-}
-
-#[pyclass]
-#[derive(Debug)]
-pub struct PyWriteBatch {
- pub write_batch: WriteBatch,
- pub schema: Arc<DatabaseSchema>,
-}
-
-#[pymethods]
-impl PyWriteBatch {
- fn get_iterator_for_table(&self, table_name: &str) -> PyResult<Option<PyWriteBatchIterator>> {
- // Find table ID from name
- let table_id = self
- .schema
- .table_map
- .get_by_right(&Arc::from(table_name))
- .ok_or_else(|| {
- PyErr::new::<PyValueError, _>(format!("Table '{}' not found", table_name))
- })?;
-
- // Get table chunks
- let Some(chunks) = self.write_batch.table_chunks.get(table_id) else {
- return Ok(None);
- };
-
- // Get table definition
- let table_def = self.schema.tables.get(table_id).ok_or_else(|| {
- PyErr::new::<PyValueError, _>(format!(
- "Table definition not found for '{}'",
- table_name
- ))
- })?;
-
- Ok(Some(PyWriteBatchIterator {
- table_definition: Arc::clone(table_def),
- // TODO: avoid copying all the data at once.
- rows: chunks
- .chunk_time_to_chunk
- .values()
- .flat_map(|chunk| chunk.rows.clone())
- .collect(),
- current_index: 0,
- }))
- }
-}
-
-#[derive(Debug)]
-#[pyclass]
-pub struct PyLineProtocolOutput {
- lines: Arc<Mutex<Vec<String>>>,
-}
-
-#[pymethods]
-impl PyLineProtocolOutput {
- fn insert_line_protocol(&mut self, line: &str) -> PyResult<()> {
- let mut lines = self.lines.lock();
- lines.push(line.to_string());
- Ok(())
- }
-}
-
-impl PyWriteBatch {
- pub fn call_against_table(
- &self,
- table_name: &str,
- setup_code: &str,
- call_site: &str,
- ) -> PyResult<Vec<String>> {
- let Some(iterator) = self.get_iterator_for_table(table_name)? else {
- return Ok(Vec::new());
- };
-
- Python::with_gil(|py| {
- py.run(&CString::new(setup_code)?, None, None)?;
- let py_func = py.eval(&CString::new(call_site)?, None, None)?;
-
- // Create the output collector with shared state
- let lines = Arc::new(Mutex::new(Vec::new()));
- let output = PyLineProtocolOutput {
- lines: Arc::clone(&lines),
- };
-
- // Pass both iterator and output collector to the Python function
- py_func.call1((iterator, output.into_pyobject(py)?))?;
-
- let output_lines = lines.lock().clone();
- Ok(output_lines)
- })
- }
-}
-
#[pyclass]
#[derive(Debug)]
struct PyPluginCallApi {
@@ -515,6 +340,7 @@ pub fn execute_python_with_batch(
write_batch: &WriteBatch,
schema: Arc<DatabaseSchema>,
query_executor: Arc<dyn QueryExecutor>,
+ table_filter: Option<TableId>,
args: Option<HashMap<String, String>>,
) -> PyResult<PluginReturnState> {
Python::with_gil(|py| {
@@ -531,6 +357,11 @@ pub fn execute_python_with_batch(
let mut table_batches = Vec::with_capacity(write_batch.table_chunks.len());
for (table_id, table_chunks) in &write_batch.table_chunks {
+ if let Some(table_filter) = table_filter {
+ if table_id != &table_filter {
+ continue;
+ }
+ }
let table_def = schema.tables.get(table_id).unwrap();
let dict = PyDict::new(py);
@@ -621,8 +452,6 @@ pub fn execute_python_with_batch(
// Module initialization
#[pymodule]
-fn influxdb3_py_api(m: &Bound<'_, PyModule>) -> PyResult<()> {
- m.add_class::<PyWriteBatch>()?;
- m.add_class::<PyWriteBatchIterator>()?;
+fn influxdb3_py_api(_m: &Bound<'_, PyModule>) -> PyResult<()> {
Ok(())
}
diff --git a/influxdb3_server/Cargo.toml b/influxdb3_server/Cargo.toml
index c5aca26053..a0a26b37a8 100644
--- a/influxdb3_server/Cargo.toml
+++ b/influxdb3_server/Cargo.toml
@@ -36,6 +36,7 @@ influxdb3_client = { path = "../influxdb3_client" }
influxdb3_id = { path = "../influxdb3_id" }
influxdb3_internal_api = { path = "../influxdb3_internal_api" }
influxdb3_process = { path = "../influxdb3_process", default-features = false }
+influxdb3_processing_engine = { path = "../influxdb3_processing_engine" }
influxdb3_wal = { path = "../influxdb3_wal"}
influxdb3_write = { path = "../influxdb3_write" }
iox_query_influxql_rewrite = { path = "../iox_query_influxql_rewrite" }
diff --git a/influxdb3_server/src/builder.rs b/influxdb3_server/src/builder.rs
index 56edfa14e1..42804822e4 100644
--- a/influxdb3_server/src/builder.rs
+++ b/influxdb3_server/src/builder.rs
@@ -3,7 +3,9 @@ use std::sync::Arc;
use crate::{auth::DefaultAuthorizer, http::HttpApi, CommonServerState, Server};
use authz::Authorizer;
use influxdb3_internal_api::query_executor::QueryExecutor;
+use influxdb3_processing_engine::ProcessingEngineManagerImpl;
use influxdb3_write::{persister::Persister, WriteBuffer};
+use iox_time::TimeProvider;
use tokio::net::TcpListener;
#[derive(Debug)]
@@ -144,17 +146,26 @@ impl<W, Q, P, T> ServerBuilder<W, Q, P, T, NoListener> {
}
}
-impl<T>
+impl<T: TimeProvider>
ServerBuilder<WithWriteBuf, WithQueryExec, WithPersister, WithTimeProvider<T>, WithListener>
{
pub fn build(self) -> Server<T> {
let persister = Arc::clone(&self.persister.0);
let authorizer = Arc::clone(&self.authorizer);
+ let processing_engine = Arc::new(ProcessingEngineManagerImpl::new(
+ self.common_state.plugin_dir.clone(),
+ self.write_buffer.0.catalog(),
+ Arc::clone(&self.write_buffer.0),
+ Arc::clone(&self.query_executor.0),
+ Arc::clone(&self.time_provider.0) as _,
+ self.write_buffer.0.wal(),
+ ));
let http = Arc::new(HttpApi::new(
self.common_state.clone(),
Arc::clone(&self.time_provider.0),
Arc::clone(&self.write_buffer.0),
Arc::clone(&self.query_executor.0),
+ processing_engine,
self.max_request_size,
Arc::clone(&authorizer),
));
diff --git a/influxdb3_server/src/http.rs b/influxdb3_server/src/http.rs
index 175025992b..cc3d22bffa 100644
--- a/influxdb3_server/src/http.rs
+++ b/influxdb3_server/src/http.rs
@@ -24,6 +24,7 @@ use influxdb3_cache::meta_cache::{self, CreateMetaCacheArgs, MaxAge, MaxCardinal
use influxdb3_catalog::catalog::Error as CatalogError;
use influxdb3_internal_api::query_executor::{QueryExecutor, QueryExecutorError, QueryKind};
use influxdb3_process::{INFLUXDB3_GIT_HASH_SHORT, INFLUXDB3_VERSION};
+use influxdb3_processing_engine::manager::ProcessingEngineManager;
use influxdb3_wal::{PluginType, TriggerSpecificationDefinition};
use influxdb3_write::persister::TrackedMemoryArrowWriter;
use influxdb3_write::write_buffer::Error as WriteBufferError;
@@ -216,7 +217,10 @@ pub enum Error {
PythonPluginsNotEnabled,
#[error("Plugin error")]
- Plugin(#[from] influxdb3_write::write_buffer::plugins::Error),
+ Plugin(#[from] influxdb3_processing_engine::plugins::Error),
+
+ #[error("Processing engine error: {0}")]
+ ProcessingEngine(#[from] influxdb3_processing_engine::manager::ProcessingEngineError),
}
#[derive(Debug, Error)]
@@ -439,6 +443,7 @@ pub type Result<T, E = Error> = std::result::Result<T, E>;
pub(crate) struct HttpApi<T> {
common_state: CommonServerState,
write_buffer: Arc<dyn WriteBuffer>,
+ processing_engine: Arc<dyn ProcessingEngineManager>,
time_provider: Arc<T>,
pub(crate) query_executor: Arc<dyn QueryExecutor>,
max_request_bytes: usize,
@@ -452,6 +457,7 @@ impl<T> HttpApi<T> {
time_provider: Arc<T>,
write_buffer: Arc<dyn WriteBuffer>,
query_executor: Arc<dyn QueryExecutor>,
+ processing_engine: Arc<dyn ProcessingEngineManager>,
max_request_bytes: usize,
authorizer: Arc<dyn Authorizer>,
) -> Self {
@@ -464,6 +470,7 @@ impl<T> HttpApi<T> {
max_request_bytes,
authorizer,
legacy_write_param_unifier,
+ processing_engine,
}
}
}
@@ -981,15 +988,14 @@ where
db,
plugin_name,
code,
- function_name,
plugin_type,
} = if let Some(query) = req.uri().query() {
serde_urlencoded::from_str(query)?
} else {
self.read_body_json(req).await?
};
- self.write_buffer
- .insert_plugin(&db, plugin_name, code, function_name, plugin_type)
+ self.processing_engine
+ .insert_plugin(&db, plugin_name, code, plugin_type)
.await?;
Ok(Response::builder()
@@ -1004,7 +1010,9 @@ where
} else {
self.read_body_json(req).await?
};
- self.write_buffer.delete_plugin(&db, &plugin_name).await?;
+ self.processing_engine
+ .delete_plugin(&db, &plugin_name)
+ .await?;
Ok(Response::builder()
.status(StatusCode::OK)
.body(Body::empty())?)
@@ -1034,7 +1042,7 @@ where
},
));
};
- self.write_buffer
+ self.processing_engine
.insert_trigger(
db.as_str(),
trigger_name.clone(),
@@ -1044,9 +1052,10 @@ where
)
.await?;
if !disabled {
- self.write_buffer
+ self.processing_engine
.run_trigger(
Arc::clone(&self.write_buffer),
+ Arc::clone(&self.query_executor),
db.as_str(),
trigger_name.as_str(),
)
@@ -1067,7 +1076,7 @@ where
} else {
self.read_body_json(req).await?
};
- self.write_buffer
+ self.processing_engine
.delete_trigger(&db, &trigger_name, force)
.await?;
Ok(Response::builder()
@@ -1081,7 +1090,7 @@ where
) -> Result<Response<Body>> {
let query = req.uri().query().unwrap_or("");
let delete_req = serde_urlencoded::from_str::<ProcessingEngineTriggerIdentifier>(query)?;
- self.write_buffer
+ self.processing_engine
.deactivate_trigger(delete_req.db.as_str(), delete_req.trigger_name.as_str())
.await?;
Ok(Response::builder()
@@ -1094,9 +1103,10 @@ where
) -> Result<Response<Body>> {
let query = req.uri().query().unwrap_or("");
let delete_req = serde_urlencoded::from_str::<ProcessingEngineTriggerIdentifier>(query)?;
- self.write_buffer
+ self.processing_engine
.activate_trigger(
Arc::clone(&self.write_buffer),
+ Arc::clone(&self.query_executor),
delete_req.db.as_str(),
delete_req.trigger_name.as_str(),
)
@@ -1139,7 +1149,7 @@ where
self.read_body_json(req).await?;
let output = self
- .write_buffer
+ .processing_engine
.test_wal_plugin(request, Arc::clone(&self.query_executor))
.await?;
let body = serde_json::to_string(&output)?;
@@ -1579,7 +1589,6 @@ struct ProcessingEnginePluginCreateRequest {
db: String,
plugin_name: String,
code: String,
- function_name: String,
plugin_type: PluginType,
}
diff --git a/influxdb3_server/src/lib.rs b/influxdb3_server/src/lib.rs
index 60b5879623..736bbf7ac9 100644
--- a/influxdb3_server/src/lib.rs
+++ b/influxdb3_server/src/lib.rs
@@ -35,6 +35,7 @@ use observability_deps::tracing::info;
use service::hybrid;
use std::convert::Infallible;
use std::fmt::Debug;
+use std::path::PathBuf;
use std::sync::Arc;
use thiserror::Error;
use tokio::net::TcpListener;
@@ -78,6 +79,7 @@ pub struct CommonServerState {
trace_exporter: Option<Arc<trace_exporters::export::AsyncExporter>>,
trace_header_parser: TraceHeaderParser,
telemetry_store: Arc<TelemetryStore>,
+ plugin_dir: Option<PathBuf>,
}
impl CommonServerState {
@@ -86,12 +88,14 @@ impl CommonServerState {
trace_exporter: Option<Arc<trace_exporters::export::AsyncExporter>>,
trace_header_parser: TraceHeaderParser,
telemetry_store: Arc<TelemetryStore>,
+ plugin_dir: Option<PathBuf>,
) -> Result<Self> {
Ok(Self {
metrics,
trace_exporter,
trace_header_parser,
telemetry_store,
+ plugin_dir,
})
}
@@ -774,7 +778,6 @@ mod tests {
wal_config: WalConfig::test_config(),
parquet_cache: Some(parquet_cache),
metric_registry: Arc::clone(&metrics),
- plugin_dir: None,
},
)
.await
@@ -793,6 +796,7 @@ mod tests {
None,
trace_header_parser,
Arc::clone(&sample_telem_store),
+ None,
)
.unwrap();
let query_executor = QueryExecutorImpl::new(CreateQueryExecutorArgs {
diff --git a/influxdb3_server/src/query_executor/mod.rs b/influxdb3_server/src/query_executor/mod.rs
index 05e3f7fb5a..26032a8f98 100644
--- a/influxdb3_server/src/query_executor/mod.rs
+++ b/influxdb3_server/src/query_executor/mod.rs
@@ -713,7 +713,6 @@ mod tests {
},
parquet_cache: Some(parquet_cache),
metric_registry: Default::default(),
- plugin_dir: None,
})
.await
.unwrap();
diff --git a/influxdb3_server/src/system_tables/python_call.rs b/influxdb3_server/src/system_tables/python_call.rs
index 9ae5829204..fa1d6e4399 100644
--- a/influxdb3_server/src/system_tables/python_call.rs
+++ b/influxdb3_server/src/system_tables/python_call.rs
@@ -17,7 +17,6 @@ pub(super) struct ProcessingEnginePluginTable {
fn plugin_schema() -> SchemaRef {
let columns = vec![
Field::new("plugin_name", DataType::Utf8, false),
- Field::new("function_name", DataType::Utf8, false),
Field::new("code", DataType::Utf8, false),
Field::new("plugin_type", DataType::Utf8, false),
];
@@ -51,12 +50,6 @@ impl IoxSystemTable for ProcessingEnginePluginTable {
.map(|call| Some(call.plugin_name.clone()))
.collect::<StringArray>(),
),
- Arc::new(
- self.plugins
- .iter()
- .map(|p| Some(p.function_name.clone()))
- .collect::<StringArray>(),
- ),
Arc::new(
self.plugins
.iter()
diff --git a/influxdb3_wal/src/lib.rs b/influxdb3_wal/src/lib.rs
index 80073e615d..a906ca4db0 100644
--- a/influxdb3_wal/src/lib.rs
+++ b/influxdb3_wal/src/lib.rs
@@ -120,13 +120,13 @@ pub trait Wal: Debug + Send + Sync + 'static {
#[async_trait]
pub trait WalFileNotifier: Debug + Send + Sync + 'static {
/// Notify the handler that a new WAL file has been persisted with the given contents.
- async fn notify(&self, write: WalContents);
+ async fn notify(&self, write: Arc<WalContents>);
/// Notify the handler that a new WAL file has been persisted with the given contents and tell
/// it to snapshot the data. The returned receiver will be signalled when the snapshot is complete.
async fn notify_and_snapshot(
&self,
- write: WalContents,
+ write: Arc<WalContents>,
snapshot_details: SnapshotDetails,
) -> oneshot::Receiver<SnapshotDetails>;
@@ -311,8 +311,8 @@ impl OrderedCatalogBatch {
self.database_sequence_number
}
- pub fn batch(self) -> CatalogBatch {
- self.catalog
+ pub fn batch(&self) -> &CatalogBatch {
+ &self.catalog
}
}
@@ -614,7 +614,6 @@ pub struct MetaCacheDelete {
pub struct PluginDefinition {
pub plugin_name: String,
pub code: String,
- pub function_name: String,
pub plugin_type: PluginType,
}
@@ -633,6 +632,7 @@ pub enum PluginType {
pub struct TriggerDefinition {
pub trigger_name: String,
pub plugin_name: String,
+ pub database_name: String,
pub trigger: TriggerSpecificationDefinition,
// TODO: decide whether this should be populated from a reference rather than stored on its own.
pub plugin: PluginDefinition,
diff --git a/influxdb3_wal/src/object_store.rs b/influxdb3_wal/src/object_store.rs
index 6efd79e1bc..0d80dca536 100644
--- a/influxdb3_wal/src/object_store.rs
+++ b/influxdb3_wal/src/object_store.rs
@@ -145,7 +145,7 @@ impl WalObjectStore {
match wal_contents.snapshot {
// This branch uses so much time
- None => self.file_notifier.notify(wal_contents).await,
+ None => self.file_notifier.notify(Arc::new(wal_contents)).await,
Some(snapshot_details) => {
let snapshot_info = {
let mut buffer = self.flush_buffer.lock().await;
@@ -162,11 +162,11 @@ impl WalObjectStore {
if snapshot_details.snapshot_sequence_number <= last_snapshot_sequence_number {
// Instead just notify about the WAL, as this snapshot has already been taken
// and WAL files may have been cleared.
- self.file_notifier.notify(wal_contents).await;
+ self.file_notifier.notify(Arc::new(wal_contents)).await;
} else {
let snapshot_done = self
.file_notifier
- .notify_and_snapshot(wal_contents, snapshot_details)
+ .notify_and_snapshot(Arc::new(wal_contents), snapshot_details)
.await;
let details = snapshot_done.await.unwrap();
assert_eq!(snapshot_details, details);
@@ -299,7 +299,7 @@ impl WalObjectStore {
info!(?snapshot_details, "snapshotting wal");
let snapshot_done = self
.file_notifier
- .notify_and_snapshot(wal_contents, snapshot_details)
+ .notify_and_snapshot(Arc::new(wal_contents), snapshot_details)
.await;
let (snapshot_info, snapshot_permit) =
snapshot.expect("snapshot should be set when snapshot details are set");
@@ -310,7 +310,7 @@ impl WalObjectStore {
"notify sent to buffer for wal file {}",
wal_contents.wal_file_number.as_u64()
);
- self.file_notifier.notify(wal_contents).await;
+ self.file_notifier.notify(Arc::new(wal_contents)).await;
None
}
};
@@ -966,10 +966,11 @@ mod tests {
{
let notified_writes = replay_notifier.notified_writes.lock();
- assert_eq!(
- *notified_writes,
- vec![file_1_contents.clone(), file_2_contents.clone()]
- );
+ let notified_refs = notified_writes
+ .iter()
+ .map(|x| x.as_ref())
+ .collect::<Vec<_>>();
+ assert_eq!(notified_refs, vec![&file_1_contents, &file_2_contents]);
}
assert!(replay_notifier.snapshot_details.lock().is_none());
@@ -1067,8 +1068,12 @@ mod tests {
{
let notified_writes = notifier.notified_writes.lock();
- let expected_writes = vec![file_1_contents, file_2_contents, file_3_contents.clone()];
- assert_eq!(*notified_writes, expected_writes);
+ let notified_refs = notified_writes
+ .iter()
+ .map(|x| x.as_ref())
+ .collect::<Vec<_>>();
+ let expected_writes = vec![&file_1_contents, &file_2_contents, &file_3_contents];
+ assert_eq!(notified_refs, expected_writes);
let details = notifier.snapshot_details.lock();
assert_eq!(details.unwrap(), expected_info);
}
@@ -1097,7 +1102,11 @@ mod tests {
.downcast_ref::<TestNotifier>()
.unwrap();
let notified_writes = replay_notifier.notified_writes.lock();
- assert_eq!(*notified_writes, vec![file_3_contents.clone()]);
+ let notified_refs = notified_writes
+ .iter()
+ .map(|x| x.as_ref())
+ .collect::<Vec<_>>();
+ assert_eq!(notified_refs, vec![&file_3_contents]);
let snapshot_details = replay_notifier.snapshot_details.lock();
assert_eq!(*snapshot_details, file_3_contents.snapshot);
}
@@ -1303,19 +1312,19 @@ mod tests {
#[derive(Debug, Default)]
struct TestNotifier {
- notified_writes: parking_lot::Mutex<Vec<WalContents>>,
+ notified_writes: parking_lot::Mutex<Vec<Arc<WalContents>>>,
snapshot_details: parking_lot::Mutex<Option<SnapshotDetails>>,
}
#[async_trait]
impl WalFileNotifier for TestNotifier {
- async fn notify(&self, write: WalContents) {
+ async fn notify(&self, write: Arc<WalContents>) {
self.notified_writes.lock().push(write);
}
async fn notify_and_snapshot(
&self,
- write: WalContents,
+ write: Arc<WalContents>,
snapshot_details: SnapshotDetails,
) -> Receiver<SnapshotDetails> {
self.notified_writes.lock().push(write);
diff --git a/influxdb3_write/src/lib.rs b/influxdb3_write/src/lib.rs
index 823cdb3a6d..82b93f64ec 100644
--- a/influxdb3_write/src/lib.rs
+++ b/influxdb3_write/src/lib.rs
@@ -24,8 +24,8 @@ use influxdb3_id::ParquetFileId;
use influxdb3_id::SerdeVecMap;
use influxdb3_id::TableId;
use influxdb3_id::{ColumnId, DbId};
-use influxdb3_wal::MetaCacheDefinition;
use influxdb3_wal::{LastCacheDefinition, SnapshotSequenceNumber, WalFileSequenceNumber};
+use influxdb3_wal::{MetaCacheDefinition, Wal};
use iox_query::QueryChunk;
use iox_time::Time;
use serde::{Deserialize, Serialize};
@@ -33,7 +33,6 @@ use std::fmt::Debug;
use std::sync::Arc;
use std::time::Duration;
use thiserror::Error;
-use write_buffer::plugins::ProcessingEngineManager;
#[derive(Debug, Error)]
pub enum Error {
@@ -50,12 +49,7 @@ pub enum Error {
pub type Result<T, E = Error> = std::result::Result<T, E>;
pub trait WriteBuffer:
- Bufferer
- + ChunkContainer
- + MetaCacheManager
- + LastCacheManager
- + DatabaseManager
- + ProcessingEngineManager
+ Bufferer + ChunkContainer + MetaCacheManager + LastCacheManager + DatabaseManager
{
}
@@ -95,6 +89,9 @@ pub trait Bufferer: Debug + Send + Sync + 'static {
/// Returns the database schema provider
fn catalog(&self) -> Arc<Catalog>;
+ /// Reutrns the WAL this bufferer is using
+ fn wal(&self) -> Arc<dyn Wal>;
+
/// Returns the parquet files for a given database and table
fn parquet_files(&self, db_id: DbId, table_id: TableId) -> Vec<ParquetFile>;
diff --git a/influxdb3_write/src/persister.rs b/influxdb3_write/src/persister.rs
index e1a53c2e6d..c0153f2d7b 100644
--- a/influxdb3_write/src/persister.rs
+++ b/influxdb3_write/src/persister.rs
@@ -489,7 +489,7 @@ mod tests {
persister.persist_catalog(&catalog).await.unwrap();
let batch = |name: &str, num: u32| {
- let _ = catalog.apply_catalog_batch(CatalogBatch {
+ let _ = catalog.apply_catalog_batch(&CatalogBatch {
database_id: db_schema.id,
database_name: Arc::clone(&db_schema.name),
time_ns: 5000,
diff --git a/influxdb3_write/src/write_buffer/mod.rs b/influxdb3_write/src/write_buffer/mod.rs
index 26928d15fd..914d7a92cf 100644
--- a/influxdb3_write/src/write_buffer/mod.rs
+++ b/influxdb3_write/src/write_buffer/mod.rs
@@ -2,8 +2,6 @@
mod metrics;
pub mod persisted_files;
-#[allow(dead_code)]
-pub mod plugins;
pub mod queryable_buffer;
mod table_buffer;
pub mod validator;
@@ -12,13 +10,11 @@ use crate::persister::Persister;
use crate::write_buffer::persisted_files::PersistedFiles;
use crate::write_buffer::queryable_buffer::QueryableBuffer;
use crate::write_buffer::validator::WriteValidator;
-use crate::{chunk::ParquetChunk, write_buffer, DatabaseManager};
+use crate::{chunk::ParquetChunk, DatabaseManager};
use crate::{
BufferedWriteRequest, Bufferer, ChunkContainer, LastCacheManager, MetaCacheManager,
ParquetFile, PersistedSnapshot, Precision, WriteBuffer, WriteLineError,
};
-#[cfg(feature = "system-py")]
-use anyhow::Context;
use async_trait::async_trait;
use data_types::{
ChunkId, ChunkOrder, ColumnType, NamespaceName, NamespaceNameError, PartitionHashId,
@@ -31,22 +27,17 @@ use datafusion::logical_expr::Expr;
use influxdb3_cache::last_cache::{self, LastCacheProvider};
use influxdb3_cache::meta_cache::{self, CreateMetaCacheArgs, MetaCacheProvider};
use influxdb3_cache::parquet_cache::ParquetCacheOracle;
-use influxdb3_catalog::catalog;
-use influxdb3_catalog::catalog::Error::ProcessingEngineTriggerNotFound;
use influxdb3_catalog::catalog::{Catalog, DatabaseSchema};
use influxdb3_id::{ColumnId, DbId, TableId};
-use influxdb3_wal::{
- object_store::WalObjectStore, DeleteDatabaseDefinition, DeleteTriggerDefinition,
- PluginDefinition, PluginType, TriggerDefinition, TriggerSpecificationDefinition, WalContents,
-};
+use influxdb3_wal::FieldDataType;
+use influxdb3_wal::TableDefinition;
+use influxdb3_wal::{object_store::WalObjectStore, DeleteDatabaseDefinition};
use influxdb3_wal::{
CatalogBatch, CatalogOp, LastCacheDefinition, LastCacheDelete, LastCacheSize,
MetaCacheDefinition, MetaCacheDelete, Wal, WalConfig, WalFileNotifier, WalOp,
};
use influxdb3_wal::{CatalogOp::CreateLastCache, DeleteTableDefinition};
use influxdb3_wal::{DatabaseDefinition, FieldDefinition};
-use influxdb3_wal::{DeletePluginDefinition, TableDefinition};
-use influxdb3_wal::{FieldDataType, TriggerIdentifier};
use iox_query::chunk_statistics::{create_chunk_statistics, NoColumnRanges};
use iox_query::QueryChunk;
use iox_time::{Time, TimeProvider};
@@ -56,21 +47,13 @@ use object_store::path::Path as ObjPath;
use object_store::{ObjectMeta, ObjectStore};
use observability_deps::tracing::{debug, warn};
use parquet_file::storage::ParquetExecInput;
-use plugins::ProcessingEngineManager;
use queryable_buffer::QueryableBufferArgs;
use schema::Schema;
-use std::path::PathBuf;
use std::sync::Arc;
use std::time::Duration;
use thiserror::Error;
-use tokio::sync::oneshot;
use tokio::sync::watch::Receiver;
-#[cfg(feature = "system-py")]
-use crate::write_buffer::plugins::PluginContext;
-use influxdb3_client::plugin_development::{WalPluginTestRequest, WalPluginTestResponse};
-use influxdb3_internal_api::query_executor::QueryExecutor;
-
#[derive(Debug, Error)]
pub enum Error {
#[error("parsing for line protocol failed")]
@@ -163,8 +146,6 @@ pub struct WriteBufferImpl {
metrics: WriteMetrics,
meta_cache: Arc<MetaCacheProvider>,
last_cache: Arc<LastCacheProvider>,
- #[allow(dead_code)]
- plugin_dir: Option<PathBuf>,
}
/// The maximum number of snapshots to load on start
@@ -181,7 +162,6 @@ pub struct WriteBufferImplArgs {
pub wal_config: WalConfig,
pub parquet_cache: Option<Arc<dyn ParquetCacheOracle>>,
pub metric_registry: Arc<Registry>,
- pub plugin_dir: Option<PathBuf>,
}
impl WriteBufferImpl {
@@ -196,7 +176,6 @@ impl WriteBufferImpl {
wal_config,
parquet_cache,
metric_registry,
- plugin_dir,
}: WriteBufferImplArgs,
) -> Result<Arc<Self>> {
// load snapshots and replay the wal into the in memory buffer
@@ -255,15 +234,7 @@ impl WriteBufferImpl {
persisted_files,
buffer: queryable_buffer,
metrics: WriteMetrics::new(&metric_registry),
- plugin_dir,
});
- let write_buffer: Arc<dyn WriteBuffer> = result.clone();
- let triggers = result.catalog().triggers();
- for (db_name, trigger_name) in triggers {
- result
- .run_trigger(Arc::clone(&write_buffer), &db_name, &trigger_name)
- .await?;
- }
Ok(result)
}
@@ -271,6 +242,10 @@ impl WriteBufferImpl {
Arc::clone(&self.catalog)
}
+ pub fn wal(&self) -> Arc<dyn Wal> {
+ Arc::clone(&self.wal)
+ }
+
pub fn persisted_files(&self) -> Arc<PersistedFiles> {
Arc::clone(&self.persisted_files)
}
@@ -375,13 +350,6 @@ impl WriteBufferImpl {
Ok(chunks)
}
-
- #[cfg(feature = "system-py")]
- fn read_plugin_code(&self, name: &str) -> Result<String, plugins::Error> {
- let plugin_dir = self.plugin_dir.clone().context("plugin dir not set")?;
- let path = plugin_dir.join(name);
- Ok(std::fs::read_to_string(path)?)
- }
}
pub fn parquet_chunk_from_file(
@@ -450,6 +418,10 @@ impl Bufferer for WriteBufferImpl {
self.catalog()
}
+ fn wal(&self) -> Arc<dyn Wal> {
+ Arc::clone(&self.wal)
+ }
+
fn parquet_files(&self, db_id: DbId, table_id: TableId) -> Vec<ParquetFile> {
self.buffer.persisted_parquet_files(db_id, table_id)
}
@@ -496,7 +468,7 @@ impl MetaCacheManager for WriteBufferImpl {
time_ns: self.time_provider.now().timestamp_nanos(),
ops: vec![catalog_op],
};
- if let Some(catalog_batch) = self.catalog.apply_catalog_batch(catalog_batch)? {
+ if let Some(catalog_batch) = self.catalog.apply_catalog_batch(&catalog_batch)? {
self.wal
.write_ops(vec![WalOp::Catalog(catalog_batch)])
.await?;
@@ -526,7 +498,7 @@ impl MetaCacheManager for WriteBufferImpl {
cache_name: cache_name.into(),
})],
};
- if let Some(catalog_batch) = catalog.apply_catalog_batch(catalog_batch)? {
+ if let Some(catalog_batch) = catalog.apply_catalog_batch(&catalog_batch)? {
self.wal
.write_ops(vec![WalOp::Catalog(catalog_batch)])
.await?;
@@ -592,7 +564,7 @@ impl LastCacheManager for WriteBufferImpl {
database_name: Arc::clone(&db_schema.name),
ops: vec![CreateLastCache(info.clone())],
};
- if let Some(catalog_batch) = self.catalog.apply_catalog_batch(catalog_batch)? {
+ if let Some(catalog_batch) = self.catalog.apply_catalog_batch(&catalog_batch)? {
self.wal
.write_ops(vec![WalOp::Catalog(catalog_batch)])
.await?;
@@ -627,7 +599,7 @@ impl LastCacheManager for WriteBufferImpl {
// NOTE: if this fails then the cache will be gone from the running server, but will be
// resurrected on server restart.
- if let Some(catalog_batch) = catalog.apply_catalog_batch(catalog_batch)? {
+ if let Some(catalog_batch) = catalog.apply_catalog_batch(&catalog_batch)? {
self.wal
.write_ops(vec![WalOp::Catalog(catalog_batch)])
.await?;
@@ -656,7 +628,7 @@ impl DatabaseManager for WriteBufferImpl {
database_name: Arc::clone(&db_schema.name),
})],
};
- if let Some(catalog_batch) = self.catalog.apply_catalog_batch(catalog_batch)? {
+ if let Some(catalog_batch) = self.catalog.apply_catalog_batch(&catalog_batch)? {
self.wal
.write_ops(vec![WalOp::Catalog(catalog_batch)])
.await?;
@@ -684,7 +656,7 @@ impl DatabaseManager for WriteBufferImpl {
deletion_time: deletion_time.timestamp_nanos(),
})],
};
- if let Some(catalog_batch) = self.catalog.apply_catalog_batch(catalog_batch)? {
+ if let Some(catalog_batch) = self.catalog.apply_catalog_batch(&catalog_batch)? {
let wal_op = WalOp::Catalog(catalog_batch);
self.wal.write_ops(vec![wal_op]).await?;
debug!(db_id = ?db_id, name = ?&db_schema.name, "successfully deleted database");
@@ -763,7 +735,7 @@ impl DatabaseManager for WriteBufferImpl {
database_name: Arc::clone(&db_schema.name),
ops: vec![CatalogOp::CreateTable(catalog_table_def)],
};
- if let Some(catalog_batch) = self.catalog.apply_catalog_batch(catalog_batch)? {
+ if let Some(catalog_batch) = self.catalog.apply_catalog_batch(&catalog_batch)? {
self.wal
.write_ops(vec![WalOp::Catalog(catalog_batch)])
.await?;
@@ -810,7 +782,7 @@ impl DatabaseManager for WriteBufferImpl {
table_name: Arc::clone(&table_defn.table_name),
})],
};
- if let Some(catalog_batch) = self.catalog.apply_catalog_batch(catalog_batch)? {
+ if let Some(catalog_batch) = self.catalog.apply_catalog_batch(&catalog_batch)? {
self.wal
.write_ops(vec![WalOp::Catalog(catalog_batch)])
.await?;
@@ -826,319 +798,6 @@ impl DatabaseManager for WriteBufferImpl {
}
}
-#[async_trait::async_trait]
-impl ProcessingEngineManager for WriteBufferImpl {
- async fn insert_plugin(
- &self,
- db: &str,
- plugin_name: String,
- code: String,
- function_name: String,
- plugin_type: PluginType,
- ) -> crate::Result<(), Error> {
- let (db_id, db_schema) =
- self.catalog
- .db_id_and_schema(db)
- .ok_or_else(|| self::Error::DatabaseNotFound {
- db_name: db.to_owned(),
- })?;
-
- let catalog_op = CatalogOp::CreatePlugin(PluginDefinition {
- plugin_name,
- code,
- function_name,
- plugin_type,
- });
-
- let creation_time = self.time_provider.now();
- let catalog_batch = CatalogBatch {
- time_ns: creation_time.timestamp_nanos(),
- database_id: db_id,
- database_name: Arc::clone(&db_schema.name),
- ops: vec![catalog_op],
- };
- if let Some(catalog_batch) = self.catalog.apply_catalog_batch(catalog_batch)? {
- let wal_op = WalOp::Catalog(catalog_batch);
- self.wal.write_ops(vec![wal_op]).await?;
- }
- Ok(())
- }
-
- async fn delete_plugin(&self, db: &str, plugin_name: &str) -> crate::Result<(), Error> {
- let (db_id, db_schema) =
- self.catalog
- .db_id_and_schema(db)
- .ok_or_else(|| Error::DatabaseNotFound {
- db_name: db.to_string(),
- })?;
- let catalog_op = CatalogOp::DeletePlugin(DeletePluginDefinition {
- plugin_name: plugin_name.to_string(),
- });
- let catalog_batch = CatalogBatch {
- time_ns: self.time_provider.now().timestamp_nanos(),
- database_id: db_id,
- database_name: Arc::clone(&db_schema.name),
- ops: vec![catalog_op],
- };
-
- if let Some(catalog_batch) = self.catalog.apply_catalog_batch(catalog_batch)? {
- self.wal
- .write_ops(vec![WalOp::Catalog(catalog_batch)])
- .await?;
- }
- Ok(())
- }
-
- async fn insert_trigger(
- &self,
- db_name: &str,
- trigger_name: String,
- plugin_name: String,
- trigger_specification: TriggerSpecificationDefinition,
- disabled: bool,
- ) -> crate::Result<(), Error> {
- let Some((db_id, db_schema)) = self.catalog.db_id_and_schema(db_name) else {
- return Err(Error::DatabaseNotFound {
- db_name: db_name.to_owned(),
- });
- };
- let plugin = db_schema
- .processing_engine_plugins
- .get(&plugin_name)
- .ok_or_else(|| catalog::Error::ProcessingEnginePluginNotFound {
- plugin_name: plugin_name.to_string(),
- database_name: db_schema.name.to_string(),
- })?;
- let catalog_op = CatalogOp::CreateTrigger(TriggerDefinition {
- trigger_name,
- plugin_name,
- plugin: plugin.clone(),
- trigger: trigger_specification,
- disabled,
- });
- let creation_time = self.time_provider.now();
- let catalog_batch = CatalogBatch {
- time_ns: creation_time.timestamp_nanos(),
- database_id: db_id,
- database_name: Arc::clone(&db_schema.name),
- ops: vec![catalog_op],
- };
- if let Some(catalog_batch) = self.catalog.apply_catalog_batch(catalog_batch)? {
- let wal_op = WalOp::Catalog(catalog_batch);
- self.wal.write_ops(vec![wal_op]).await?;
- }
- Ok(())
- }
-
- async fn delete_trigger(
- &self,
- db: &str,
- trigger_name: &str,
- force: bool,
- ) -> crate::Result<(), Error> {
- let (db_id, db_schema) =
- self.catalog
- .db_id_and_schema(db)
- .ok_or_else(|| Error::DatabaseNotFound {
- db_name: db.to_string(),
- })?;
- let catalog_op = CatalogOp::DeleteTrigger(DeleteTriggerDefinition {
- trigger_name: trigger_name.to_string(),
- force,
- });
- let catalog_batch = CatalogBatch {
- time_ns: self.time_provider.now().timestamp_nanos(),
- database_id: db_id,
- database_name: Arc::clone(&db_schema.name),
- ops: vec![catalog_op],
- };
-
- // Do this first to avoid a dangling running plugin.
- // Potential edge-case of a plugin being stopped but not deleted,
- // but should be okay given desire to force delete.
- let needs_deactivate = force
- && db_schema
- .processing_engine_triggers
- .get(trigger_name)
- .is_some_and(|trigger| !trigger.disabled);
-
- if needs_deactivate {
- self.deactivate_trigger(db, trigger_name).await?;
- }
-
- if let Some(catalog_batch) = self.catalog.apply_catalog_batch(catalog_batch)? {
- self.wal
- .write_ops(vec![WalOp::Catalog(catalog_batch)])
- .await?;
- }
- Ok(())
- }
-
- #[cfg_attr(not(feature = "system-py"), allow(unused))]
- async fn run_trigger(
- &self,
- write_buffer: Arc<dyn WriteBuffer>,
- db_name: &str,
- trigger_name: &str,
- ) -> crate::Result<(), write_buffer::Error> {
- #[cfg(feature = "system-py")]
- {
- let (_db_id, db_schema) =
- self.catalog
- .db_id_and_schema(db_name)
- .ok_or_else(|| Error::DatabaseNotFound {
- db_name: db_name.to_string(),
- })?;
- let trigger = db_schema
- .processing_engine_triggers
- .get(trigger_name)
- .ok_or_else(|| ProcessingEngineTriggerNotFound {
- database_name: db_name.to_string(),
- trigger_name: trigger_name.to_string(),
- })?
- .clone();
- let trigger_rx = self
- .buffer
- .subscribe_to_plugin_events(trigger_name.to_string())
- .await;
- let plugin_context = PluginContext {
- trigger_rx,
- write_buffer,
- };
- plugins::run_plugin(db_name.to_string(), trigger, plugin_context);
- }
-
- Ok(())
- }
-
- async fn deactivate_trigger(
- &self,
- db_name: &str,
- trigger_name: &str,
- ) -> std::result::Result<(), Error> {
- let (db_id, db_schema) =
- self.catalog
- .db_id_and_schema(db_name)
- .ok_or_else(|| Error::DatabaseNotFound {
- db_name: db_name.to_string(),
- })?;
- let trigger = db_schema
- .processing_engine_triggers
- .get(trigger_name)
- .ok_or_else(|| ProcessingEngineTriggerNotFound {
- database_name: db_name.to_string(),
- trigger_name: trigger_name.to_string(),
- })?;
- // Already disabled, so this is a no-op
- if trigger.disabled {
- return Ok(());
- };
-
- let mut deactivated = trigger.clone();
- deactivated.disabled = true;
- let catalog_op = CatalogOp::DisableTrigger(TriggerIdentifier {
- db_name: db_name.to_string(),
- trigger_name: trigger_name.to_string(),
- });
- if let Some(catalog_batch) = self.catalog.apply_catalog_batch(CatalogBatch {
- database_id: db_id,
- database_name: Arc::clone(&db_schema.name),
- time_ns: self.time_provider.now().timestamp_nanos(),
- ops: vec![catalog_op],
- })? {
- let wal_op = WalOp::Catalog(catalog_batch);
- self.wal.write_ops(vec![wal_op]).await?;
- }
- // TODO: handle processing engine errors
- self.buffer
- .deactivate_trigger(trigger_name.to_string())
- .await
- .unwrap();
- Ok(())
- }
-
- async fn activate_trigger(
- &self,
- write_buffer: Arc<dyn WriteBuffer>,
- db_name: &str,
- trigger_name: &str,
- ) -> std::result::Result<(), Error> {
- let (db_id, db_schema) =
- self.catalog
- .db_id_and_schema(db_name)
- .ok_or_else(|| Error::DatabaseNotFound {
- db_name: db_name.to_string(),
- })?;
- let trigger = db_schema
- .processing_engine_triggers
- .get(trigger_name)
- .ok_or_else(|| ProcessingEngineTriggerNotFound {
- database_name: db_name.to_string(),
- trigger_name: trigger_name.to_string(),
- })?;
- // Already disabled, so this is a no-op
- if !trigger.disabled {
- return Ok(());
- };
-
- let mut activated = trigger.clone();
- activated.disabled = false;
- let catalog_op = CatalogOp::EnableTrigger(TriggerIdentifier {
- db_name: db_name.to_string(),
- trigger_name: trigger_name.to_string(),
- });
- if let Some(catalog_batch) = self.catalog.apply_catalog_batch(CatalogBatch {
- database_id: db_id,
- database_name: Arc::clone(&db_schema.name),
- time_ns: self.time_provider.now().timestamp_nanos(),
- ops: vec![catalog_op],
- })? {
- let wal_op = WalOp::Catalog(catalog_batch);
- self.wal.write_ops(vec![wal_op]).await?;
- }
-
- self.run_trigger(write_buffer, db_name, trigger_name)
- .await?;
- Ok(())
- }
-
- #[cfg_attr(not(feature = "system-py"), allow(unused))]
- async fn test_wal_plugin(
- &self,
- request: WalPluginTestRequest,
- query_executor: Arc<dyn QueryExecutor>,
- ) -> crate::Result<WalPluginTestResponse, plugins::Error> {
- #[cfg(feature = "system-py")]
- {
- // create a copy of the catalog so we don't modify the original
- let catalog = Arc::new(Catalog::from_inner(self.catalog.clone_inner()));
- let now = self.time_provider.now();
-
- let code = self.read_plugin_code(&request.filename)?;
-
- let res = plugins::run_test_wal_plugin(now, catalog, query_executor, code, request)
- .unwrap_or_else(|e| WalPluginTestResponse {
- log_lines: vec![],
- database_writes: Default::default(),
- errors: vec![e.to_string()],
- });
-
- return Ok(res);
- }
-
- #[cfg(not(feature = "system-py"))]
- Err(plugins::Error::AnyhowError(anyhow::anyhow!(
- "system-py feature not enabled"
- )))
- }
-}
-
-#[allow(unused)]
-pub(crate) enum PluginEvent {
- WriteWalContents(Arc<WalContents>),
- Shutdown(oneshot::Sender<()>),
-}
-
impl WriteBuffer for WriteBufferImpl {}
pub async fn check_mem_and_force_snapshot_loop(
@@ -1271,7 +930,6 @@ mod tests {
wal_config: WalConfig::test_config(),
parquet_cache: Some(Arc::clone(&parquet_cache)),
metric_registry: Default::default(),
- plugin_dir: None,
})
.await
.unwrap();
@@ -1356,7 +1014,6 @@ mod tests {
},
parquet_cache: Some(Arc::clone(&parquet_cache)),
metric_registry: Default::default(),
- plugin_dir: None,
})
.await
.unwrap();
@@ -1425,7 +1082,6 @@ mod tests {
},
parquet_cache: wbuf.parquet_cache.clone(),
metric_registry: Default::default(),
- plugin_dir: None,
})
.await
.unwrap()
@@ -1653,7 +1309,6 @@ mod tests {
},
parquet_cache: write_buffer.parquet_cache.clone(),
metric_registry: Default::default(),
- plugin_dir: None,
})
.await
.unwrap();
@@ -2939,7 +2594,6 @@ mod tests {
wal_config,
parquet_cache,
metric_registry: Arc::clone(&metric_registry),
- plugin_dir: None,
})
.await
.unwrap();
@@ -2969,393 +2623,6 @@ mod tests {
batches
}
- #[tokio::test]
- async fn test_create_plugin() -> Result<()> {
- let start_time = Time::from_rfc3339("2024-11-14T11:00:00+00:00").unwrap();
- let test_store = Arc::new(InMemory::new());
- let wal_config = WalConfig {
- gen1_duration: Gen1Duration::new_1m(),
- max_write_buffer_size: 100,
- flush_interval: Duration::from_millis(10),
- snapshot_size: 1,
- };
- let (write_buffer, _, _) =
- setup_cache_optional(start_time, test_store, wal_config, false).await;
-
- write_buffer
- .write_lp(
- NamespaceName::new("foo").unwrap(),
- "cpu,warehouse=us-east,room=01a,device=10001 reading=37\n",
- start_time,
- false,
- Precision::Nanosecond,
- )
- .await?;
-
- let empty_udf = r#"def example(iterator, output):
- return"#;
-
- write_buffer
- .insert_plugin(
- "foo",
- "my_plugin".to_string(),
- empty_udf.to_string(),
- "example".to_string(),
- PluginType::WalRows,
- )
- .await?;
-
- let plugin = write_buffer
- .catalog
- .db_schema("foo")
- .expect("should have db named foo")
- .processing_engine_plugins
- .get("my_plugin")
- .unwrap()
- .clone();
- let expected = PluginDefinition {
- plugin_name: "my_plugin".to_string(),
- code: empty_udf.to_string(),
- function_name: "example".to_string(),
- plugin_type: PluginType::WalRows,
- };
- assert_eq!(expected, plugin);
-
- // confirm that creating it again is a no-op.
- write_buffer
- .insert_plugin(
- "foo",
- "my_plugin".to_string(),
- empty_udf.to_string(),
- "example".to_string(),
- PluginType::WalRows,
- )
- .await?;
-
- // confirm that a different argument is an error
- let Err(Error::CatalogUpdateError(catalog::Error::ProcessingEngineCallExists { .. })) =
- write_buffer
- .insert_plugin(
- "foo",
- "my_plugin".to_string(),
- empty_udf.to_string(),
- "bad_example".to_string(),
- PluginType::WalRows,
- )
- .await
- else {
- panic!("failed to insert plugin");
- };
-
- // Confirm the same contents can be added to a new name.
- write_buffer
- .insert_plugin(
- "foo",
- "my_second_plugin".to_string(),
- empty_udf.to_string(),
- "example".to_string(),
- PluginType::WalRows,
- )
- .await?;
- Ok(())
- }
- #[tokio::test]
- async fn test_delete_plugin() -> Result<()> {
- let start_time = Time::from_rfc3339("2024-11-14T11:00:00+00:00").unwrap();
- let test_store = Arc::new(InMemory::new());
- let wal_config = WalConfig {
- gen1_duration: Gen1Duration::new_1m(),
- max_write_buffer_size: 100,
- flush_interval: Duration::from_millis(10),
- snapshot_size: 1,
- };
- let (write_buffer, _, _) =
- setup_cache_optional(start_time, test_store, wal_config, false).await;
-
- // Create the DB by inserting a line.
- write_buffer
- .write_lp(
- NamespaceName::new("foo").unwrap(),
- "cpu,warehouse=us-east,room=01a,device=10001 reading=37\n",
- start_time,
- false,
- Precision::Nanosecond,
- )
- .await?;
-
- // First create a plugin
- write_buffer
- .insert_plugin(
- "foo",
- "test_plugin".to_string(),
- "def process(iterator, output): pass".to_string(),
- "process".to_string(),
- PluginType::WalRows,
- )
- .await?;
-
- // Then delete it
- write_buffer.delete_plugin("foo", "test_plugin").await?;
-
- // Verify plugin is gone from schema
- let schema = write_buffer.catalog().db_schema("foo").unwrap();
- assert!(!schema.processing_engine_plugins.contains_key("test_plugin"));
-
- // Verify we can add a newly named plugin
- write_buffer
- .insert_plugin(
- "foo",
- "test_plugin".to_string(),
- "def new_process(iterator, output): pass".to_string(),
- "new_process".to_string(),
- PluginType::WalRows,
- )
- .await?;
-
- Ok(())
- }
-
- #[tokio::test]
- async fn test_delete_plugin_with_active_trigger() -> Result<()> {
- let start_time = Time::from_rfc3339("2024-11-14T11:00:00+00:00").unwrap();
- let test_store = Arc::new(InMemory::new());
- let wal_config = WalConfig {
- gen1_duration: Gen1Duration::new_1m(),
- max_write_buffer_size: 100,
- flush_interval: Duration::from_millis(10),
- snapshot_size: 1,
- };
- let (write_buffer, _, _) =
- setup_cache_optional(start_time, test_store, wal_config, false).await;
-
- // Create the DB by inserting a line.
- write_buffer
- .write_lp(
- NamespaceName::new("foo").unwrap(),
- "cpu,warehouse=us-east,room=01a,device=10001 reading=37\n",
- start_time,
- false,
- Precision::Nanosecond,
- )
- .await?;
-
- // Create a plugin
- write_buffer
- .insert_plugin(
- "foo",
- "test_plugin".to_string(),
- "def process(iterator, output): pass".to_string(),
- "process".to_string(),
- PluginType::WalRows,
- )
- .await
- .unwrap();
-
- // Create a trigger using the plugin
- write_buffer
- .insert_trigger(
- "foo",
- "test_trigger".to_string(),
- "test_plugin".to_string(),
- TriggerSpecificationDefinition::AllTablesWalWrite,
- false,
- )
- .await
- .unwrap();
-
- // Try to delete the plugin - should fail because trigger exists
- let result = write_buffer.delete_plugin("foo", "test_plugin").await;
- assert!(matches!(
- result,
- Err(Error::CatalogUpdateError(catalog::Error::ProcessingEnginePluginInUse {
- database_name,
- plugin_name,
- trigger_name,
- })) if database_name == "foo" && plugin_name == "test_plugin" && trigger_name == "test_trigger"
- ));
- Ok(())
- }
-
- #[tokio::test]
- async fn test_trigger_lifecycle() -> Result<()> {
- let start_time = Time::from_rfc3339("2024-11-14T11:00:00+00:00").unwrap();
- let test_store = Arc::new(InMemory::new());
- let wal_config = WalConfig {
- gen1_duration: Gen1Duration::new_1m(),
- max_write_buffer_size: 100,
- flush_interval: Duration::from_millis(10),
- snapshot_size: 1,
- };
- let (write_buffer, _, _) =
- setup_cache_optional(start_time, test_store, wal_config, false).await;
-
- // convert to Arc<WriteBuffer>
- let write_buffer: Arc<dyn WriteBuffer> = write_buffer.clone();
-
- // Create the DB by inserting a line.
- write_buffer
- .write_lp(
- NamespaceName::new("foo").unwrap(),
- "cpu,warehouse=us-east,room=01a,device=10001 reading=37\n",
- start_time,
- false,
- Precision::Nanosecond,
- )
- .await?;
-
- // Create a plugin
- write_buffer
- .insert_plugin(
- "foo",
- "test_plugin".to_string(),
- "def process(iterator, output): pass".to_string(),
- "process".to_string(),
- PluginType::WalRows,
- )
- .await?;
-
- // Create an enabled trigger
- write_buffer
- .insert_trigger(
- "foo",
- "test_trigger".to_string(),
- "test_plugin".to_string(),
- TriggerSpecificationDefinition::AllTablesWalWrite,
- false,
- )
- .await?;
- // Run the trigger
- write_buffer
- .run_trigger(Arc::clone(&write_buffer), "foo", "test_trigger")
- .await?;
-
- // Deactivate the trigger
- let result = write_buffer.deactivate_trigger("foo", "test_trigger").await;
- assert!(result.is_ok());
-
- // Verify trigger is disabled in schema
- let schema = write_buffer.catalog().db_schema("foo").unwrap();
- let trigger = schema
- .processing_engine_triggers
- .get("test_trigger")
- .unwrap();
- assert!(trigger.disabled);
-
- // Activate the trigger
- let result = write_buffer
- .activate_trigger(Arc::clone(&write_buffer), "foo", "test_trigger")
- .await;
- assert!(result.is_ok());
-
- // Verify trigger is enabled and running
- let schema = write_buffer.catalog().db_schema("foo").unwrap();
- let trigger = schema
- .processing_engine_triggers
- .get("test_trigger")
- .unwrap();
- assert!(!trigger.disabled);
- Ok(())
- }
-
- #[tokio::test]
- async fn test_create_disabled_trigger() -> Result<()> {
- let start_time = Time::from_rfc3339("2024-11-14T11:00:00+00:00").unwrap();
- let test_store = Arc::new(InMemory::new());
- let wal_config = WalConfig {
- gen1_duration: Gen1Duration::new_1m(),
- max_write_buffer_size: 100,
- flush_interval: Duration::from_millis(10),
- snapshot_size: 1,
- };
- let (write_buffer, _, _) =
- setup_cache_optional(start_time, test_store, wal_config, false).await;
-
- // Create the DB by inserting a line.
- write_buffer
- .write_lp(
- NamespaceName::new("foo").unwrap(),
- "cpu,warehouse=us-east,room=01a,device=10001 reading=37\n",
- start_time,
- false,
- Precision::Nanosecond,
- )
- .await?;
-
- // Create a plugin
- write_buffer
- .insert_plugin(
- "foo",
- "test_plugin".to_string(),
- "def process(iterator, output): pass".to_string(),
- "process".to_string(),
- PluginType::WalRows,
- )
- .await?;
-
- // Create a disabled trigger
- write_buffer
- .insert_trigger(
- "foo",
- "test_trigger".to_string(),
- "test_plugin".to_string(),
- TriggerSpecificationDefinition::AllTablesWalWrite,
- true,
- )
- .await?;
-
- // Verify trigger is created but disabled
- let schema = write_buffer.catalog().db_schema("foo").unwrap();
- let trigger = schema
- .processing_engine_triggers
- .get("test_trigger")
- .unwrap();
- assert!(trigger.disabled);
-
- // Verify trigger is not in active triggers list
- assert!(write_buffer.catalog().triggers().is_empty());
- Ok(())
- }
-
- #[tokio::test]
- async fn test_activate_nonexistent_trigger() -> Result<()> {
- let start_time = Time::from_rfc3339("2024-11-14T11:00:00+00:00").unwrap();
- let test_store = Arc::new(InMemory::new());
- let wal_config = WalConfig {
- gen1_duration: Gen1Duration::new_1m(),
- max_write_buffer_size: 100,
- flush_interval: Duration::from_millis(10),
- snapshot_size: 1,
- };
- let (write_buffer, _, _) =
- setup_cache_optional(start_time, test_store, wal_config, false).await;
-
- let write_buffer: Arc<dyn WriteBuffer> = write_buffer.clone();
-
- // Create the DB by inserting a line.
- write_buffer
- .write_lp(
- NamespaceName::new("foo").unwrap(),
- "cpu,warehouse=us-east,room=01a,device=10001 reading=37\n",
- start_time,
- false,
- Precision::Nanosecond,
- )
- .await?;
-
- let result = write_buffer
- .activate_trigger(Arc::clone(&write_buffer), "foo", "nonexistent_trigger")
- .await;
-
- assert!(matches!(
- result,
- Err(Error::CatalogUpdateError(catalog::Error::ProcessingEngineTriggerNotFound {
- database_name,
- trigger_name,
- })) if database_name == "foo" && trigger_name == "nonexistent_trigger"
- ));
- Ok(())
- }
-
#[test_log::test(tokio::test)]
async fn test_check_mem_and_force_snapshot() {
let obj_store: Arc<dyn ObjectStore> = Arc::new(InMemory::new());
diff --git a/influxdb3_write/src/write_buffer/queryable_buffer.rs b/influxdb3_write/src/write_buffer/queryable_buffer.rs
index edf297e400..1ab81067ec 100644
--- a/influxdb3_write/src/write_buffer/queryable_buffer.rs
+++ b/influxdb3_write/src/write_buffer/queryable_buffer.rs
@@ -3,7 +3,6 @@ use crate::paths::ParquetFilePath;
use crate::persister::Persister;
use crate::write_buffer::persisted_files::PersistedFiles;
use crate::write_buffer::table_buffer::TableBuffer;
-use crate::write_buffer::PluginEvent;
use crate::{ParquetFile, ParquetFileId, PersistedSnapshot};
use anyhow::Context;
use arrow::record_batch::RecordBatch;
@@ -36,8 +35,7 @@ use schema::Schema;
use std::any::Any;
use std::sync::Arc;
use std::time::Duration;
-use tokio::sync::oneshot::Receiver;
-use tokio::sync::{mpsc, oneshot, Mutex};
+use tokio::sync::oneshot::{self, Receiver};
#[derive(Debug)]
pub struct QueryableBuffer {
@@ -52,7 +50,6 @@ pub struct QueryableBuffer {
/// Sends a notification to this watch channel whenever a snapshot info is persisted
persisted_snapshot_notify_rx: tokio::sync::watch::Receiver<Option<PersistedSnapshot>>,
persisted_snapshot_notify_tx: tokio::sync::watch::Sender<Option<PersistedSnapshot>>,
- plugin_event_tx: Mutex<HashMap<String, mpsc::Sender<PluginEvent>>>,
}
pub struct QueryableBufferArgs {
@@ -91,7 +88,6 @@ impl QueryableBuffer {
parquet_cache,
persisted_snapshot_notify_rx,
persisted_snapshot_notify_tx,
- plugin_event_tx: Mutex::new(HashMap::new()),
}
}
@@ -157,11 +153,11 @@ impl QueryableBuffer {
/// Called when the wal has persisted a new file. Buffer the contents in memory and update the
/// last cache so the data is queryable.
- fn buffer_contents(&self, write: WalContents) {
+ fn buffer_contents(&self, write: Arc<WalContents>) {
self.write_wal_contents_to_caches(&write);
let mut buffer = self.buffer.write();
buffer.buffer_ops(
- write.ops,
+ &write.ops,
&self.last_cache_provider,
&self.meta_cache_provider,
);
@@ -171,7 +167,7 @@ impl QueryableBuffer {
/// data that can be snapshot in the background after putting the data in the buffer.
async fn buffer_contents_and_persist_snapshotted_data(
&self,
- write: WalContents,
+ write: Arc<WalContents>,
snapshot_details: SnapshotDetails,
) -> Receiver<SnapshotDetails> {
info!(
@@ -183,7 +179,7 @@ impl QueryableBuffer {
let persist_jobs = {
let mut buffer = self.buffer.write();
buffer.buffer_ops(
- write.ops,
+ &write.ops,
&self.last_cache_provider,
&self.meta_cache_provider,
);
@@ -388,51 +384,6 @@ impl QueryableBuffer {
buffer.db_to_table.remove(db_id);
}
- #[cfg(feature = "system-py")]
- pub(crate) async fn subscribe_to_plugin_events(
- &self,
- trigger_name: String,
- ) -> mpsc::Receiver<PluginEvent> {
- let mut senders = self.plugin_event_tx.lock().await;
-
- // TODO: should we be checking for replacements?
- let (plugin_tx, plugin_rx) = mpsc::channel(4);
- senders.insert(trigger_name, plugin_tx);
- plugin_rx
- }
-
- /// Deactivates a running trigger by sending it a oneshot sender. It should send back a message and then immediately shut down.
- pub(crate) async fn deactivate_trigger(
- &self,
- #[allow(unused)] trigger_name: String,
- ) -> Result<(), anyhow::Error> {
- #[cfg(feature = "system-py")]
- {
- let Some(sender) = self.plugin_event_tx.lock().await.remove(&trigger_name) else {
- anyhow::bail!("no trigger named '{}' found", trigger_name);
- };
- let (oneshot_tx, oneshot_rx) = oneshot::channel();
- sender.send(PluginEvent::Shutdown(oneshot_tx)).await?;
- oneshot_rx.await?;
- }
- Ok(())
- }
-
- async fn send_to_plugins(&self, wal_contents: &WalContents) {
- let senders = self.plugin_event_tx.lock().await;
- if !senders.is_empty() {
- let wal_contents = Arc::new(wal_contents.clone());
- for (plugin, sender) in senders.iter() {
- if let Err(err) = sender
- .send(PluginEvent::WriteWalContents(Arc::clone(&wal_contents)))
- .await
- {
- error!("failed to send plugin event to plugin {}: {}", plugin, err);
- }
- }
- }
- }
-
pub fn get_total_size_bytes(&self) -> usize {
let buffer = self.buffer.read();
buffer.find_overall_buffer_size_bytes()
@@ -441,17 +392,15 @@ impl QueryableBuffer {
#[async_trait]
impl WalFileNotifier for QueryableBuffer {
- async fn notify(&self, write: WalContents) {
- self.send_to_plugins(&write).await;
+ async fn notify(&self, write: Arc<WalContents>) {
self.buffer_contents(write)
}
async fn notify_and_snapshot(
&self,
- write: WalContents,
+ write: Arc<WalContents>,
snapshot_details: SnapshotDetails,
) -> Receiver<SnapshotDetails> {
- self.send_to_plugins(&write).await;
self.buffer_contents_and_persist_snapshotted_data(write, snapshot_details)
.await
}
@@ -479,7 +428,7 @@ impl BufferState {
pub fn buffer_ops(
&mut self,
- ops: Vec<WalOp>,
+ ops: &[WalOp],
last_cache_provider: &LastCacheProvider,
meta_cache_provider: &MetaCacheProvider,
) {
@@ -580,7 +529,7 @@ impl BufferState {
}
}
- fn add_write_batch(&mut self, write_batch: WriteBatch) {
+ fn add_write_batch(&mut self, write_batch: &WriteBatch) {
let db_schema = self
.catalog
.db_schema_by_id(&write_batch.database_id)
@@ -588,10 +537,10 @@ impl BufferState {
let database_buffer = self.db_to_table.entry(write_batch.database_id).or_default();
- for (table_id, table_chunks) in write_batch.table_chunks {
- let table_buffer = database_buffer.entry(table_id).or_insert_with(|| {
+ for (table_id, table_chunks) in &write_batch.table_chunks {
+ let table_buffer = database_buffer.entry(*table_id).or_insert_with(|| {
let table_def = db_schema
- .table_definition_by_id(&table_id)
+ .table_definition_by_id(table_id)
.expect("table should exist");
let sort_key = table_def
.series_key
@@ -601,8 +550,8 @@ impl BufferState {
TableBuffer::new(index_columns, SortKey::from_columns(sort_key))
});
- for (chunk_time, chunk) in table_chunks.chunk_time_to_chunk {
- table_buffer.buffer_chunk(chunk_time, chunk.rows);
+ for (chunk_time, chunk) in &table_chunks.chunk_time_to_chunk {
+ table_buffer.buffer_chunk(*chunk_time, &chunk.rows);
}
}
}
@@ -832,7 +781,7 @@ mod tests {
wal_contents.max_timestamp_ns + Gen1Duration::new_1m().as_duration().as_nanos() as i64;
// write the lp into the buffer
- queryable_buffer.notify(wal_contents).await;
+ queryable_buffer.notify(Arc::new(wal_contents)).await;
// now force a snapshot, persisting the data to parquet file. Also, buffer up a new write
let snapshot_sequence_number = SnapshotSequenceNumber::new(1);
@@ -865,7 +814,7 @@ mod tests {
wal_contents.max_timestamp_ns + Gen1Duration::new_1m().as_duration().as_nanos() as i64;
let details = queryable_buffer
- .notify_and_snapshot(wal_contents, snapshot_details)
+ .notify_and_snapshot(Arc::new(wal_contents), snapshot_details)
.await;
let _details = details.await.unwrap();
@@ -888,14 +837,14 @@ mod tests {
};
queryable_buffer
.notify_and_snapshot(
- WalContents {
+ Arc::new(WalContents {
persist_timestamp_ms: 0,
min_timestamp_ns: 0,
max_timestamp_ns: 0,
wal_file_number: WalFileSequenceNumber::new(3),
ops: vec![],
snapshot: Some(snapshot_details),
- },
+ }),
snapshot_details,
)
.await
diff --git a/influxdb3_write/src/write_buffer/table_buffer.rs b/influxdb3_write/src/write_buffer/table_buffer.rs
index ff60f5a484..d1ca35764c 100644
--- a/influxdb3_write/src/write_buffer/table_buffer.rs
+++ b/influxdb3_write/src/write_buffer/table_buffer.rs
@@ -50,7 +50,7 @@ impl TableBuffer {
}
}
- pub fn buffer_chunk(&mut self, chunk_time: i64, rows: Vec<Row>) {
+ pub fn buffer_chunk(&mut self, chunk_time: i64, rows: &[Row]) {
let buffer_chunk = self
.chunk_time_to_chunks
.entry(chunk_time)
@@ -250,19 +250,19 @@ struct MutableTableChunk {
}
impl MutableTableChunk {
- fn add_rows(&mut self, rows: Vec<Row>) {
+ fn add_rows(&mut self, rows: &[Row]) {
let new_row_count = rows.len();
- for (row_index, r) in rows.into_iter().enumerate() {
+ for (row_index, r) in rows.iter().enumerate() {
let mut value_added = HashSet::with_capacity(r.fields.len());
- for f in r.fields {
+ for f in &r.fields {
value_added.insert(f.id);
- match f.value {
+ match &f.value {
FieldData::Timestamp(v) => {
- self.timestamp_min = self.timestamp_min.min(v);
- self.timestamp_max = self.timestamp_max.max(v);
+ self.timestamp_min = self.timestamp_min.min(*v);
+ self.timestamp_max = self.timestamp_max.max(*v);
let b = self.data.entry(f.id).or_insert_with(|| {
debug!("Creating new timestamp builder");
@@ -272,7 +272,7 @@ impl MutableTableChunk {
Builder::Time(time_builder)
});
if let Builder::Time(b) = b {
- b.append_value(v);
+ b.append_value(*v);
} else {
panic!("unexpected field type");
}
@@ -288,7 +288,7 @@ impl MutableTableChunk {
}
let b = self.data.get_mut(&f.id).expect("tag builder should exist");
if let Builder::Tag(b) = b {
- self.index.add_row_if_indexed_column(b.len(), f.id, &v);
+ self.index.add_row_if_indexed_column(b.len(), f.id, v);
b.append(v)
.expect("shouldn't be able to overflow 32 bit dictionary");
} else {
@@ -307,7 +307,7 @@ impl MutableTableChunk {
let Builder::Key(b) = b else {
panic!("unexpected field type");
};
- self.index.add_row_if_indexed_column(b.len(), f.id, &v);
+ self.index.add_row_if_indexed_column(b.len(), f.id, v);
b.append_value(v);
}
FieldData::String(v) => {
@@ -333,7 +333,7 @@ impl MutableTableChunk {
Builder::I64(int_builder)
});
if let Builder::I64(b) = b {
- b.append_value(v);
+ b.append_value(*v);
} else {
panic!("unexpected field type");
}
@@ -346,7 +346,7 @@ impl MutableTableChunk {
Builder::U64(uint_builder)
});
if let Builder::U64(b) = b {
- b.append_value(v);
+ b.append_value(*v);
} else {
panic!("unexpected field type");
}
@@ -359,7 +359,7 @@ impl MutableTableChunk {
Builder::F64(float_builder)
});
if let Builder::F64(b) = b {
- b.append_value(v);
+ b.append_value(*v);
} else {
panic!("unexpected field type");
}
@@ -372,7 +372,7 @@ impl MutableTableChunk {
Builder::Bool(bool_builder)
});
if let Builder::Bool(b) = b {
- b.append_value(v);
+ b.append_value(*v);
} else {
panic!("unexpected field type");
}
@@ -866,7 +866,7 @@ mod tests {
},
];
- table_buffer.buffer_chunk(offset, rows);
+ table_buffer.buffer_chunk(offset, &rows);
}
let partitioned_batches = table_buffer
@@ -980,7 +980,7 @@ mod tests {
},
];
- table_buffer.buffer_chunk(0, rows);
+ table_buffer.buffer_chunk(0, &rows);
let filter = &[Expr::BinaryExpr(BinaryExpr {
left: Box::new(Expr::Column(Column {
@@ -1105,7 +1105,7 @@ mod tests {
},
];
- table_buffer.buffer_chunk(0, rows);
+ table_buffer.buffer_chunk(0, &rows);
let size = table_buffer.computed_size();
assert_eq!(size, 18120);
diff --git a/influxdb3_write/src/write_buffer/validator.rs b/influxdb3_write/src/write_buffer/validator.rs
index afbfd86043..430478d2ab 100644
--- a/influxdb3_write/src/write_buffer/validator.rs
+++ b/influxdb3_write/src/write_buffer/validator.rs
@@ -138,7 +138,7 @@ impl WriteValidator<WithCatalog> {
database_name: Arc::clone(&self.state.db_schema.name),
ops: catalog_updates,
};
- self.state.catalog.apply_catalog_batch(catalog_batch)?
+ self.state.catalog.apply_catalog_batch(&catalog_batch)?
};
Ok(WriteValidator {
@@ -398,9 +398,9 @@ pub struct ValidatedLines {
/// Number of index columns passed in, whether tags (v1) or series keys (v3)
pub(crate) index_count: usize,
/// Any errors that occurred while parsing the lines
- pub(crate) errors: Vec<WriteLineError>,
+ pub errors: Vec<WriteLineError>,
/// Only valid lines will be converted into a WriteBatch
- pub(crate) valid_data: WriteBatch,
+ pub valid_data: WriteBatch,
/// If any catalog updates were made, they will be included here
pub(crate) catalog_updates: Option<OrderedCatalogBatch>,
}
|
23dc2c4e062501766be70a0e7ace92449af916c3
|
Dom Dwyer
|
2022-12-21 18:04:20
|
consistent metric naming
|
Removes _ns (and incorrect _ms) suffix.
| null |
refactor: consistent metric naming
Removes _ns (and incorrect _ms) suffix.
|
diff --git a/ingester2/src/persist/backpressure.rs b/ingester2/src/persist/backpressure.rs
index 1e2be01219..53a3203728 100644
--- a/ingester2/src/persist/backpressure.rs
+++ b/ingester2/src/persist/backpressure.rs
@@ -80,7 +80,7 @@ pub(crate) struct PersistState {
/// A counter tracking the number of nanoseconds the state value is set to
/// [`CurrentState::Saturated`].
- saturated_duration_ms: DurationCounter,
+ saturated_duration: DurationCounter,
}
impl PersistState {
@@ -101,9 +101,9 @@ impl PersistState {
"persist queue depth must be non-zero"
);
- let saturated_duration_ms = metrics
+ let saturated_duration = metrics
.register_metric::<DurationCounter>(
- "ingester_persist_saturated_duration_ns",
+ "ingester_persist_saturated_duration",
"the duration of time the persist system was marked as saturated",
)
.recorder(&[]);
@@ -114,7 +114,7 @@ impl PersistState {
recovery_handle: Default::default(),
persist_queue_depth,
sem,
- saturated_duration_ms,
+ saturated_duration,
};
s.set(CurrentState::Ok);
s
@@ -263,7 +263,7 @@ async fn saturation_monitor_task(
// For the first tick, this covers the tick wait itself. For subsequent
// ticks, this duration covers the evaluation time + tick wait.
let now = Instant::now();
- state.saturated_duration_ms.inc(now.duration_since(last));
+ state.saturated_duration.inc(now.duration_since(last));
last = now;
// INVARIANT: this task only ever runs when the system is saturated.
@@ -343,7 +343,7 @@ mod tests {
const POLL_INTERVAL: Duration = Duration::from_millis(5);
/// Execute `f` with the current value of the
- /// "ingester_persist_saturated_duration_ns" metric.
+ /// "ingester_persist_saturated_duration" metric.
#[track_caller]
fn assert_saturation_time<F>(metrics: &metric::Registry, f: F)
where
@@ -352,7 +352,7 @@ mod tests {
// Get the saturated duration counter that tracks the time spent in the
// "saturated" state.
let duration_counter = metrics
- .get_instrument::<Metric<DurationCounter>>("ingester_persist_saturated_duration_ns")
+ .get_instrument::<Metric<DurationCounter>>("ingester_persist_saturated_duration")
.expect("constructor did not create required duration metric")
.recorder(&[]);
|
ada65d73897817762f471cc5bc9f7d3e5eeb6cf7
|
Martin Hilton
|
2023-09-15 12:54:28
|
suport timezone in selector_* functions (#8742)
|
Update the selector functions to output the selected time in the
same timezone as input time array. This will not have any effect
on the rest of the system yet as timezones are not used anywhere.
This change is being done in preparation for making use of timezones.
|
Co-authored-by: kodiakhq[bot] <49736102+kodiakhq[bot]@users.noreply.github.com>
|
feat(query_functions): suport timezone in selector_* functions (#8742)
Update the selector functions to output the selected time in the
same timezone as input time array. This will not have any effect
on the rest of the system yet as timezones are not used anywhere.
This change is being done in preparation for making use of timezones.
Co-authored-by: kodiakhq[bot] <49736102+kodiakhq[bot]@users.noreply.github.com>
|
diff --git a/query_functions/src/selectors.rs b/query_functions/src/selectors.rs
index c3c930eb59..f0185274aa 100644
--- a/query_functions/src/selectors.rs
+++ b/query_functions/src/selectors.rs
@@ -224,30 +224,38 @@ impl FactoryBuilder {
Arc::new(move |return_type| {
let agg_type = AggType::try_from_return_type(return_type)?;
let value_type = agg_type.value_type;
+ let timezone = match agg_type.time_type {
+ DataType::Timestamp(_, tz) => tz.clone(),
+ _ => None,
+ };
let other_types = agg_type.other_types;
let accumulator: Box<dyn Accumulator> = match selector_type {
SelectorType::First => Box::new(Selector::new(
Comparison::Min,
Target::Time,
+ timezone,
value_type,
other_types.iter().cloned(),
)?),
SelectorType::Last => Box::new(Selector::new(
Comparison::Max,
Target::Time,
+ timezone,
value_type,
other_types.iter().cloned(),
)?),
SelectorType::Min => Box::new(Selector::new(
Comparison::Min,
Target::Value,
+ timezone,
value_type,
other_types.iter().cloned(),
)?),
SelectorType::Max => Box::new(Selector::new(
Comparison::Max,
Target::Value,
+ timezone,
value_type,
other_types.iter().cloned(),
)?),
@@ -302,7 +310,7 @@ mod test {
use datafusion::{datasource::MemTable, prelude::*};
use super::*;
- use utils::{run_case, run_cases_err};
+ use utils::{run_case, run_case_tz, run_cases_err};
mod first {
use super::*;
@@ -488,6 +496,22 @@ mod test {
async fn test_err() {
run_cases_err(selector_first(), "selector_first").await;
}
+
+ #[tokio::test]
+ async fn test_i64_tz() {
+ run_case_tz(
+ selector_first().call(vec![col("i64_value"), col("time")]),
+ Some("Australia/Hobart".into()),
+ vec![
+ "+-----------------------------------------------------+",
+ "| selector_first(t.i64_value,t.time) |",
+ "+-----------------------------------------------------+",
+ "| {value: 20, time: 1970-01-01T11:00:00.000001+11:00} |",
+ "+-----------------------------------------------------+",
+ ],
+ )
+ .await;
+ }
}
mod last {
@@ -674,6 +698,22 @@ mod test {
async fn test_err() {
run_cases_err(selector_last(), "selector_last").await;
}
+
+ #[tokio::test]
+ async fn test_i64_tz() {
+ run_case_tz(
+ selector_last().call(vec![col("i64_value"), col("time")]),
+ Some("Australia/Adelaide".into()),
+ vec![
+ "+-----------------------------------------------------+",
+ "| selector_last(t.i64_value,t.time) |",
+ "+-----------------------------------------------------+",
+ "| {value: 30, time: 1970-01-01T09:30:00.000006+09:30} |",
+ "+-----------------------------------------------------+",
+ ],
+ )
+ .await;
+ }
}
mod min {
@@ -848,6 +888,22 @@ mod test {
async fn test_err() {
run_cases_err(selector_min(), "selector_min").await;
}
+
+ #[tokio::test]
+ async fn test_i64_tz() {
+ run_case_tz(
+ selector_min().call(vec![col("i64_value"), col("time")]),
+ Some("Pacific/Chatham".into()),
+ vec![
+ "+-----------------------------------------------------+",
+ "| selector_min(t.i64_value,t.time) |",
+ "+-----------------------------------------------------+",
+ "| {value: 10, time: 1970-01-01T12:45:00.000004+12:45} |",
+ "+-----------------------------------------------------+",
+ ],
+ )
+ .await;
+ }
}
mod max {
@@ -1034,18 +1090,43 @@ mod test {
async fn test_err() {
run_cases_err(selector_max(), "selector_max").await;
}
+
+ #[tokio::test]
+ async fn test_i64_tz() {
+ run_case_tz(
+ selector_max().call(vec![col("i64_value"), col("time")]),
+ Some("-05:00".into()),
+ vec![
+ "+-----------------------------------------------------+",
+ "| selector_max(t.i64_value,t.time) |",
+ "+-----------------------------------------------------+",
+ "| {value: 50, time: 1969-12-31T19:00:00.000005-05:00} |",
+ "+-----------------------------------------------------+",
+ ],
+ )
+ .await;
+ }
}
mod utils {
- use schema::TIME_DATA_TYPE;
+ use arrow::datatypes::TimeUnit;
use super::*;
/// Runs the expr using `run_plan` and compares the result to `expected`
pub async fn run_case(expr: Expr, expected: Vec<&'static str>) {
- println!("Running case for {expr}");
+ run_case_tz(expr, None, expected).await
+ }
+
+ /// Runs the expr using `run_plan` in the requested timezone and compares the result to `expected`
+ pub async fn run_case_tz(expr: Expr, tz: Option<Arc<str>>, expected: Vec<&'static str>) {
+ if let Some(tz) = tz.as_ref() {
+ println!("Running case for {expr} in timezone {tz}");
+ } else {
+ println!("Running case for {expr}");
+ }
- let actual = run_plan(vec![expr.clone()]).await;
+ let actual = run_plan(vec![expr.clone()], tz).await;
assert_eq!(
expected, actual,
@@ -1056,7 +1137,7 @@ mod test {
pub async fn run_case_err(expr: Expr, expected: &str) {
println!("Running error case for {expr}");
- let (schema, input) = input();
+ let (schema, input) = input(None);
let actual = run_with_inputs(Arc::clone(&schema), vec![expr.clone()], input.clone())
.await
.unwrap_err()
@@ -1100,7 +1181,7 @@ mod test {
.await;
}
- fn input() -> (SchemaRef, Vec<RecordBatch>) {
+ fn input(tz: Option<Arc<str>>) -> (SchemaRef, Vec<RecordBatch>) {
// define a schema for input
// (value) and timestamp
let schema = Arc::new(Schema::new(vec![
@@ -1117,8 +1198,16 @@ mod test {
Field::new("string_value", DataType::Utf8, true),
Field::new("bool_value", DataType::Boolean, true),
Field::new("bool_const", DataType::Boolean, true),
- Field::new("time", TIME_DATA_TYPE(), true),
- Field::new("time_dup", TIME_DATA_TYPE(), true),
+ Field::new(
+ "time",
+ DataType::Timestamp(TimeUnit::Nanosecond, tz.clone()),
+ true,
+ ),
+ Field::new(
+ "time_dup",
+ DataType::Timestamp(TimeUnit::Nanosecond, tz.clone()),
+ true,
+ ),
]));
// define data in two partitions
@@ -1158,8 +1247,14 @@ mod test {
Arc::new(StringArray::from(vec![Some("two"), Some("four"), None])),
Arc::new(BooleanArray::from(vec![Some(true), Some(false), None])),
Arc::new(BooleanArray::from(vec![Some(true), Some(true), Some(true)])),
- Arc::new(TimestampNanosecondArray::from(vec![1000, 2000, 3000])),
- Arc::new(TimestampNanosecondArray::from(vec![1000, 1000, 2000])),
+ Arc::new(
+ TimestampNanosecondArray::from(vec![1000, 2000, 3000])
+ .with_timezone_opt(tz.clone()),
+ ),
+ Arc::new(
+ TimestampNanosecondArray::from(vec![1000, 1000, 2000])
+ .with_timezone_opt(tz.clone()),
+ ),
],
)
.unwrap();
@@ -1181,8 +1276,14 @@ mod test {
Arc::new(StringArray::from(vec![] as Vec<Option<&str>>)),
Arc::new(BooleanArray::from(vec![] as Vec<Option<bool>>)),
Arc::new(BooleanArray::from(vec![] as Vec<Option<bool>>)),
- Arc::new(TimestampNanosecondArray::from(vec![] as Vec<i64>)),
- Arc::new(TimestampNanosecondArray::from(vec![] as Vec<i64>)),
+ Arc::new(
+ TimestampNanosecondArray::from(vec![] as Vec<i64>)
+ .with_timezone_opt(tz.clone()),
+ ),
+ Arc::new(
+ TimestampNanosecondArray::from(vec![] as Vec<i64>)
+ .with_timezone_opt(tz.clone()),
+ ),
],
) {
Ok(a) => a,
@@ -1233,8 +1334,14 @@ mod test {
Some(false),
])),
Arc::new(BooleanArray::from(vec![Some(true), Some(true), Some(true)])),
- Arc::new(TimestampNanosecondArray::from(vec![4000, 5000, 6000])),
- Arc::new(TimestampNanosecondArray::from(vec![2000, 3000, 3000])),
+ Arc::new(
+ TimestampNanosecondArray::from(vec![4000, 5000, 6000])
+ .with_timezone_opt(tz.clone()),
+ ),
+ Arc::new(
+ TimestampNanosecondArray::from(vec![2000, 3000, 3000])
+ .with_timezone_opt(tz.clone()),
+ ),
],
)
.unwrap();
@@ -1258,8 +1365,8 @@ mod test {
/// | 3 | 30 | 30 | three | false | 1970-01-01T00:00:00.000006 |,
/// +-----------+-----------+--------------+------------+----------------------------+,
/// ```
- async fn run_plan(aggs: Vec<Expr>) -> Vec<String> {
- let (schema, input) = input();
+ async fn run_plan(aggs: Vec<Expr>, tz: Option<Arc<str>>) -> Vec<String> {
+ let (schema, input) = input(tz);
// Ensure the answer is the same regardless of the order of inputs
let input_string = pretty_format_batches(&input).unwrap();
diff --git a/query_functions/src/selectors/internal.rs b/query_functions/src/selectors/internal.rs
index 87c81c41b5..63c6f042bb 100644
--- a/query_functions/src/selectors/internal.rs
+++ b/query_functions/src/selectors/internal.rs
@@ -81,6 +81,7 @@ impl ActionNeeded {
pub struct Selector {
comp: Comparison,
target: Target,
+ timezone: Option<Arc<str>>,
value: ScalarValue,
time: Option<i64>,
other: Box<[ScalarValue]>,
@@ -90,12 +91,14 @@ impl Selector {
pub fn new<'a>(
comp: Comparison,
target: Target,
+ timezone: Option<Arc<str>>,
data_type: &'a DataType,
other_types: impl IntoIterator<Item = &'a DataType>,
) -> DataFusionResult<Self> {
Ok(Self {
comp,
target,
+ timezone,
value: ScalarValue::try_from(data_type)?,
time: None,
other: other_types
@@ -269,7 +272,7 @@ impl Accumulator for Selector {
fn state(&self) -> DataFusionResult<Vec<ScalarValue>> {
Ok([
self.value.clone(),
- ScalarValue::TimestampNanosecond(self.time, None),
+ ScalarValue::TimestampNanosecond(self.time, self.timezone.clone()),
]
.into_iter()
.chain(self.other.iter().cloned())
@@ -308,7 +311,7 @@ impl Accumulator for Selector {
fn evaluate(&self) -> DataFusionResult<ScalarValue> {
Ok(make_struct_scalar(
&self.value,
- &ScalarValue::TimestampNanosecond(self.time, None),
+ &ScalarValue::TimestampNanosecond(self.time, self.timezone.clone()),
self.other.iter(),
))
}
diff --git a/query_functions/src/selectors/type_handling.rs b/query_functions/src/selectors/type_handling.rs
index 33939d8cd3..213be80fd7 100644
--- a/query_functions/src/selectors/type_handling.rs
+++ b/query_functions/src/selectors/type_handling.rs
@@ -1,9 +1,8 @@
-use arrow::datatypes::{DataType, Field, Fields};
+use arrow::datatypes::{DataType, Field, Fields, TimeUnit};
use datafusion::{
error::{DataFusionError, Result as DataFusionResult},
scalar::ScalarValue,
};
-use schema::TIME_DATA_TYPE;
/// Name of the output struct field that holds the value that was the main input into the selector, i.e. from which we
/// have selected the first/last/min/max value.
@@ -21,11 +20,12 @@ fn struct_field_other(idx: usize) -> String {
/// Create [`Fields`] for the output struct.
fn make_struct_fields<'a>(
value_type: &'a DataType,
+ time_type: &'a DataType,
other_types: impl IntoIterator<Item = &'a DataType>,
) -> Fields {
let fields = [
Field::new(STRUCT_FIELD_VALUE, value_type.clone(), true),
- Field::new(STRUCT_FIELD_TIME, TIME_DATA_TYPE(), true),
+ Field::new(STRUCT_FIELD_TIME, time_type.clone(), true),
]
.into_iter()
.chain(
@@ -48,9 +48,10 @@ fn make_struct_fields<'a>(
/// - `other_{1..}` (depending on the other input to the selector function).
pub fn make_struct_datatype<'a>(
value_type: &'a DataType,
+ time_type: &'a DataType,
other_types: impl IntoIterator<Item = &'a DataType>,
) -> DataType {
- DataType::Struct(make_struct_fields(value_type, other_types))
+ DataType::Struct(make_struct_fields(value_type, time_type, other_types))
}
/// Create output struct [`ScalarValue`].
@@ -70,22 +71,24 @@ pub fn make_struct_scalar<'a>(
.chain(other.into_iter().cloned())
.collect();
let value_type = value.get_datatype();
+ let time_type = time.get_datatype();
let other_types: Vec<_> = data_fields[2..].iter().map(|s| s.get_datatype()).collect();
ScalarValue::Struct(
Some(data_fields),
- make_struct_fields(&value_type, &other_types),
+ make_struct_fields(&value_type, &time_type, &other_types),
)
}
/// Contains types of the aggregator.
-///
-/// The time type is NOT included here and is always assumed (and checked) to be [`TIME_DATA_TYPE`].
#[derive(Debug)]
pub struct AggType<'a> {
/// Type of the value that is fed into the selector and for which we select the row that satisfies first/last/min/max.
pub value_type: &'a DataType,
+ /// Type of the time that is fed into the selector and for which we select the row that satisfies first/last/min/max.
+ pub time_type: &'a DataType,
+
/// Types of the other values that are picked for the same row for which [value](Self::value_type) was selected. The do
/// NOT influence the row selection in any way.
pub other_types: Box<[&'a DataType]>,
@@ -96,12 +99,16 @@ impl<'a> AggType<'a> {
///
/// See [`make_struct_datatype`].
pub fn return_type(&self) -> DataType {
- make_struct_datatype(self.value_type, self.other_types.iter().copied())
+ make_struct_datatype(
+ self.value_type,
+ self.time_type,
+ self.other_types.iter().copied(),
+ )
}
/// Return the state in which the arguments are stored
pub fn state_datatypes(&self) -> Vec<DataType> {
- [self.value_type.clone(), TIME_DATA_TYPE()]
+ [self.value_type.clone(), self.time_type.clone()]
.into_iter()
.chain(self.other_types.iter().copied().cloned())
.collect()
@@ -121,16 +128,16 @@ impl<'a> AggType<'a> {
let time_type = fields[1].data_type();
let other_types = fields[2..].iter().map(|f| f.data_type()).collect();
- if time_type != &TIME_DATA_TYPE() {
- return Err(DataFusionError::Plan(format!(
+ match time_type {
+ DataType::Timestamp(TimeUnit::Nanosecond, _) => Ok(Self {
+ value_type,
+ time_type,
+ other_types,
+ }),
+ _ => Err(DataFusionError::Plan(format!(
"second argument must be a timestamp, but got {time_type}"
- )));
+ ))),
}
-
- Ok(Self {
- value_type,
- other_types,
- })
} else {
Err(DataFusionError::Execution(format!(
"Cannot create selector type from non-struct return type: {return_type}"
@@ -153,15 +160,15 @@ impl<'a> AggType<'a> {
let value_type = &arg_types[0];
let time_type = &arg_types[1];
let other_types = arg_types[2..].iter().collect();
- if time_type != &TIME_DATA_TYPE() {
- return Err(DataFusionError::Plan(format!(
+ match time_type {
+ DataType::Timestamp(TimeUnit::Nanosecond, _) => Ok(Self {
+ value_type,
+ time_type,
+ other_types,
+ }),
+ _ => Err(DataFusionError::Plan(format!(
"{name} second argument must be a timestamp, but got {time_type}"
- )));
+ ))),
}
-
- Ok(Self {
- value_type,
- other_types,
- })
}
}
|
bde300c988e227c724a90307b513d6bb6f423525
|
Dom Dwyer
|
2023-03-02 15:43:13
|
WAL/buffer commit cancellation safety
|
Ensure that a write that is added to the WAL is always attempted to be
applied to the BufferTree.
This covers off the case of a user submitting a write, waiting long
enough for it to be added to the WAL buffer, and then disconnecting
before it is added to the BufferTree (and before they get a response).
This is a minor issue on its own, but fixing it is necessary for correct
reference counting of WAL files:
https://github.com/influxdata/influxdb_iox/issues/6566
This also documents a low-risk opportunity for the WAL contents &
BufferTree to diverge, potentially leading to a crash-loop at startup:
https://github.com/influxdata/influxdb_iox/issues/7111
In practice a crash loop is unlikely, as it would require broken
invariants elsewhere (no schema validation being applied).
Closes https://github.com/influxdata/influxdb_iox/issues/6281.
| null |
fix: WAL/buffer commit cancellation safety
Ensure that a write that is added to the WAL is always attempted to be
applied to the BufferTree.
This covers off the case of a user submitting a write, waiting long
enough for it to be added to the WAL buffer, and then disconnecting
before it is added to the BufferTree (and before they get a response).
This is a minor issue on its own, but fixing it is necessary for correct
reference counting of WAL files:
https://github.com/influxdata/influxdb_iox/issues/6566
This also documents a low-risk opportunity for the WAL contents &
BufferTree to diverge, potentially leading to a crash-loop at startup:
https://github.com/influxdata/influxdb_iox/issues/7111
In practice a crash loop is unlikely, as it would require broken
invariants elsewhere (no schema validation being applied).
Closes https://github.com/influxdata/influxdb_iox/issues/6281.
|
diff --git a/ingester2/src/wal/wal_sink.rs b/ingester2/src/wal/wal_sink.rs
index d8df441aa2..8fe67fd1ea 100644
--- a/ingester2/src/wal/wal_sink.rs
+++ b/ingester2/src/wal/wal_sink.rs
@@ -6,7 +6,10 @@ use std::sync::Arc;
use tokio::sync::watch::Receiver;
use wal::{SequencedWalOp, WriteResult};
-use crate::dml_sink::{DmlError, DmlSink};
+use crate::{
+ cancellation_safe::CancellationSafe,
+ dml_sink::{DmlError, DmlSink},
+};
use super::traits::WalAppender;
@@ -33,30 +36,33 @@ impl<T, W> WalSink<T, W> {
#[async_trait]
impl<T, W> DmlSink for WalSink<T, W>
where
- T: DmlSink,
+ T: DmlSink + Clone + 'static,
W: WalAppender + 'static,
{
type Error = DmlError;
async fn apply(&self, op: DmlOperation) -> Result<(), Self::Error> {
- // TODO: cancellation safety
- //
- // See https://github.com/influxdata/influxdb_iox/issues/6281.
- //
- // Once an item is in the WAL, it should be passed into the inner
- // DmlSink so that is becomes readable - failing to do this means writes
- // will randomly appear after replaying the WAL.
- //
- // This can happen If the caller stops polling just after the WAL commit
- // future completes and before the inner DmlSink call returns Ready.
-
// Append the operation to the WAL
let mut write_result = self.wal.append(&op);
- // Pass it to the inner handler while we wait for the write to be made durable
- self.inner.apply(op).await.map_err(Into::into)?;
+ // Pass it to the inner handler while we wait for the write to be made
+ // durable.
+ //
+ // Ensure that this future is always driven to completion now that the
+ // WAL entry is being committed, otherwise they'll diverge.
+ //
+ // If this buffer apply fails, the entry remains in the WAL and will be
+ // attempted again during WAL replay after a crash. If this can never
+ // succeed, this can cause a crash loop (unlikely) - see:
+ //
+ // https://github.com/influxdata/influxdb_iox/issues/7111
+ //
+ let inner = self.inner.clone();
+ CancellationSafe::new(async move { inner.apply(op).await })
+ .await
+ .map_err(Into::into)?;
- // wait for the write to be durable before returning
+ // Wait for the write to be durable before returning to the user
write_result
.changed()
.await
|
1a379f5f16207aacca73248ac64488017596eb95
|
Dom Dwyer
|
2022-11-25 19:38:31
|
streaming query data sourcing
|
Changes the query code (taken from the ingester crate) to stream data
for query execution, tidy up unnecessary Result types and removing
unnecessary indirection/boxing.
Previously the query data sourcing would collect the set of RecordBatch
for a query response during execution, prior to sending the data to the
caller. Any data that was dropped or modified during this time meant the
underlying ref-counted data could not be released from memory until all
outstanding queries referencing it completed. When faced with multiple
concurrent queries and ongoing ingest, this meant multiple copies of
data could be held in memory at any one time.
After this commit, data is streamed to the user, minimising the duration
of time a reference to specific partition data is held, and therefore
eliminating the memory overhead of holding onto all the data necessary
for a query for as long as the client takes to read the data.
When combined with an upcoming PR to stream RecordBatch out of the
BufferTree, this should provide performant query execution with minimal
memory overhead, even for a maliciously slow reading client.
| null |
perf(ingester2): streaming query data sourcing
Changes the query code (taken from the ingester crate) to stream data
for query execution, tidy up unnecessary Result types and removing
unnecessary indirection/boxing.
Previously the query data sourcing would collect the set of RecordBatch
for a query response during execution, prior to sending the data to the
caller. Any data that was dropped or modified during this time meant the
underlying ref-counted data could not be released from memory until all
outstanding queries referencing it completed. When faced with multiple
concurrent queries and ongoing ingest, this meant multiple copies of
data could be held in memory at any one time.
After this commit, data is streamed to the user, minimising the duration
of time a reference to specific partition data is held, and therefore
eliminating the memory overhead of holding onto all the data necessary
for a query for as long as the client takes to read the data.
When combined with an upcoming PR to stream RecordBatch out of the
BufferTree, this should provide performant query execution with minimal
memory overhead, even for a maliciously slow reading client.
|
diff --git a/ingester2/src/query/partition_response.rs b/ingester2/src/query/partition_response.rs
index fcee6b7d77..14ead8e0ae 100644
--- a/ingester2/src/query/partition_response.rs
+++ b/ingester2/src/query/partition_response.rs
@@ -2,23 +2,13 @@
//!
//! [`QueryResponse`]: super::response::QueryResponse
-use std::pin::Pin;
-
-use arrow::error::ArrowError;
use data_types::{PartitionId, SequenceNumber};
use datafusion::physical_plan::SendableRecordBatchStream;
-use futures::Stream;
-
-/// Stream of [`RecordBatch`].
-///
-/// [`RecordBatch`]: arrow::record_batch::RecordBatch
-pub(crate) type RecordBatchStream =
- Pin<Box<dyn Stream<Item = Result<SendableRecordBatchStream, ArrowError>> + Send>>;
/// Response data for a single partition.
pub(crate) struct PartitionResponse {
/// Stream of snapshots.
- batches: RecordBatchStream,
+ batches: SendableRecordBatchStream,
/// Partition ID.
id: PartitionId,
@@ -39,7 +29,7 @@ impl std::fmt::Debug for PartitionResponse {
impl PartitionResponse {
pub(crate) fn new(
- batches: RecordBatchStream,
+ batches: SendableRecordBatchStream,
id: PartitionId,
max_persisted_sequence_number: Option<SequenceNumber>,
) -> Self {
@@ -58,7 +48,7 @@ impl PartitionResponse {
self.max_persisted_sequence_number
}
- pub(crate) fn into_record_batch_stream(self) -> RecordBatchStream {
+ pub(crate) fn into_record_batch_stream(self) -> SendableRecordBatchStream {
self.batches
}
}
diff --git a/ingester2/src/query/response.rs b/ingester2/src/query/response.rs
index b470621be2..5e9533c65b 100644
--- a/ingester2/src/query/response.rs
+++ b/ingester2/src/query/response.rs
@@ -2,18 +2,15 @@
//!
//! [`QueryExec::query_exec()`]: super::QueryExec::query_exec()
-use std::{pin::Pin, sync::Arc};
+use std::pin::Pin;
use arrow::{error::ArrowError, record_batch::RecordBatch};
-use arrow_util::optimize::{optimize_record_batch, optimize_schema};
-use futures::{Stream, StreamExt, TryStreamExt};
+use futures::{Stream, StreamExt};
use super::partition_response::PartitionResponse;
/// Stream of partitions in this response.
-pub(crate) struct PartitionStream(
- Pin<Box<dyn Stream<Item = Result<PartitionResponse, ArrowError>> + Send>>,
-);
+pub(crate) struct PartitionStream(Pin<Box<dyn Stream<Item = PartitionResponse> + Send>>);
impl std::fmt::Debug for PartitionStream {
fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
@@ -24,7 +21,7 @@ impl std::fmt::Debug for PartitionStream {
impl PartitionStream {
pub(crate) fn new<T>(s: T) -> Self
where
- T: Stream<Item = Result<PartitionResponse, ArrowError>> + Send + 'static,
+ T: Stream<Item = PartitionResponse> + Send + 'static,
{
Self(s.boxed())
}
@@ -47,27 +44,13 @@ impl QueryResponse {
}
/// Return the stream of [`PartitionResponse`].
- pub(crate) fn into_partition_stream(
- self,
- ) -> Pin<Box<dyn Stream<Item = Result<PartitionResponse, ArrowError>> + Send>> {
+ pub(crate) fn into_partition_stream(self) -> impl Stream<Item = PartitionResponse> {
self.partitions.0
}
- /// Reduce the [`QueryResponse`] to a set of [`RecordBatch`].
- pub(crate) async fn into_record_batches(self) -> Result<Vec<RecordBatch>, ArrowError> {
+ /// Reduce the [`QueryResponse`] to a stream of [`RecordBatch`].
+ pub(crate) fn into_record_batches(self) -> impl Stream<Item = Result<RecordBatch, ArrowError>> {
self.into_partition_stream()
- .map_ok(|partition| {
- partition
- .into_record_batch_stream()
- .map_ok(|snapshot| {
- let schema = Arc::new(optimize_schema(&snapshot.schema()));
- snapshot
- .map(move |batch| optimize_record_batch(&batch?, Arc::clone(&schema)))
- })
- .try_flatten()
- })
- .try_flatten()
- .try_collect()
- .await
+ .flat_map(|partition| partition.into_record_batch_stream())
}
}
diff --git a/ingester2/src/query/tracing.rs b/ingester2/src/query/tracing.rs
index a3d0653919..08355d8043 100644
--- a/ingester2/src/query/tracing.rs
+++ b/ingester2/src/query/tracing.rs
@@ -68,7 +68,10 @@ mod tests {
use assert_matches::assert_matches;
use trace::{ctx::SpanContext, span::SpanStatus, RingBufferTraceCollector, TraceCollector};
- use crate::query::{mock_query_exec::MockQueryExec, response::PartitionStream};
+ use crate::query::{
+ mock_query_exec::MockQueryExec,
+ response::{PartitionStream, QueryResponse},
+ };
use super::*;
diff --git a/ingester2/src/server/grpc/query.rs b/ingester2/src/server/grpc/query.rs
index 7ed2d0fc5d..efb5fe3e88 100644
--- a/ingester2/src/server/grpc/query.rs
+++ b/ingester2/src/server/grpc/query.rs
@@ -293,57 +293,50 @@ pub enum FlatIngesterQueryResponse {
impl From<QueryResponse> for FlatIngesterQueryResponseStream {
fn from(v: QueryResponse) -> Self {
v.into_partition_stream()
- .flat_map(|partition_res| match partition_res {
- Ok(partition) => {
- let partition_id = partition.id();
- let max_seq = partition.max_persisted_sequence_number().map(|v| v.get());
- let head = futures::stream::once(async move {
- Ok(FlatIngesterQueryResponse::StartPartition {
- partition_id,
- status: PartitionStatus {
- parquet_max_sequence_number: max_seq,
- },
- })
+ .flat_map(|partition| {
+ let partition_id = partition.id();
+ let max_seq = partition.max_persisted_sequence_number().map(|v| v.get());
+ let head = futures::stream::once(async move {
+ Ok(FlatIngesterQueryResponse::StartPartition {
+ partition_id,
+ status: PartitionStatus {
+ parquet_max_sequence_number: max_seq,
+ },
+ })
+ });
+ let tail = partition
+ .into_record_batch_stream()
+ .flat_map(|snapshot_res| match snapshot_res {
+ Ok(snapshot) => {
+ let schema = Arc::new(optimize_schema(&snapshot.schema()));
+
+ let schema_captured = Arc::clone(&schema);
+ let head = futures::stream::once(async {
+ Ok(FlatIngesterQueryResponse::StartSnapshot {
+ schema: schema_captured,
+ })
+ });
+
+ // TODO: these optimize calls may be redundant
+ //
+ // See: https://github.com/apache/arrow-rs/issues/208
+ let tail = match optimize_record_batch(&snapshot, Arc::clone(&schema)) {
+ Ok(batch) => {
+ futures::stream::iter(split_batch_for_grpc_response(batch))
+ .map(|batch| {
+ Ok(FlatIngesterQueryResponse::RecordBatch { batch })
+ })
+ .boxed()
+ }
+ Err(e) => futures::stream::once(async { Err(e) }).boxed(),
+ };
+
+ head.chain(tail).boxed()
+ }
+ Err(e) => futures::stream::once(async { Err(e) }).boxed(),
});
- let tail = partition
- .into_record_batch_stream()
- .flat_map(|snapshot_res| match snapshot_res {
- Ok(snapshot) => {
- let schema = Arc::new(optimize_schema(&snapshot.schema()));
-
- let schema_captured = Arc::clone(&schema);
- let head = futures::stream::once(async {
- Ok(FlatIngesterQueryResponse::StartSnapshot {
- schema: schema_captured,
- })
- });
-
- let tail = snapshot.flat_map(move |batch_res| match batch_res {
- Ok(batch) => {
- match optimize_record_batch(&batch, Arc::clone(&schema)) {
- Ok(batch) => futures::stream::iter(
- split_batch_for_grpc_response(batch),
- )
- .map(|batch| {
- Ok(FlatIngesterQueryResponse::RecordBatch { batch })
- })
- .boxed(),
- Err(e) => {
- futures::stream::once(async { Err(e) }).boxed()
- }
- }
- }
- Err(e) => futures::stream::once(async { Err(e) }).boxed(),
- });
-
- head.chain(tail).boxed()
- }
- Err(e) => futures::stream::once(async { Err(e) }).boxed(),
- });
-
- head.chain(tail).boxed()
- }
- Err(e) => futures::stream::once(async { Err(e) }).boxed(),
+
+ head.chain(tail).boxed()
})
.boxed()
}
|
07772e8d2254fb734e7f826298559658a4964015
|
Carol (Nichols || Goulding)
|
2022-12-16 16:32:30
|
Always return a PartitionRecord which maybe streams record batches
|
Connects to #6421.
Even if the ingester doesn't have data in memory for a query, we need to
send back metadata about the ingester UUID and the number of files
persisted so that the querier can decide whether it needs to refresh the
cache.
| null |
fix: Always return a PartitionRecord which maybe streams record batches
Connects to #6421.
Even if the ingester doesn't have data in memory for a query, we need to
send back metadata about the ingester UUID and the number of files
persisted so that the querier can decide whether it needs to refresh the
cache.
|
diff --git a/ingester2/src/buffer_tree/root.rs b/ingester2/src/buffer_tree/root.rs
index 76c27e9f12..b4f5177977 100644
--- a/ingester2/src/buffer_tree/root.rs
+++ b/ingester2/src/buffer_tree/root.rs
@@ -1041,10 +1041,11 @@ mod tests {
let partition = partitions.pop().unwrap();
// Perform the partition read
- let batches =
- datafusion::physical_plan::common::collect(partition.into_record_batch_stream())
- .await
- .expect("failed to collate query results");
+ let batches = datafusion::physical_plan::common::collect(
+ partition.into_record_batch_stream().unwrap(),
+ )
+ .await
+ .expect("failed to collate query results");
// Assert the contents of p1 contains both the initial write, and the
// 3rd write in a single RecordBatch.
diff --git a/ingester2/src/buffer_tree/table.rs b/ingester2/src/buffer_tree/table.rs
index 287bc9653f..e109807710 100644
--- a/ingester2/src/buffer_tree/table.rs
+++ b/ingester2/src/buffer_tree/table.rs
@@ -267,7 +267,7 @@ where
);
// Gather the partition data from all of the partitions in this table.
- let partitions = self.partitions().into_iter().filter_map(move |p| {
+ let partitions = self.partitions().into_iter().map(move |p| {
let mut span = SpanRecorder::new(span.clone().map(|s| s.child("partition read")));
let (id, completed_persistence_count, data) = {
@@ -275,30 +275,32 @@ where
(
p.partition_id(),
p.completed_persistence_count(),
- p.get_query_data()?,
+ p.get_query_data(),
)
};
- assert_eq!(id, data.partition_id());
-
- // Project the data if necessary
- let columns = columns.iter().map(String::as_str).collect::<Vec<_>>();
- let selection = if columns.is_empty() {
- Projection::All
- } else {
- Projection::Some(columns.as_ref())
- };
- let ret = PartitionResponse::new(
- Box::pin(MemoryStream::new(
- data.project_selection(selection).into_iter().collect(),
- )),
- id,
- None,
- completed_persistence_count,
- );
+ let ret = match data {
+ Some(data) => {
+ assert_eq!(id, data.partition_id());
+
+ // Project the data if necessary
+ let columns = columns.iter().map(String::as_str).collect::<Vec<_>>();
+ let selection = if columns.is_empty() {
+ Projection::All
+ } else {
+ Projection::Some(columns.as_ref())
+ };
+
+ let data = Box::pin(MemoryStream::new(
+ data.project_selection(selection).into_iter().collect(),
+ ));
+ PartitionResponse::new(data, id, None, completed_persistence_count)
+ }
+ None => PartitionResponse::new_no_batches(id, None, completed_persistence_count),
+ };
span.ok("read partition data");
- Some(ret)
+ ret
});
Ok(PartitionStream::new(futures::stream::iter(partitions)))
diff --git a/ingester2/src/query/partition_response.rs b/ingester2/src/query/partition_response.rs
index cd642c9bb4..150f0f6f40 100644
--- a/ingester2/src/query/partition_response.rs
+++ b/ingester2/src/query/partition_response.rs
@@ -8,7 +8,7 @@ use datafusion::physical_plan::SendableRecordBatchStream;
/// Response data for a single partition.
pub(crate) struct PartitionResponse {
/// Stream of snapshots.
- batches: SendableRecordBatchStream,
+ batches: Option<SendableRecordBatchStream>,
/// Partition ID.
id: PartitionId,
@@ -42,7 +42,20 @@ impl PartitionResponse {
completed_persistence_count: u64,
) -> Self {
Self {
- batches,
+ batches: Some(batches),
+ id,
+ max_persisted_sequence_number,
+ completed_persistence_count,
+ }
+ }
+
+ pub(crate) fn new_no_batches(
+ id: PartitionId,
+ max_persisted_sequence_number: Option<SequenceNumber>,
+ completed_persistence_count: u64,
+ ) -> Self {
+ Self {
+ batches: None,
id,
max_persisted_sequence_number,
completed_persistence_count,
@@ -61,7 +74,7 @@ impl PartitionResponse {
self.completed_persistence_count
}
- pub(crate) fn into_record_batch_stream(self) -> SendableRecordBatchStream {
+ pub(crate) fn into_record_batch_stream(self) -> Option<SendableRecordBatchStream> {
self.batches
}
}
diff --git a/ingester2/src/query/response.rs b/ingester2/src/query/response.rs
index 5e9533c65b..b1bf77ff33 100644
--- a/ingester2/src/query/response.rs
+++ b/ingester2/src/query/response.rs
@@ -51,6 +51,7 @@ impl QueryResponse {
/// Reduce the [`QueryResponse`] to a stream of [`RecordBatch`].
pub(crate) fn into_record_batches(self) -> impl Stream<Item = Result<RecordBatch, ArrowError>> {
self.into_partition_stream()
- .flat_map(|partition| partition.into_record_batch_stream())
+ .flat_map(|partition| futures::stream::iter(partition.into_record_batch_stream()))
+ .flatten()
}
}
diff --git a/ingester2/src/server/grpc/query.rs b/ingester2/src/server/grpc/query.rs
index 3f1de02781..3693a9ec06 100644
--- a/ingester2/src/server/grpc/query.rs
+++ b/ingester2/src/server/grpc/query.rs
@@ -322,21 +322,25 @@ impl From<QueryResponse> for FlatIngesterQueryResponseStream {
completed_persistence_count,
})
});
- let tail = partition
- .into_record_batch_stream()
- .flat_map(|snapshot_res| match snapshot_res {
- Ok(snapshot) => {
- let schema = Arc::new(prepare_schema_for_flight(&snapshot.schema()));
-
- let schema_captured = Arc::clone(&schema);
- let head = futures::stream::once(async {
- Ok(FlatIngesterQueryResponse::StartSnapshot {
- schema: schema_captured,
- })
- });
-
- let tail =
- match prepare_batch_for_flight(&snapshot, Arc::clone(&schema)) {
+
+ match partition.into_record_batch_stream() {
+ Some(stream) => {
+ let tail = stream.flat_map(|snapshot_res| match snapshot_res {
+ Ok(snapshot) => {
+ let schema =
+ Arc::new(prepare_schema_for_flight(&snapshot.schema()));
+
+ let schema_captured = Arc::clone(&schema);
+ let head = futures::stream::once(async {
+ Ok(FlatIngesterQueryResponse::StartSnapshot {
+ schema: schema_captured,
+ })
+ });
+
+ let tail = match prepare_batch_for_flight(
+ &snapshot,
+ Arc::clone(&schema),
+ ) {
Ok(batch) => {
futures::stream::iter(split_batch_for_grpc_response(batch))
.map(|batch| {
@@ -347,12 +351,15 @@ impl From<QueryResponse> for FlatIngesterQueryResponseStream {
Err(e) => futures::stream::once(async { Err(e) }).boxed(),
};
- head.chain(tail).boxed()
- }
- Err(e) => futures::stream::once(async { Err(e) }).boxed(),
- });
+ head.chain(tail).boxed()
+ }
+ Err(e) => futures::stream::once(async { Err(e) }).boxed(),
+ });
- head.chain(tail).boxed()
+ head.chain(tail).boxed()
+ }
+ None => head.boxed(),
+ }
})
.boxed()
}
|
fc694effdae18f82391fd5efedf19add77dccc64
|
Dom Dwyer
|
2023-08-28 17:59:44
|
AsRef bytes for NamespaceName
|
The NamespaceName is a wrapper over a str (conceptually), which allows
for cheap use of the underlying bytes.
| null |
refactor: AsRef bytes for NamespaceName
The NamespaceName is a wrapper over a str (conceptually), which allows
for cheap use of the underlying bytes.
|
diff --git a/data_types/src/namespace_name.rs b/data_types/src/namespace_name.rs
index 92cb8edd7f..04f462a7f9 100644
--- a/data_types/src/namespace_name.rs
+++ b/data_types/src/namespace_name.rs
@@ -169,6 +169,12 @@ impl<'a> std::ops::Deref for NamespaceName<'a> {
}
}
+impl<'a> AsRef<[u8]> for NamespaceName<'a> {
+ fn as_ref(&self) -> &[u8] {
+ self.as_str().as_bytes()
+ }
+}
+
impl<'a> std::fmt::Display for NamespaceName<'a> {
fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
self.0.fmt(f)
diff --git a/sharder/src/jumphash.rs b/sharder/src/jumphash.rs
index 1a1ac701d7..d408370154 100644
--- a/sharder/src/jumphash.rs
+++ b/sharder/src/jumphash.rs
@@ -161,7 +161,7 @@ where
// for this (namespace, table) tuple.
vec![Arc::clone(self.hash(&HashKey {
table,
- namespace: namespace.as_ref(),
+ namespace: namespace.as_str(),
}))]
}
}
@@ -173,7 +173,7 @@ where
type Item = Arc<T>;
fn shard(&self, table: &str, namespace: &NamespaceName<'_>, _payload: &()) -> Self::Item {
- Arc::clone(self.shard_for_query(table, namespace.as_ref()))
+ Arc::clone(self.shard_for_query(table, namespace.as_str()))
}
}
|
b265036f3329fbceb1970b959d3c41adba2b5bd1
|
Andrew Lamb
|
2023-01-19 19:55:57
|
remove iox_arrow_flight use in ingester_replica (#6634)
|
* refactor: remove iox_arrow_flight use in ingester_replica
* chore: fixlu
* fix: update doclink
* fix: Undo rustix downgrade
|
Co-authored-by: kodiakhq[bot] <49736102+kodiakhq[bot]@users.noreply.github.com>
|
refactor: remove iox_arrow_flight use in ingester_replica (#6634)
* refactor: remove iox_arrow_flight use in ingester_replica
* chore: fixlu
* fix: update doclink
* fix: Undo rustix downgrade
Co-authored-by: kodiakhq[bot] <49736102+kodiakhq[bot]@users.noreply.github.com>
|
diff --git a/Cargo.lock b/Cargo.lock
index d6bf42c357..5ea213944e 100644
--- a/Cargo.lock
+++ b/Cargo.lock
@@ -2577,6 +2577,7 @@ name = "ingest_replica"
version = "0.1.0"
dependencies = [
"arrow",
+ "arrow-flight",
"arrow_util",
"assert_matches",
"async-channel",
@@ -2592,7 +2593,6 @@ dependencies = [
"futures",
"generated_types",
"hashbrown 0.13.2",
- "iox_arrow_flight",
"iox_catalog",
"iox_query",
"iox_time",
diff --git a/ingest_replica/Cargo.toml b/ingest_replica/Cargo.toml
index 568e614a54..1f1a06a5f1 100644
--- a/ingest_replica/Cargo.toml
+++ b/ingest_replica/Cargo.toml
@@ -7,6 +7,7 @@ license.workspace = true
[dependencies]
arrow = { workspace = true, features = ["prettyprint"] }
+arrow-flight = { workspace = true }
arrow_util = { version = "0.1.0", path = "../arrow_util" }
async-channel = "1.8.0"
async-trait = "0.1.60"
@@ -20,7 +21,6 @@ flatbuffers = "22"
futures = "0.3.25"
generated_types = { version = "0.1.0", path = "../generated_types" }
hashbrown.workspace = true
-iox_arrow_flight = { path = "../iox_arrow_flight" }
iox_catalog = { version = "0.1.0", path = "../iox_catalog" }
iox_query = { version = "0.1.0", path = "../iox_query" }
iox_time = { path = "../iox_time" }
diff --git a/ingest_replica/src/grpc.rs b/ingest_replica/src/grpc.rs
index 3afe9904ef..22235e1ce6 100644
--- a/ingest_replica/src/grpc.rs
+++ b/ingest_replica/src/grpc.rs
@@ -3,8 +3,8 @@ mod replication;
use std::{fmt::Debug, sync::Arc};
+use arrow_flight::flight_service_server::FlightServiceServer;
use generated_types::influxdata::iox::ingester::v1::replication_service_server::ReplicationServiceServer;
-use iox_arrow_flight::flight_service_server::FlightServiceServer;
use crate::ReplicationBuffer;
use crate::{
@@ -53,7 +53,7 @@ where
/// Return an Arrow [`FlightService`] gRPC implementation.
///
- /// [`FlightService`]: iox_arrow_flight::flight_service_server::FlightService
+ /// [`FlightService`]: arrow_flight::flight_service_server::FlightService
fn query_service(
&self,
max_simultaneous_requests: usize,
diff --git a/ingest_replica/src/grpc/query.rs b/ingest_replica/src/grpc/query.rs
index 35ea32dabf..2de58a3e8c 100644
--- a/ingest_replica/src/grpc/query.rs
+++ b/ingest_replica/src/grpc/query.rs
@@ -1,27 +1,23 @@
-use std::{pin::Pin, sync::Arc, task::Poll};
+use std::pin::Pin;
-use arrow::{error::ArrowError, record_batch::RecordBatch};
+use arrow_flight::{
+ encode::FlightDataEncoderBuilder, error::FlightError,
+ flight_service_server::FlightService as Flight, Action, ActionType, Criteria, Empty,
+ FlightData, FlightDescriptor, FlightInfo, HandshakeRequest, HandshakeResponse, IpcMessage,
+ PutResult, SchemaResult, Ticket,
+};
use data_types::{NamespaceId, PartitionId, TableId};
use flatbuffers::FlatBufferBuilder;
-use futures::{Stream, StreamExt};
+use futures::{stream::BoxStream, Stream, StreamExt, TryStreamExt};
use generated_types::influxdata::iox::ingester::v1::{self as proto, PartitionStatus};
-use iox_arrow_flight::{
- encode::{
- flight_data_from_arrow_batch, prepare_batch_for_flight, prepare_schema_for_flight,
- split_batch_for_grpc_response, GRPC_TARGET_MAX_BATCH_SIZE_BYTES,
- },
- flight_service_server::FlightService as Flight,
- Action, ActionType, Criteria, Empty, FlightData, FlightDescriptor, FlightInfo,
- HandshakeRequest, HandshakeResponse, IpcMessage, PutResult, SchemaAsIpc, SchemaResult, Ticket,
-};
use metric::U64Counter;
use observability_deps::tracing::*;
-use pin_project::pin_project;
use prost::Message;
use thiserror::Error;
use tokio::sync::{Semaphore, TryAcquireError};
use tonic::{Request, Response, Streaming};
use trace::{ctx::SpanContext, span::SpanExt};
+
use uuid::Uuid;
use crate::query::{response::QueryResponse, QueryError, QueryExec};
@@ -42,16 +38,6 @@ enum Error {
#[error("invalid flight ticket: {0}")]
InvalidTicket(#[from] prost::DecodeError),
- /// The [`proto::IngesterQueryResponseMetadata`] response metadata being
- /// returned to the RPC caller cannot be serialised into the protobuf
- /// response format.
- #[error("failed to serialise response: {0}")]
- SerialiseResponse(#[from] prost::EncodeError),
-
- /// An error was observed in the [`QueryResponse`] stream.
- #[error("error streaming response: {0}")]
- Stream(#[from] ArrowError),
-
/// The number of simultaneous queries being executed has been reached.
#[error("simultaneous query limit exceeded")]
RequestLimit,
@@ -80,10 +66,6 @@ impl From<Error> for tonic::Status {
debug!(error=%e, "invalid flight query ticket");
Code::InvalidArgument
}
- Error::Stream(_) | Error::SerialiseResponse(_) => {
- error!(error=%e, "flight query response error");
- Code::Internal
- }
Error::RequestLimit => {
warn!("simultaneous query limit exceeded");
Code::ResourceExhausted
@@ -146,7 +128,7 @@ where
type ListFlightsStream = TonicStream<FlightInfo>;
type DoGetStream = TonicStream<FlightData>;
type DoPutStream = TonicStream<PutResult>;
- type DoActionStream = TonicStream<iox_arrow_flight::Result>;
+ type DoActionStream = TonicStream<arrow_flight::Result>;
type ListActionsStream = TonicStream<ActionType>;
type DoExchangeStream = TonicStream<FlightData>;
@@ -202,10 +184,7 @@ where
)
.await?;
- let output = FlightFrameCodec::new(
- FlatIngesterQueryResponseStream::from(response),
- self.ingester_uuid,
- );
+ let output = encode_response(response, self.ingester_uuid).map_err(tonic::Status::from);
Ok(Response::new(Box::pin(output) as Self::DoGetStream))
}
@@ -266,197 +245,34 @@ where
}
}
-/// A stream of [`FlatIngesterQueryResponse`], itself a flattened version of
-/// [`QueryResponse`].
-type FlatIngesterQueryResponseStream =
- Pin<Box<dyn Stream<Item = Result<FlatIngesterQueryResponse, ArrowError>> + Send>>;
-
-/// Element within the flat wire protocol.
-#[derive(Debug, PartialEq)]
-pub enum FlatIngesterQueryResponse {
- /// Start a new partition.
- StartPartition {
- /// Partition ID.
- partition_id: PartitionId,
-
- /// Partition persistence status.
- status: PartitionStatus,
-
- /// Count of persisted Parquet files
- completed_persistence_count: u64,
- },
-
- /// Start a new snapshot.
- ///
- /// The snapshot belongs to the partition of the last [`StartPartition`](Self::StartPartition)
- /// message.
- StartSnapshot {
- /// Snapshot schema.
- schema: Arc<arrow::datatypes::Schema>,
- },
-
- /// Add a record batch to the snapshot that was announced by the last
- /// [`StartSnapshot`](Self::StartSnapshot) message.
- RecordBatch {
- /// Record batch.
- batch: RecordBatch,
- },
-}
-
-impl From<QueryResponse> for FlatIngesterQueryResponseStream {
- fn from(v: QueryResponse) -> Self {
- v.into_partition_stream()
- .flat_map(|partition| {
- let partition_id = partition.id();
- let completed_persistence_count = partition.completed_persistence_count();
- let head = futures::stream::once(async move {
- Ok(FlatIngesterQueryResponse::StartPartition {
- partition_id,
- status: PartitionStatus {
- parquet_max_sequence_number: None,
- },
- completed_persistence_count,
- })
- });
-
- match partition.into_record_batch_stream() {
- Some(stream) => {
- let tail = stream.flat_map(|snapshot_res| match snapshot_res {
- Ok(snapshot) => {
- let schema =
- Arc::new(prepare_schema_for_flight(&snapshot.schema()));
-
- let schema_captured = Arc::clone(&schema);
- let head = futures::stream::once(async {
- Ok(FlatIngesterQueryResponse::StartSnapshot {
- schema: schema_captured,
- })
- });
-
- let batch =
- prepare_batch_for_flight(&snapshot, Arc::clone(&schema))
- .map_err(|e| ArrowError::ExternalError(Box::new(e)));
-
- let tail = match batch {
- Ok(batch) => {
- let batches = split_batch_for_grpc_response(
- batch,
- GRPC_TARGET_MAX_BATCH_SIZE_BYTES,
- );
- futures::stream::iter(batches)
- .map(|batch| {
- Ok(FlatIngesterQueryResponse::RecordBatch { batch })
- })
- .boxed()
- }
- Err(e) => futures::stream::once(async { Err(e) }).boxed(),
- };
-
- head.chain(tail).boxed()
- }
- Err(e) => futures::stream::once(async { Err(e) }).boxed(),
- });
-
- head.chain(tail).boxed()
- }
- None => head.boxed(),
- }
- })
- .boxed()
- }
-}
-
-/// A mapping decorator over a [`FlatIngesterQueryResponseStream`] that converts
-/// it into Arrow Flight [`FlightData`] response frames.
-#[pin_project]
-struct FlightFrameCodec {
- #[pin]
- inner: Pin<Box<dyn Stream<Item = Result<FlatIngesterQueryResponse, ArrowError>> + Send>>,
- done: bool,
- buffer: Vec<FlightData>,
+/// Encode the partition information as a None flight data with metadata
+fn encode_partition(
+ // Partition ID.
+ partition_id: PartitionId,
+ // Partition persistence status.
+ status: PartitionStatus,
+ // Count of persisted Parquet files
+ completed_persistence_count: u64,
ingester_uuid: Uuid,
-}
-
-impl FlightFrameCodec {
- fn new(inner: FlatIngesterQueryResponseStream, ingester_uuid: Uuid) -> Self {
- Self {
- inner,
- done: false,
- buffer: vec![],
- ingester_uuid,
- }
- }
-}
-
-impl Stream for FlightFrameCodec {
- type Item = Result<FlightData, tonic::Status>;
-
- fn poll_next(
- self: Pin<&mut Self>,
- cx: &mut std::task::Context<'_>,
- ) -> std::task::Poll<Option<Self::Item>> {
- let this = self.project();
-
- if !this.buffer.is_empty() {
- let next = this.buffer.remove(0);
- return Poll::Ready(Some(Ok(next)));
- }
-
- if *this.done {
- Poll::Ready(None)
- } else {
- match this.inner.poll_next(cx) {
- Poll::Pending => Poll::Pending,
- Poll::Ready(None) => {
- *this.done = true;
- Poll::Ready(None)
- }
- Poll::Ready(Some(Err(e))) => {
- *this.done = true;
- let e = Error::Stream(e).into();
- Poll::Ready(Some(Err(e)))
- }
- Poll::Ready(Some(Ok(FlatIngesterQueryResponse::StartPartition {
- partition_id,
- status,
- completed_persistence_count,
- }))) => {
- let mut bytes = bytes::BytesMut::new();
- let app_metadata = proto::IngesterQueryResponseMetadata {
- partition_id: partition_id.get(),
- status: Some(proto::PartitionStatus {
- parquet_max_sequence_number: status.parquet_max_sequence_number,
- }),
- ingester_uuid: this.ingester_uuid.to_string(),
- completed_persistence_count,
- };
- prost::Message::encode(&app_metadata, &mut bytes).map_err(Error::from)?;
-
- let flight_data = FlightData::new(
- None,
- IpcMessage(build_none_flight_msg().into()),
- bytes.to_vec(),
- vec![],
- );
- Poll::Ready(Some(Ok(flight_data)))
- }
- Poll::Ready(Some(Ok(FlatIngesterQueryResponse::StartSnapshot { schema }))) => {
- let options = arrow::ipc::writer::IpcWriteOptions::default();
- let flight_data: FlightData = SchemaAsIpc::new(&schema, &options).into();
- Poll::Ready(Some(Ok(flight_data)))
- }
- Poll::Ready(Some(Ok(FlatIngesterQueryResponse::RecordBatch { batch }))) => {
- let options = arrow::ipc::writer::IpcWriteOptions::default();
- let (mut flight_dictionaries, flight_batch) =
- flight_data_from_arrow_batch(&batch, &options);
- std::mem::swap(this.buffer, &mut flight_dictionaries);
- this.buffer.push(flight_batch);
- let next = this.buffer.remove(0);
- Poll::Ready(Some(Ok(next)))
- }
- }
- }
- }
+) -> std::result::Result<FlightData, FlightError> {
+ let mut bytes = bytes::BytesMut::new();
+ let app_metadata = proto::IngesterQueryResponseMetadata {
+ partition_id: partition_id.get(),
+ status: Some(proto::PartitionStatus {
+ parquet_max_sequence_number: status.parquet_max_sequence_number,
+ }),
+ ingester_uuid: ingester_uuid.to_string(),
+ completed_persistence_count,
+ };
+ prost::Message::encode(&app_metadata, &mut bytes)
+ .map_err(|e| FlightError::from_external_error(Box::new(e)))?;
+
+ Ok(FlightData::new(
+ None,
+ IpcMessage(build_none_flight_msg().into()),
+ bytes.to_vec(),
+ vec![],
+ ))
}
fn build_none_flight_msg() -> Vec<u8> {
@@ -473,177 +289,50 @@ fn build_none_flight_msg() -> Vec<u8> {
fbb.finished_data().to_vec()
}
+/// Converts a QueryResponse into a stream of Arrow Flight [`FlightData`] response frames.
+fn encode_response(
+ response: QueryResponse,
+ ingester_uuid: Uuid,
+) -> BoxStream<'static, std::result::Result<FlightData, FlightError>> {
+ response
+ .into_partition_stream()
+ .flat_map(move |partition| {
+ let partition_id = partition.id();
+ let completed_persistence_count = partition.completed_persistence_count();
+ let head = futures::stream::once(async move {
+ encode_partition(
+ partition_id,
+ PartitionStatus {
+ parquet_max_sequence_number: None,
+ },
+ completed_persistence_count,
+ ingester_uuid,
+ )
+ });
+
+ match partition.into_record_batch_stream() {
+ Some(stream) => {
+ let stream = stream.map_err(FlightError::Arrow);
+
+ let tail = FlightDataEncoderBuilder::new().build(stream);
+
+ head.chain(tail).boxed()
+ }
+ None => head.boxed(),
+ }
+ })
+ .boxed()
+}
+
#[cfg(test)]
mod tests {
- use arrow::{error::ArrowError, ipc::MessageHeader};
use bytes::Bytes;
- use data_types::PartitionId;
- use futures::StreamExt;
- use generated_types::influxdata::iox::ingester::v1::{self as proto};
- use mutable_batch_lp::test_helpers::lp_to_mutable_batch;
- use schema::Projection;
use tonic::Code;
use crate::query::mock_query_exec::MockQueryExec;
use super::*;
- #[tokio::test]
- async fn test_get_stream_empty() {
- assert_get_stream(Uuid::new_v4(), vec![], vec![]).await;
- }
-
- #[tokio::test]
- async fn test_get_stream_all_types() {
- let batch = lp_to_mutable_batch("table z=1 0")
- .1
- .to_arrow(Projection::All)
- .unwrap();
- let schema = batch.schema();
- let ingester_uuid = Uuid::new_v4();
-
- assert_get_stream(
- ingester_uuid,
- vec![
- Ok(FlatIngesterQueryResponse::StartPartition {
- partition_id: PartitionId::new(1),
- status: PartitionStatus {
- parquet_max_sequence_number: None,
- },
- completed_persistence_count: 0,
- }),
- Ok(FlatIngesterQueryResponse::StartSnapshot { schema }),
- Ok(FlatIngesterQueryResponse::RecordBatch { batch }),
- ],
- vec![
- Ok(DecodedFlightData {
- header_type: MessageHeader::NONE,
- app_metadata: proto::IngesterQueryResponseMetadata {
- partition_id: 1,
- status: Some(proto::PartitionStatus {
- parquet_max_sequence_number: None,
- }),
- completed_persistence_count: 0,
- ingester_uuid: ingester_uuid.to_string(),
- },
- }),
- Ok(DecodedFlightData {
- header_type: MessageHeader::Schema,
- app_metadata: proto::IngesterQueryResponseMetadata::default(),
- }),
- Ok(DecodedFlightData {
- header_type: MessageHeader::RecordBatch,
- app_metadata: proto::IngesterQueryResponseMetadata::default(),
- }),
- ],
- )
- .await;
- }
-
- #[tokio::test]
- async fn test_get_stream_shortcuts_err() {
- let ingester_uuid = Uuid::new_v4();
- assert_get_stream(
- ingester_uuid,
- vec![
- Ok(FlatIngesterQueryResponse::StartPartition {
- partition_id: PartitionId::new(1),
- status: PartitionStatus {
- parquet_max_sequence_number: None,
- },
- completed_persistence_count: 0,
- }),
- Err(ArrowError::IoError("foo".into())),
- Ok(FlatIngesterQueryResponse::StartPartition {
- partition_id: PartitionId::new(1),
- status: PartitionStatus {
- parquet_max_sequence_number: None,
- },
- completed_persistence_count: 0,
- }),
- ],
- vec![
- Ok(DecodedFlightData {
- header_type: MessageHeader::NONE,
- app_metadata: proto::IngesterQueryResponseMetadata {
- partition_id: 1,
- status: Some(proto::PartitionStatus {
- parquet_max_sequence_number: None,
- }),
- completed_persistence_count: 0,
- ingester_uuid: ingester_uuid.to_string(),
- },
- }),
- Err(tonic::Code::Internal),
- ],
- )
- .await;
- }
-
- #[tokio::test]
- async fn test_get_stream_dictionary_batches() {
- let batch = lp_to_mutable_batch("table,x=\"foo\",y=\"bar\" z=1 0")
- .1
- .to_arrow(Projection::All)
- .unwrap();
-
- assert_get_stream(
- Uuid::new_v4(),
- vec![Ok(FlatIngesterQueryResponse::RecordBatch { batch })],
- vec![
- Ok(DecodedFlightData {
- header_type: MessageHeader::DictionaryBatch,
- app_metadata: proto::IngesterQueryResponseMetadata::default(),
- }),
- Ok(DecodedFlightData {
- header_type: MessageHeader::DictionaryBatch,
- app_metadata: proto::IngesterQueryResponseMetadata::default(),
- }),
- Ok(DecodedFlightData {
- header_type: MessageHeader::RecordBatch,
- app_metadata: proto::IngesterQueryResponseMetadata::default(),
- }),
- ],
- )
- .await;
- }
-
- struct DecodedFlightData {
- header_type: MessageHeader,
- app_metadata: proto::IngesterQueryResponseMetadata,
- }
-
- async fn assert_get_stream(
- ingester_uuid: Uuid,
- inputs: Vec<Result<FlatIngesterQueryResponse, ArrowError>>,
- expected: Vec<Result<DecodedFlightData, tonic::Code>>,
- ) {
- let inner = Box::pin(futures::stream::iter(inputs));
- let stream = FlightFrameCodec::new(inner, ingester_uuid);
- let actual: Vec<_> = stream.collect().await;
- assert_eq!(actual.len(), expected.len());
-
- for (actual, expected) in actual.into_iter().zip(expected) {
- match (actual, expected) {
- (Ok(actual), Ok(expected)) => {
- let header_type = arrow::ipc::root_as_message(&actual.data_header[..])
- .unwrap()
- .header_type();
- assert_eq!(header_type, expected.header_type);
-
- let app_metadata: proto::IngesterQueryResponseMetadata =
- prost::Message::decode(&actual.app_metadata[..]).unwrap();
- assert_eq!(app_metadata, expected.app_metadata);
- }
- (Err(actual), Err(expected)) => {
- assert_eq!(actual.code(), expected);
- }
- (Ok(_), Err(_)) => panic!("Actual is Ok but expected is Err"),
- (Err(_), Ok(_)) => panic!("Actual is Err but expected is Ok"),
- }
- }
- }
-
#[tokio::test]
async fn limits_concurrent_queries() {
let mut flight =
diff --git a/ingest_replica/src/lib.rs b/ingest_replica/src/lib.rs
index eb01ef4aa7..c13837ed3f 100644
--- a/ingest_replica/src/lib.rs
+++ b/ingest_replica/src/lib.rs
@@ -28,6 +28,7 @@ mod query_adaptor;
use crate::cache::CacheError;
use crate::{buffer::Buffer, cache::SchemaCache, grpc::GrpcDelegate};
+use arrow_flight::flight_service_server::{FlightService, FlightServiceServer};
use async_trait::async_trait;
use data_types::sequence_number_set::SequenceNumberSet;
use data_types::{NamespaceId, PartitionId, SequenceNumber, ShardIndex, TableId};
@@ -35,7 +36,6 @@ use generated_types::influxdata::iox::ingester::v1::replication_service_server::
ReplicationService, ReplicationServiceServer,
};
use hashbrown::HashMap;
-use iox_arrow_flight::flight_service_server::{FlightService, FlightServiceServer};
use iox_catalog::interface::Catalog;
use iox_query::exec::Executor;
use mutable_batch::MutableBatch;
|
d2a3d0920baf1f4ff990ee1a50e734ff8afc01f0
|
Dom Dwyer
|
2022-11-28 23:09:03
|
commit writes to write-ahead log
|
Adds WalSink, an implementation of the DmlSink trait that commits DML
operations to the write-ahead log before passing the DML op into the
decorated inner DmlSink chain.
By structuring the WAL logic as a decorator, the chain of inner DmlSink
handlers within it are only ever invoked after the WAL commit has
successfully completed, which keeps all the WAL commit code in a
singly-responsible component. This also lets us layer on the WAL commit
logic to the DML sink chain after replaying any existing WAL files,
avoiding a circular WAL mess.
The application-logic level WAL code abstracts over the underlying WAL
implementation & codec through the WalAppender trait. This decouples the
business logic from the WAL implementation both for testing purposes,
and for trying different WAL implementations in the future.
| null |
feat(ingester2): commit writes to write-ahead log
Adds WalSink, an implementation of the DmlSink trait that commits DML
operations to the write-ahead log before passing the DML op into the
decorated inner DmlSink chain.
By structuring the WAL logic as a decorator, the chain of inner DmlSink
handlers within it are only ever invoked after the WAL commit has
successfully completed, which keeps all the WAL commit code in a
singly-responsible component. This also lets us layer on the WAL commit
logic to the DML sink chain after replaying any existing WAL files,
avoiding a circular WAL mess.
The application-logic level WAL code abstracts over the underlying WAL
implementation & codec through the WalAppender trait. This decouples the
business logic from the WAL implementation both for testing purposes,
and for trying different WAL implementations in the future.
|
diff --git a/Cargo.lock b/Cargo.lock
index 2137bcdf3f..bacd310bde 100644
--- a/Cargo.lock
+++ b/Cargo.lock
@@ -2497,12 +2497,14 @@ dependencies = [
"rand",
"schema",
"service_grpc_catalog",
+ "tempfile",
"test_helpers",
"thiserror",
"tokio",
"tonic",
"trace",
"uuid",
+ "wal",
"workspace-hack",
]
diff --git a/ingester2/Cargo.toml b/ingester2/Cargo.toml
index 545d88da0a..312bf3d456 100644
--- a/ingester2/Cargo.toml
+++ b/ingester2/Cargo.toml
@@ -42,6 +42,7 @@ tokio = { version = "1.22", features = ["macros", "parking_lot", "rt-multi-threa
tonic = "0.8.3"
trace = { version = "0.1.0", path = "../trace" }
uuid = "1.2.2"
+wal = { version = "0.1.0", path = "../wal" }
workspace-hack = { path = "../workspace-hack"}
[dev-dependencies]
@@ -50,4 +51,5 @@ datafusion_util = { path = "../datafusion_util" }
lazy_static = "1.4.0"
mutable_batch_lp = { path = "../mutable_batch_lp" }
paste = "1.0.9"
+tempfile = "3.3.0"
test_helpers = { path = "../test_helpers", features = ["future_timeout"] }
diff --git a/ingester2/src/dml_sink/trait.rs b/ingester2/src/dml_sink/trait.rs
index 78408cf9af..7732f98f66 100644
--- a/ingester2/src/dml_sink/trait.rs
+++ b/ingester2/src/dml_sink/trait.rs
@@ -11,6 +11,10 @@ pub(crate) enum DmlError {
/// [`BufferTree`]: crate::buffer_tree::BufferTree
#[error("failed to buffer op: {0}")]
Buffer(#[from] mutable_batch::Error),
+
+ /// An error appending the [`DmlOperation`] to the write-ahead log.
+ #[error("wal commit failure: {0}")]
+ Wal(#[from] wal::Error),
}
/// A [`DmlSink`] handles [`DmlOperation`] instances in some abstract way.
diff --git a/ingester2/src/lib.rs b/ingester2/src/lib.rs
index 76105cdc3c..1717779cf6 100644
--- a/ingester2/src/lib.rs
+++ b/ingester2/src/lib.rs
@@ -50,6 +50,7 @@ mod query_adaptor;
mod sequence_range;
pub(crate) mod server;
mod timestamp_oracle;
+mod wal;
#[cfg(test)]
mod test_util;
diff --git a/ingester2/src/server/grpc/rpc_write.rs b/ingester2/src/server/grpc/rpc_write.rs
index dfb33c0fe4..fa8531dc8b 100644
--- a/ingester2/src/server/grpc/rpc_write.rs
+++ b/ingester2/src/server/grpc/rpc_write.rs
@@ -54,6 +54,7 @@ impl From<DmlError> for tonic::Status {
fn from(e: DmlError) -> Self {
match e {
DmlError::Buffer(e) => map_write_error(e),
+ DmlError::Wal(_) => Self::internal(e.to_string()),
}
}
}
diff --git a/ingester2/src/wal/mod.rs b/ingester2/src/wal/mod.rs
new file mode 100644
index 0000000000..658d10f6d1
--- /dev/null
+++ b/ingester2/src/wal/mod.rs
@@ -0,0 +1,8 @@
+//! A [`DmlSink`] decorator to make request [`DmlOperation`] durable in a
+//! write-ahead log.
+//!
+//! [`DmlSink`]: crate::dml_sink::DmlSink
+//! [`DmlOperation`]: dml::DmlOperation
+
+mod traits;
+pub(crate) mod wal_sink;
diff --git a/ingester2/src/wal/traits.rs b/ingester2/src/wal/traits.rs
new file mode 100644
index 0000000000..ca74f22734
--- /dev/null
+++ b/ingester2/src/wal/traits.rs
@@ -0,0 +1,12 @@
+use std::fmt::Debug;
+
+use async_trait::async_trait;
+use dml::DmlOperation;
+
+/// An abstraction over a write-ahead log, decoupling the write path from the
+/// underlying implementation.
+#[async_trait]
+pub(super) trait WalAppender: Send + Sync + Debug {
+ /// Add `op` to the write-head log, returning once `op` is durable.
+ async fn append(&self, op: &DmlOperation) -> Result<(), wal::Error>;
+}
diff --git a/ingester2/src/wal/wal_sink.rs b/ingester2/src/wal/wal_sink.rs
new file mode 100644
index 0000000000..36e982e10a
--- /dev/null
+++ b/ingester2/src/wal/wal_sink.rs
@@ -0,0 +1,169 @@
+use async_trait::async_trait;
+use dml::DmlOperation;
+use generated_types::influxdata::iox::wal::v1::sequenced_wal_op::Op;
+use mutable_batch_pb::encode::encode_write;
+use wal::SequencedWalOp;
+
+use crate::dml_sink::{DmlError, DmlSink};
+
+use super::traits::WalAppender;
+
+/// A [`DmlSink`] decorator that ensures any [`DmlOperation`] is committed to
+/// the write-ahead log before passing the operation to the inner [`DmlSink`].
+#[derive(Debug)]
+pub(crate) struct WalSink<T, W = wal::WalWriter> {
+ /// The inner chain of [`DmlSink`] that a [`DmlOperation`] is passed to once
+ /// committed to the write-ahead log.
+ inner: T,
+
+ /// The write-ahead log implementation.
+ wal: W,
+}
+
+impl<T, W> WalSink<T, W> {
+ /// Initialise a new [`WalSink`] that appends [`DmlOperation`] to `W` and
+ /// on success, passes the op through to `T`.
+ pub(crate) fn new(inner: T, wal: W) -> Self {
+ Self { inner, wal }
+ }
+}
+
+#[async_trait]
+impl<T, W> DmlSink for WalSink<T, W>
+where
+ T: DmlSink,
+ W: WalAppender + 'static,
+{
+ type Error = DmlError;
+
+ async fn apply(&self, op: DmlOperation) -> Result<(), Self::Error> {
+ // TODO: cancellation safety
+ //
+ // Once an item is in the WAL, it should be passed into the inner
+ // DmlSink so that is becomes readable - failing to do this means writes
+ // will randomly appear after replaying the WAL.
+ //
+ // This can happen If the caller stops polling just after the WAL commit
+ // future completes and before the inner DmlSink call returns Ready.
+
+ // Append the operation to the WAL
+ self.wal.append(&op).await?;
+
+ // And once durable, pass it to the inner handler.
+ self.inner.apply(op).await.map_err(Into::into)
+ }
+}
+
+#[async_trait]
+impl WalAppender for wal::WalWriter {
+ async fn append(&self, op: &DmlOperation) -> Result<(), wal::Error> {
+ let sequence_number = op
+ .meta()
+ .sequence()
+ .expect("committing unsequenced dml operation to wal")
+ .sequence_number
+ .get() as u64;
+
+ let namespace_id = op.namespace_id();
+
+ let wal_op = match op {
+ DmlOperation::Write(w) => Op::Write(encode_write(namespace_id.get(), w)),
+ DmlOperation::Delete(_) => unreachable!(),
+ };
+
+ self.write_op(SequencedWalOp {
+ sequence_number,
+ op: wal_op,
+ })
+ .await?;
+
+ Ok(())
+ }
+}
+
+#[cfg(test)]
+mod tests {
+ use std::sync::Arc;
+
+ use assert_matches::assert_matches;
+ use data_types::{NamespaceId, PartitionKey, TableId};
+ use wal::Wal;
+
+ use crate::{dml_sink::mock_sink::MockDmlSink, test_util::make_write_op};
+
+ use super::*;
+
+ const TABLE_ID: TableId = TableId::new(44);
+ const TABLE_NAME: &str = "bananas";
+ const NAMESPACE_NAME: &str = "platanos";
+ const NAMESPACE_ID: NamespaceId = NamespaceId::new(42);
+
+ #[tokio::test]
+ async fn test_append() {
+ let dir = tempfile::tempdir().unwrap();
+
+ // Generate the test op that will be appended and read back
+ let op = make_write_op(
+ &PartitionKey::from("p1"),
+ NAMESPACE_ID,
+ TABLE_NAME,
+ TABLE_ID,
+ 42,
+ r#"bananas,region=Madrid temp=35 4242424242"#,
+ );
+
+ // The write portion of this test.
+ {
+ let inner = Arc::new(MockDmlSink::default().with_apply_return(vec![Ok(())]));
+ let wal = Wal::new(dir.path())
+ .await
+ .expect("failed to initialise WAL");
+ let wal_handle = wal.write_handle().await;
+
+ let wal_sink = WalSink::new(Arc::clone(&inner), wal_handle);
+
+ // Apply the op through the decorator
+ wal_sink
+ .apply(DmlOperation::Write(op.clone()))
+ .await
+ .expect("wal should not error");
+
+ // Assert the mock inner sink saw the call
+ assert_eq!(inner.get_calls().len(), 1);
+ }
+
+ // Read the op back
+ let wal = Wal::new(dir.path())
+ .await
+ .expect("failed to initialise WAL");
+ let read_handle = wal.read_handle();
+
+ // Identify the segment file
+ let files = read_handle.closed_segments().await;
+ let file = assert_matches!(&*files, [f] => f, "expected 1 file");
+
+ // Open a reader
+ let mut reader = read_handle
+ .reader_for_segment(file.id())
+ .await
+ .expect("failed to obtain reader");
+
+ // Obtain all the ops in the file
+ let mut ops = Vec::new();
+ while let Ok(Some(op)) = reader.next_op().await {
+ ops.push(op);
+ }
+
+ // Extract the op payload read from the WAL
+ let read_op = assert_matches!(&*ops, [op] => op, "expected 1 DML operation");
+ assert_eq!(read_op.sequence_number, 42);
+ let payload =
+ assert_matches!(&read_op.op, Op::Write(w) => w, "expected DML write WAL entry");
+
+ // The payload should match the serialised form of the "op" originally
+ // wrote above.
+ let want = encode_write(NAMESPACE_ID.get(), &op);
+
+ assert_eq!(want, *payload);
+ }
+}
|
0221820123893ca43737ea9fa4fc03d00b7fe7fc
|
Marco Neumann
|
2022-12-09 09:46:07
|
rate-limit Jaeger UDP messages (#6354)
|
* feat: rate-limit Jaeger UDP messages
The Jaeger UDP protocol provides no way to signal backpressure /
overload. In certain situations, we are emitting that many tracing spans
in a short period of time that the OS, the network, or Jaeger drop them.
While a rate limit is not a perfect solution, it for sure helps a lot
(tested locally).
Note that the limiter does NOT lead to unlimited buffering because we
already have a limited outbox queue in place (see
`trace_exporters::export::CHANNEL_SIZE`).
Fixes #5446.
* fix: only warn ones when the tracing channel is full
|
Co-authored-by: kodiakhq[bot] <49736102+kodiakhq[bot]@users.noreply.github.com>
|
feat: rate-limit Jaeger UDP messages (#6354)
* feat: rate-limit Jaeger UDP messages
The Jaeger UDP protocol provides no way to signal backpressure /
overload. In certain situations, we are emitting that many tracing spans
in a short period of time that the OS, the network, or Jaeger drop them.
While a rate limit is not a perfect solution, it for sure helps a lot
(tested locally).
Note that the limiter does NOT lead to unlimited buffering because we
already have a limited outbox queue in place (see
`trace_exporters::export::CHANNEL_SIZE`).
Fixes #5446.
* fix: only warn ones when the tracing channel is full
Co-authored-by: kodiakhq[bot] <49736102+kodiakhq[bot]@users.noreply.github.com>
|
diff --git a/Cargo.lock b/Cargo.lock
index f40a65b5f3..c3691d8c5e 100644
--- a/Cargo.lock
+++ b/Cargo.lock
@@ -5812,6 +5812,7 @@ dependencies = [
"chrono",
"clap 4.0.29",
"futures",
+ "iox_time",
"observability_deps",
"snafu",
"thrift",
diff --git a/trace_exporters/Cargo.toml b/trace_exporters/Cargo.toml
index b1682a6ed9..8f686f82fb 100644
--- a/trace_exporters/Cargo.toml
+++ b/trace_exporters/Cargo.toml
@@ -11,6 +11,7 @@ async-trait = "0.1"
chrono = { version = "0.4", default-features = false, features = ["clock"] }
clap = { version = "4", features = ["derive", "env"] }
futures = "0.3"
+iox_time = { path = "../iox_time" }
observability_deps = { path = "../observability_deps" }
snafu = "0.7"
thrift = { version = "0.17.0" }
diff --git a/trace_exporters/src/export.rs b/trace_exporters/src/export.rs
index 121c6782e2..c4c4424d5c 100644
--- a/trace_exporters/src/export.rs
+++ b/trace_exporters/src/export.rs
@@ -1,4 +1,10 @@
-use std::{any::Any, sync::Arc};
+use std::{
+ any::Any,
+ sync::{
+ atomic::{AtomicBool, Ordering},
+ Arc,
+ },
+};
use async_trait::async_trait;
use futures::{
@@ -37,6 +43,9 @@ pub struct AsyncExporter {
///
/// Sending None triggers termination
sender: tokio::sync::mpsc::Sender<Option<Span>>,
+
+ /// Flags if we already warned about a saturated channel.
+ warned_sender_full: AtomicBool,
}
impl AsyncExporter {
@@ -47,7 +56,11 @@ impl AsyncExporter {
let handle = tokio::spawn(background_worker(collector, receiver));
let join = handle.map_err(Arc::new).boxed().shared();
- Self { join, sender }
+ Self {
+ join,
+ sender,
+ warned_sender_full: AtomicBool::new(false),
+ }
}
/// Triggers shutdown of this `AsyncExporter` and waits until all in-flight
@@ -64,10 +77,16 @@ impl TraceCollector for AsyncExporter {
use mpsc::error::TrySendError;
match self.sender.try_send(Some(span)) {
Ok(_) => {
+ // sending worked again, so re-enable warning
+ self.warned_sender_full.store(false, Ordering::SeqCst);
+
//TODO: Increment some metric (#2613)
}
Err(TrySendError::Full(_)) => {
- warn!("exporter cannot keep up, dropping spans")
+ // avoid spamming the log system (there might be thousands of traces incoming)
+ if !self.warned_sender_full.swap(true, Ordering::SeqCst) {
+ warn!("exporter cannot keep up, dropping spans");
+ }
}
Err(TrySendError::Closed(_)) => {
warn!("background worker shutdown")
diff --git a/trace_exporters/src/jaeger.rs b/trace_exporters/src/jaeger.rs
index 304afb001a..7122dc49d5 100644
--- a/trace_exporters/src/jaeger.rs
+++ b/trace_exporters/src/jaeger.rs
@@ -1,16 +1,19 @@
use std::{
net::{SocketAddr, ToSocketAddrs, UdpSocket},
+ num::NonZeroU64,
str::FromStr,
+ sync::Arc,
};
use async_trait::async_trait;
+use iox_time::TimeProvider;
use observability_deps::tracing::*;
use trace::span::Span;
-use crate::export::AsyncExport;
use crate::thrift::agent::{AgentSyncClient, TAgentSyncClient};
use crate::thrift::jaeger;
+use crate::{export::AsyncExport, rate_limiter::RateLimiter};
use thrift::protocol::{TCompactInputProtocol, TCompactOutputProtocol};
mod span;
@@ -75,12 +78,17 @@ pub struct JaegerAgentExporter {
/// Optional static tags to annotate every span with.
tags: Option<Vec<jaeger::Tag>>,
+
+ /// Rate limiter
+ rate_limiter: RateLimiter,
}
impl JaegerAgentExporter {
pub fn new<E: ToSocketAddrs + std::fmt::Display>(
service_name: String,
agent_endpoint: E,
+ time_provider: Arc<dyn TimeProvider>,
+ max_msgs_per_second: NonZeroU64,
) -> super::Result<Self> {
info!(%agent_endpoint, %service_name, "Creating jaeger tracing exporter");
let remote_addr = agent_endpoint.to_socket_addrs()?.next().ok_or_else(|| {
@@ -111,6 +119,7 @@ impl JaegerAgentExporter {
client,
next_sequence: 0,
tags: None,
+ rate_limiter: RateLimiter::new(max_msgs_per_second, time_provider),
})
}
@@ -141,6 +150,12 @@ impl JaegerAgentExporter {
impl AsyncExport for JaegerAgentExporter {
async fn export(&mut self, spans: Vec<Span>) {
let batch = self.make_batch(spans);
+
+ // The Jaeger UDP protocol provides no backchannel and therefore no way for us to know about backpressure or
+ // dropped messages. To make dropped messages (by the OS, network, or Jaeger itself) less likely, we employ a
+ // simple rate limit.
+ self.rate_limiter.send().await;
+
if let Err(e) = self.client.emit_batch(batch) {
error!(%e, "error writing batch to jaeger agent")
}
@@ -215,6 +230,7 @@ mod tests {
use super::*;
use crate::thrift::agent::{AgentSyncHandler, AgentSyncProcessor};
use chrono::{TimeZone, Utc};
+ use iox_time::SystemProvider;
use std::sync::{Arc, Mutex};
use thrift::server::TProcessor;
use thrift::transport::TBufferChannel;
@@ -309,9 +325,14 @@ mod tests {
let tags = [JaegerTag::new("bananas", "great")];
let address = server.local_addr().unwrap();
- let mut exporter = JaegerAgentExporter::new("service_name".to_string(), address)
- .unwrap()
- .with_tags(&tags);
+ let mut exporter = JaegerAgentExporter::new(
+ "service_name".to_string(),
+ address,
+ Arc::new(SystemProvider::new()),
+ NonZeroU64::new(1_000).unwrap(),
+ )
+ .unwrap()
+ .with_tags(&tags);
// Encoded form of tags.
let want_tags = [jaeger::Tag {
@@ -431,6 +452,12 @@ mod tests {
#[test]
fn test_resolve() {
- JaegerAgentExporter::new("service_name".to_string(), "localhost:8082").unwrap();
+ JaegerAgentExporter::new(
+ "service_name".to_string(),
+ "localhost:8082",
+ Arc::new(SystemProvider::new()),
+ NonZeroU64::new(1_000).unwrap(),
+ )
+ .unwrap();
}
}
diff --git a/trace_exporters/src/lib.rs b/trace_exporters/src/lib.rs
index 27f0ccacfe..1930c1dfd3 100644
--- a/trace_exporters/src/lib.rs
+++ b/trace_exporters/src/lib.rs
@@ -11,14 +11,16 @@
use crate::export::AsyncExporter;
use crate::jaeger::JaegerAgentExporter;
+use iox_time::SystemProvider;
use jaeger::JaegerTag;
use snafu::Snafu;
-use std::num::NonZeroU16;
+use std::num::{NonZeroU16, NonZeroU64};
use std::sync::Arc;
pub mod export;
mod jaeger;
+mod rate_limiter;
/// Auto-generated thrift code
#[allow(
@@ -125,6 +127,17 @@ pub struct TracingConfig {
action
)]
pub traces_jaeger_tags: Option<Vec<JaegerTag>>,
+
+ /// Tracing: Maximum number of message sent to a Jaeger service, per second.
+ ///
+ /// Only used if `--traces-exporter` is "jaeger".
+ #[clap(
+ long = "traces-jaeger-max-msgs-per-second",
+ env = "TRACES_JAEGER_MAX_MSGS_PER_SECOND",
+ default_value = "1000",
+ action
+ )]
+ pub traces_jaeger_max_msgs_per_second: NonZeroU64,
}
impl TracingConfig {
@@ -176,7 +189,12 @@ fn jaeger_exporter(config: &TracingConfig) -> Result<Arc<AsyncExporter>> {
);
let service_name = &config.traces_exporter_jaeger_service_name;
- let mut jaeger = JaegerAgentExporter::new(service_name.clone(), agent_endpoint)?;
+ let mut jaeger = JaegerAgentExporter::new(
+ service_name.clone(),
+ agent_endpoint,
+ Arc::new(SystemProvider::new()),
+ config.traces_jaeger_max_msgs_per_second,
+ )?;
// Use any specified static span tags.
if let Some(tags) = &config.traces_jaeger_tags {
diff --git a/trace_exporters/src/rate_limiter.rs b/trace_exporters/src/rate_limiter.rs
new file mode 100644
index 0000000000..ce347d4b75
--- /dev/null
+++ b/trace_exporters/src/rate_limiter.rs
@@ -0,0 +1,140 @@
+use std::{num::NonZeroU64, sync::Arc, time::Duration};
+
+use iox_time::{Time, TimeProvider};
+
+/// Limits `send` actions to a specific "messages per second".
+#[derive(Debug)]
+pub struct RateLimiter {
+ wait_time: Duration,
+ last_msg: Option<Time>,
+ time_provider: Arc<dyn TimeProvider>,
+}
+
+impl RateLimiter {
+ /// Create new rate limiter using the given config.
+ pub fn new(msgs_per_second: NonZeroU64, time_provider: Arc<dyn TimeProvider>) -> Self {
+ Self {
+ wait_time: Duration::from_secs_f64(1.0 / msgs_per_second.get() as f64),
+ last_msg: None,
+ time_provider,
+ }
+ }
+
+ /// Record a send action.
+ ///
+ /// This may async-block if the rate limit was hit until the it is OK to send a message again.
+ ///
+ /// It is safe to cancel this method.
+ pub async fn send(&mut self) {
+ let mut now = self.time_provider.now();
+
+ if let Some(last) = &self.last_msg {
+ let wait_until = *last + self.wait_time;
+ if wait_until > now {
+ self.time_provider.sleep_until(wait_until).await;
+
+ // refresh `now`
+ now = self.time_provider.now();
+ }
+ }
+
+ // modify AFTER `await` due to cancellation
+ self.last_msg = Some(now);
+ }
+}
+
+#[cfg(test)]
+mod tests {
+ use iox_time::MockProvider;
+ use std::future::Future;
+
+ use super::*;
+
+ #[tokio::test]
+ async fn new_always_works() {
+ let mut limiter = RateLimiter::new(
+ NonZeroU64::new(1).unwrap(),
+ Arc::new(MockProvider::new(Time::MIN)),
+ );
+ limiter.send().await;
+ }
+
+ #[tokio::test]
+ async fn u64_max_msgs_per_second() {
+ let mut limiter = RateLimiter::new(
+ NonZeroU64::new(u64::MAX).unwrap(),
+ Arc::new(MockProvider::new(Time::MIN)),
+ );
+ limiter.send().await;
+ limiter.send().await;
+ }
+
+ #[tokio::test]
+ async fn throttle() {
+ let time_provider = Arc::new(MockProvider::new(Time::MIN));
+ let mut limiter =
+ RateLimiter::new(NonZeroU64::new(1).unwrap(), Arc::clone(&time_provider) as _);
+ limiter.send().await;
+
+ {
+ // do NOT advance time
+ let fut = limiter.send();
+ tokio::pin!(fut);
+ assert_fut_pending(&mut fut).await;
+
+ // tick
+ time_provider.inc(Duration::from_secs(1));
+ fut.await;
+
+ // fut dropped here (important because it mut-borrows `limiter`)
+ }
+
+ // tick (but not enough)
+ time_provider.inc(Duration::from_millis(500));
+ let fut = limiter.send();
+ tokio::pin!(fut);
+ assert_fut_pending(&mut fut).await;
+
+ // tick (enough)
+ time_provider.inc(Duration::from_millis(500));
+ fut.await;
+ }
+
+ #[tokio::test]
+ async fn throttle_after_cancel() {
+ let time_provider = Arc::new(MockProvider::new(Time::MIN));
+ let mut limiter =
+ RateLimiter::new(NonZeroU64::new(1).unwrap(), Arc::clone(&time_provider) as _);
+ limiter.send().await;
+
+ // do NOT advance time
+ {
+ let fut = limiter.send();
+ tokio::pin!(fut);
+ assert_fut_pending(&mut fut).await;
+
+ // fut dropped here
+ }
+
+ // 2nd try should still be pending
+ let fut = limiter.send();
+ tokio::pin!(fut);
+ assert_fut_pending(&mut fut).await;
+
+ // tick
+ time_provider.inc(Duration::from_secs(1));
+ fut.await;
+ }
+
+ /// Assert that given future is pending.
+ async fn assert_fut_pending<F>(fut: &mut F)
+ where
+ F: Future + Send + Unpin,
+ F::Output: std::fmt::Debug,
+ {
+ tokio::select! {
+ e = fut => panic!("future is not pending, yielded: {e:?}"),
+ _ = tokio::time::sleep(Duration::from_millis(10)) => {},
+ };
+ }
+}
|
0aa5469ac67dcad0d68954254de631ac3e840f71
|
Dom Dwyer
|
2023-01-26 17:30:57
|
explicit namespace creation
|
Adds an end-to-end test of the router's gRPC NamespaceService covering
creation and reading of new namespaces.
| null |
test(e2e): explicit namespace creation
Adds an end-to-end test of the router's gRPC NamespaceService covering
creation and reading of new namespaces.
|
diff --git a/router/tests/common/mod.rs b/router/tests/common/mod.rs
index e22456caab..252e0493fd 100644
--- a/router/tests/common/mod.rs
+++ b/router/tests/common/mod.rs
@@ -1,5 +1,3 @@
-#![allow(unused)]
-
use std::{collections::BTreeSet, iter, string::String, sync::Arc};
use data_types::{PartitionTemplate, QueryPoolId, TableId, TemplatePart, TopicId};
diff --git a/router/tests/grpc.rs b/router/tests/grpc.rs
new file mode 100644
index 0000000000..8226daf4d2
--- /dev/null
+++ b/router/tests/grpc.rs
@@ -0,0 +1,132 @@
+use std::time::Duration;
+
+use assert_matches::assert_matches;
+use generated_types::influxdata::iox::namespace::v1::{
+ namespace_service_server::NamespaceService, *,
+};
+use hyper::StatusCode;
+use iox_time::{SystemProvider, TimeProvider};
+use router::{
+ namespace_resolver::{self, NamespaceCreationError},
+ server::http::Error,
+};
+use tonic::Request;
+
+use crate::common::TestContext;
+
+pub mod common;
+
+/// Ensure invoking the gRPC NamespaceService to create a namespace populates
+/// the catalog.
+#[tokio::test]
+async fn test_namespace_create() {
+ // Initialise a TestContext requiring explicit namespace creation.
+ let ctx = TestContext::new(false, None).await;
+
+ // Try writing to the non-existant namespace, which should return an error.
+ let now = SystemProvider::default()
+ .now()
+ .timestamp_nanos()
+ .to_string();
+ let lp = "platanos,tag1=A,tag2=B val=42i ".to_string() + &now;
+
+ let response = ctx
+ .write_lp("bananas", "test", &lp)
+ .await
+ .expect_err("write failed");
+
+ assert_matches!(
+ response,
+ Error::NamespaceResolver(namespace_resolver::Error::Create(
+ NamespaceCreationError::Reject(_)
+ ))
+ );
+ assert_eq!(
+ response.to_string(),
+ "rejecting write due to non-existing namespace: bananas_test"
+ );
+
+ // The failed write MUST NOT populate the catalog.
+ {
+ let current = ctx
+ .catalog()
+ .repositories()
+ .await
+ .namespaces()
+ .list()
+ .await
+ .expect("failed to query for existing namespaces");
+ assert!(current.is_empty());
+ }
+
+ // The RPC endpoint must know nothing about the namespace either.
+ {
+ let current = ctx
+ .grpc_delegate()
+ .namespace_service()
+ .get_namespaces(Request::new(Default::default()))
+ .await
+ .expect("must return namespaces")
+ .into_inner();
+ assert!(current.namespaces.is_empty());
+ }
+
+ const RETENTION: i64 = Duration::from_secs(42 * 60 * 60).as_nanos() as _;
+
+ // Explicitly create the namespace.
+ let req = CreateNamespaceRequest {
+ name: "bananas_test".to_string(),
+ retention_period_ns: Some(RETENTION),
+ };
+ let got = ctx
+ .grpc_delegate()
+ .namespace_service()
+ .create_namespace(Request::new(req))
+ .await
+ .expect("failed to create namesapce")
+ .into_inner()
+ .namespace
+ .expect("no namespace in response");
+
+ assert_eq!(got.name, "bananas_test");
+ assert_eq!(got.id, 1);
+ assert_eq!(got.retention_period_ns, Some(RETENTION));
+
+ // The list namespace RPC should show the new namespace
+ {
+ let list = ctx
+ .grpc_delegate()
+ .namespace_service()
+ .get_namespaces(Request::new(Default::default()))
+ .await
+ .expect("must return namespaces")
+ .into_inner();
+ assert_matches!(list.namespaces.as_slice(), [ns] => {
+ assert_eq!(*ns, got);
+ });
+ }
+
+ // The catalog should contain the namespace.
+ {
+ let db_list = ctx
+ .catalog()
+ .repositories()
+ .await
+ .namespaces()
+ .list()
+ .await
+ .expect("query failure");
+ assert_matches!(db_list.as_slice(), [ns] => {
+ assert_eq!(ns.id.get(), got.id);
+ assert_eq!(ns.name, got.name);
+ assert_eq!(ns.retention_period_ns, got.retention_period_ns);
+ });
+ }
+
+ // And writing should succeed
+ let response = ctx
+ .write_lp("bananas", "test", lp)
+ .await
+ .expect("write failed");
+ assert_eq!(response.status(), StatusCode::NO_CONTENT);
+}
|
7735e7c95b05e6fb8dade5d0df4db12a4076674f
|
Andrew Lamb
|
2023-05-15 08:38:45
|
Update DataFusion again (#7777)
|
* chore: Update datafusion again
* chore: Run cargo hakari tasks
---------
|
Co-authored-by: CircleCI[bot] <[email protected]>
Co-authored-by: kodiakhq[bot] <49736102+kodiakhq[bot]@users.noreply.github.com>
|
chore: Update DataFusion again (#7777)
* chore: Update datafusion again
* chore: Run cargo hakari tasks
---------
Co-authored-by: CircleCI[bot] <[email protected]>
Co-authored-by: kodiakhq[bot] <49736102+kodiakhq[bot]@users.noreply.github.com>
|
diff --git a/Cargo.lock b/Cargo.lock
index f20bdc27f5..afd82c56c4 100644
--- a/Cargo.lock
+++ b/Cargo.lock
@@ -1432,8 +1432,8 @@ dependencies = [
[[package]]
name = "datafusion"
-version = "23.0.0"
-source = "git+https://github.com/apache/arrow-datafusion.git?rev=06e9f53637f20dd91bef43b74942ec36c38c22d5#06e9f53637f20dd91bef43b74942ec36c38c22d5"
+version = "24.0.0"
+source = "git+https://github.com/apache/arrow-datafusion.git?rev=496fc399de700ae14fab436fdff8711cd3132436#496fc399de700ae14fab436fdff8711cd3132436"
dependencies = [
"ahash 0.8.3",
"arrow",
@@ -1481,8 +1481,8 @@ dependencies = [
[[package]]
name = "datafusion-common"
-version = "23.0.0"
-source = "git+https://github.com/apache/arrow-datafusion.git?rev=06e9f53637f20dd91bef43b74942ec36c38c22d5#06e9f53637f20dd91bef43b74942ec36c38c22d5"
+version = "24.0.0"
+source = "git+https://github.com/apache/arrow-datafusion.git?rev=496fc399de700ae14fab436fdff8711cd3132436#496fc399de700ae14fab436fdff8711cd3132436"
dependencies = [
"arrow",
"arrow-array",
@@ -1495,8 +1495,8 @@ dependencies = [
[[package]]
name = "datafusion-execution"
-version = "23.0.0"
-source = "git+https://github.com/apache/arrow-datafusion.git?rev=06e9f53637f20dd91bef43b74942ec36c38c22d5#06e9f53637f20dd91bef43b74942ec36c38c22d5"
+version = "24.0.0"
+source = "git+https://github.com/apache/arrow-datafusion.git?rev=496fc399de700ae14fab436fdff8711cd3132436#496fc399de700ae14fab436fdff8711cd3132436"
dependencies = [
"dashmap",
"datafusion-common",
@@ -1512,8 +1512,8 @@ dependencies = [
[[package]]
name = "datafusion-expr"
-version = "23.0.0"
-source = "git+https://github.com/apache/arrow-datafusion.git?rev=06e9f53637f20dd91bef43b74942ec36c38c22d5#06e9f53637f20dd91bef43b74942ec36c38c22d5"
+version = "24.0.0"
+source = "git+https://github.com/apache/arrow-datafusion.git?rev=496fc399de700ae14fab436fdff8711cd3132436#496fc399de700ae14fab436fdff8711cd3132436"
dependencies = [
"ahash 0.8.3",
"arrow",
@@ -1523,8 +1523,8 @@ dependencies = [
[[package]]
name = "datafusion-optimizer"
-version = "23.0.0"
-source = "git+https://github.com/apache/arrow-datafusion.git?rev=06e9f53637f20dd91bef43b74942ec36c38c22d5#06e9f53637f20dd91bef43b74942ec36c38c22d5"
+version = "24.0.0"
+source = "git+https://github.com/apache/arrow-datafusion.git?rev=496fc399de700ae14fab436fdff8711cd3132436#496fc399de700ae14fab436fdff8711cd3132436"
dependencies = [
"arrow",
"async-trait",
@@ -1540,8 +1540,8 @@ dependencies = [
[[package]]
name = "datafusion-physical-expr"
-version = "23.0.0"
-source = "git+https://github.com/apache/arrow-datafusion.git?rev=06e9f53637f20dd91bef43b74942ec36c38c22d5#06e9f53637f20dd91bef43b74942ec36c38c22d5"
+version = "24.0.0"
+source = "git+https://github.com/apache/arrow-datafusion.git?rev=496fc399de700ae14fab436fdff8711cd3132436#496fc399de700ae14fab436fdff8711cd3132436"
dependencies = [
"ahash 0.8.3",
"arrow",
@@ -1572,8 +1572,8 @@ dependencies = [
[[package]]
name = "datafusion-proto"
-version = "23.0.0"
-source = "git+https://github.com/apache/arrow-datafusion.git?rev=06e9f53637f20dd91bef43b74942ec36c38c22d5#06e9f53637f20dd91bef43b74942ec36c38c22d5"
+version = "24.0.0"
+source = "git+https://github.com/apache/arrow-datafusion.git?rev=496fc399de700ae14fab436fdff8711cd3132436#496fc399de700ae14fab436fdff8711cd3132436"
dependencies = [
"arrow",
"chrono",
@@ -1586,8 +1586,8 @@ dependencies = [
[[package]]
name = "datafusion-row"
-version = "23.0.0"
-source = "git+https://github.com/apache/arrow-datafusion.git?rev=06e9f53637f20dd91bef43b74942ec36c38c22d5#06e9f53637f20dd91bef43b74942ec36c38c22d5"
+version = "24.0.0"
+source = "git+https://github.com/apache/arrow-datafusion.git?rev=496fc399de700ae14fab436fdff8711cd3132436#496fc399de700ae14fab436fdff8711cd3132436"
dependencies = [
"arrow",
"datafusion-common",
@@ -1597,8 +1597,8 @@ dependencies = [
[[package]]
name = "datafusion-sql"
-version = "23.0.0"
-source = "git+https://github.com/apache/arrow-datafusion.git?rev=06e9f53637f20dd91bef43b74942ec36c38c22d5#06e9f53637f20dd91bef43b74942ec36c38c22d5"
+version = "24.0.0"
+source = "git+https://github.com/apache/arrow-datafusion.git?rev=496fc399de700ae14fab436fdff8711cd3132436#496fc399de700ae14fab436fdff8711cd3132436"
dependencies = [
"arrow",
"arrow-schema",
diff --git a/Cargo.toml b/Cargo.toml
index 5705441e4d..196459db6e 100644
--- a/Cargo.toml
+++ b/Cargo.toml
@@ -115,8 +115,8 @@ license = "MIT OR Apache-2.0"
[workspace.dependencies]
arrow = { version = "38.0.0" }
arrow-flight = { version = "38.0.0" }
-datafusion = { git = "https://github.com/apache/arrow-datafusion.git", rev="06e9f53637f20dd91bef43b74942ec36c38c22d5", default-features = false }
-datafusion-proto = { git = "https://github.com/apache/arrow-datafusion.git", rev="06e9f53637f20dd91bef43b74942ec36c38c22d5" }
+datafusion = { git = "https://github.com/apache/arrow-datafusion.git", rev="496fc399de700ae14fab436fdff8711cd3132436", default-features = false }
+datafusion-proto = { git = "https://github.com/apache/arrow-datafusion.git", rev="496fc399de700ae14fab436fdff8711cd3132436" }
hashbrown = { version = "0.13.2" }
parquet = { version = "38.0.0" }
tonic = { version = "0.9.2", features = ["tls", "tls-webpki-roots"] }
diff --git a/datafusion_util/src/lib.rs b/datafusion_util/src/lib.rs
index c57c311910..967d0bac21 100644
--- a/datafusion_util/src/lib.rs
+++ b/datafusion_util/src/lib.rs
@@ -23,13 +23,10 @@ use datafusion::arrow::datatypes::{DataType, Fields};
use datafusion::common::{DataFusionError, ToDFSchema};
use datafusion::datasource::MemTable;
use datafusion::execution::context::TaskContext;
-use datafusion::execution::memory_pool::UnboundedMemoryPool;
use datafusion::logical_expr::expr::Sort;
use datafusion::physical_expr::execution_props::ExecutionProps;
use datafusion::physical_expr::{create_physical_expr, PhysicalExpr};
use datafusion::physical_optimizer::pruning::PruningPredicate;
-use datafusion::physical_plan::common::SizedRecordBatchStream;
-use datafusion::physical_plan::metrics::{ExecutionPlanMetricsSet, MemTrackingMetrics};
use datafusion::physical_plan::{collect, EmptyRecordBatchStream, ExecutionPlan};
use datafusion::prelude::{lit, Column, Expr, SessionContext};
use datafusion::{
@@ -245,24 +242,18 @@ where
/// Create a SendableRecordBatchStream a RecordBatch
pub fn stream_from_batch(schema: SchemaRef, batch: RecordBatch) -> SendableRecordBatchStream {
- stream_from_batches(schema, vec![Arc::new(batch)])
+ stream_from_batches(schema, vec![batch])
}
/// Create a SendableRecordBatchStream from Vec of RecordBatches with the same schema
pub fn stream_from_batches(
schema: SchemaRef,
- batches: Vec<Arc<RecordBatch>>,
+ batches: Vec<RecordBatch>,
) -> SendableRecordBatchStream {
if batches.is_empty() {
return Box::pin(EmptyRecordBatchStream::new(schema));
}
-
- // TODO should track this memory properly
- let dummy_pool = Arc::new(UnboundedMemoryPool::default()) as _;
- let dummy_metrics = ExecutionPlanMetricsSet::new();
- let mem_metrics = MemTrackingMetrics::new(&dummy_metrics, &dummy_pool, 0);
- let stream = SizedRecordBatchStream::new(batches[0].schema(), batches, mem_metrics);
- Box::pin(stream)
+ Box::pin(MemoryStream::new_with_schema(batches, schema))
}
/// Create a SendableRecordBatchStream that sends back no RecordBatches with a specific schema
diff --git a/iox_query/src/exec/seriesset/converter.rs b/iox_query/src/exec/seriesset/converter.rs
index 8e3b58502c..f4a3ed5d85 100644
--- a/iox_query/src/exec/seriesset/converter.rs
+++ b/iox_query/src/exec/seriesset/converter.rs
@@ -1281,7 +1281,7 @@ mod tests {
.map(|batches| {
let batches = batches
.into_iter()
- .map(|chunk| Arc::new(parse_to_record_batch(Arc::clone(&schema), &chunk)))
+ .map(|chunk| parse_to_record_batch(Arc::clone(&schema), &chunk))
.collect::<Vec<_>>();
stream_from_batches(Arc::clone(&schema), batches)
diff --git a/iox_query/src/logical_optimizer/handle_gapfill.rs b/iox_query/src/logical_optimizer/handle_gapfill.rs
index ebca4636d2..50be1a52b3 100644
--- a/iox_query/src/logical_optimizer/handle_gapfill.rs
+++ b/iox_query/src/logical_optimizer/handle_gapfill.rs
@@ -8,8 +8,9 @@ use datafusion::{
common::tree_node::{RewriteRecursion, TreeNode, TreeNodeRewriter, VisitRecursion},
error::{DataFusionError, Result},
logical_expr::{
- utils::expr_to_columns, Aggregate, BuiltinScalarFunction, Extension, LogicalPlan,
- Projection,
+ expr::{ScalarFunction, ScalarUDF},
+ utils::expr_to_columns,
+ Aggregate, BuiltinScalarFunction, Extension, LogicalPlan, Projection,
},
optimizer::{optimizer::ApplyOrder, OptimizerConfig, OptimizerRule},
prelude::{col, Expr},
@@ -330,7 +331,7 @@ impl TreeNodeRewriter for DateBinGapfillRewriter {
type N = Expr;
fn pre_visit(&mut self, expr: &Expr) -> Result<RewriteRecursion> {
match expr {
- Expr::ScalarUDF { fun, .. } if fun.name == DATE_BIN_GAPFILL_UDF_NAME => {
+ Expr::ScalarUDF(ScalarUDF { fun, .. }) if fun.name == DATE_BIN_GAPFILL_UDF_NAME => {
Ok(RewriteRecursion::Mutate)
}
_ => Ok(RewriteRecursion::Continue),
@@ -342,12 +343,12 @@ impl TreeNodeRewriter for DateBinGapfillRewriter {
// so that everything stays wired up.
let orig_name = expr.display_name()?;
match expr {
- Expr::ScalarUDF { fun, args } if fun.name == DATE_BIN_GAPFILL_UDF_NAME => {
+ Expr::ScalarUDF(ScalarUDF { fun, args }) if fun.name == DATE_BIN_GAPFILL_UDF_NAME => {
self.args = Some(args.clone());
- Ok(Expr::ScalarFunction {
+ Ok(Expr::ScalarFunction(ScalarFunction {
fun: BuiltinScalarFunction::DateBin,
args,
- }
+ })
.alias(orig_name))
}
_ => Ok(expr),
@@ -442,7 +443,7 @@ impl TreeNodeRewriter for FillFnRewriter {
type N = Expr;
fn pre_visit(&mut self, expr: &Expr) -> Result<RewriteRecursion> {
match expr {
- Expr::ScalarUDF { fun, .. } if udf_to_fill_strategy(&fun.name).is_some() => {
+ Expr::ScalarUDF(ScalarUDF { fun, .. }) if udf_to_fill_strategy(&fun.name).is_some() => {
Ok(RewriteRecursion::Mutate)
}
_ => Ok(RewriteRecursion::Continue),
@@ -452,10 +453,12 @@ impl TreeNodeRewriter for FillFnRewriter {
fn mutate(&mut self, expr: Expr) -> Result<Expr> {
let orig_name = expr.display_name()?;
match expr {
- Expr::ScalarUDF { ref fun, .. } if udf_to_fill_strategy(&fun.name).is_none() => {
+ Expr::ScalarUDF(ScalarUDF { ref fun, .. })
+ if udf_to_fill_strategy(&fun.name).is_none() =>
+ {
Ok(expr)
}
- Expr::ScalarUDF { fun, mut args } => {
+ Expr::ScalarUDF(ScalarUDF { fun, mut args }) => {
let fs = udf_to_fill_strategy(&fun.name).expect("must be a fill fn");
let arg = args.remove(0);
self.add_fill_strategy(arg.clone(), fs)?;
@@ -484,7 +487,7 @@ fn count_udf(e: &Expr, name: &str) -> Result<usize> {
let mut count = 0;
e.apply(&mut |expr| {
match expr {
- Expr::ScalarUDF { fun, .. } if fun.name == name => {
+ Expr::ScalarUDF(ScalarUDF { fun, .. }) if fun.name == name => {
count += 1;
}
_ => (),
@@ -522,6 +525,7 @@ mod test {
use arrow::datatypes::{DataType, Field, Schema, TimeUnit};
use datafusion::error::Result;
+ use datafusion::logical_expr::expr::ScalarUDF;
use datafusion::logical_expr::{logical_plan, LogicalPlan, LogicalPlanBuilder};
use datafusion::optimizer::optimizer::Optimizer;
use datafusion::optimizer::OptimizerContext;
@@ -562,24 +566,24 @@ mod test {
if let Some(origin) = origin {
args.push(origin)
}
- Ok(Expr::ScalarUDF {
+ Ok(Expr::ScalarUDF(ScalarUDF {
fun: query_functions::registry().udf(DATE_BIN_GAPFILL_UDF_NAME)?,
args,
- })
+ }))
}
fn locf(arg: Expr) -> Result<Expr> {
- Ok(Expr::ScalarUDF {
+ Ok(Expr::ScalarUDF(ScalarUDF {
fun: query_functions::registry().udf(LOCF_UDF_NAME)?,
args: vec![arg],
- })
+ }))
}
fn interpolate(arg: Expr) -> Result<Expr> {
- Ok(Expr::ScalarUDF {
+ Ok(Expr::ScalarUDF(ScalarUDF {
fun: query_functions::registry().udf(INTERPOLATE_UDF_NAME)?,
args: vec![arg],
- })
+ }))
}
fn optimize(plan: &LogicalPlan) -> Result<Option<LogicalPlan>> {
diff --git a/iox_query/src/logical_optimizer/influx_regex_to_datafusion_regex.rs b/iox_query/src/logical_optimizer/influx_regex_to_datafusion_regex.rs
index 75ea9f92a6..7b857f420f 100644
--- a/iox_query/src/logical_optimizer/influx_regex_to_datafusion_regex.rs
+++ b/iox_query/src/logical_optimizer/influx_regex_to_datafusion_regex.rs
@@ -1,7 +1,7 @@
use datafusion::{
common::{tree_node::TreeNodeRewriter, DFSchema},
error::DataFusionError,
- logical_expr::{utils::from_plan, LogicalPlan, Operator},
+ logical_expr::{expr::ScalarUDF, utils::from_plan, LogicalPlan, Operator},
optimizer::{utils::rewrite_preserving_name, OptimizerConfig, OptimizerRule},
prelude::{binary_expr, lit, Expr},
scalar::ScalarValue,
@@ -72,7 +72,7 @@ impl TreeNodeRewriter for InfluxRegexToDataFusionRegex {
fn mutate(&mut self, expr: Expr) -> Result<Expr, DataFusionError> {
match expr {
- Expr::ScalarUDF { fun, mut args } => {
+ Expr::ScalarUDF(ScalarUDF { fun, mut args }) => {
if (args.len() == 2)
&& ((fun.name == REGEX_MATCH_UDF_NAME)
|| (fun.name == REGEX_NOT_MATCH_UDF_NAME))
@@ -88,7 +88,7 @@ impl TreeNodeRewriter for InfluxRegexToDataFusionRegex {
}
}
- Ok(Expr::ScalarUDF { fun, args })
+ Ok(Expr::ScalarUDF(ScalarUDF { fun, args }))
}
_ => Ok(expr),
}
diff --git a/iox_query_influxql/src/plan/planner.rs b/iox_query_influxql/src/plan/planner.rs
index 1d7bb246ca..b61409d992 100644
--- a/iox_query_influxql/src/plan/planner.rs
+++ b/iox_query_influxql/src/plan/planner.rs
@@ -20,6 +20,7 @@ use chrono_tz::Tz;
use datafusion::catalog::TableReference;
use datafusion::common::{DFSchema, DFSchemaRef, Result, ScalarValue, ToDFSchema};
use datafusion::datasource::{provider_as_source, MemTable};
+use datafusion::logical_expr::expr::ScalarFunction;
use datafusion::logical_expr::expr_rewriter::normalize_col;
use datafusion::logical_expr::logical_plan::builder::project;
use datafusion::logical_expr::logical_plan::Analyze;
@@ -617,10 +618,10 @@ impl<'a> InfluxQLToLogicalPlan<'a> {
&& fill_option != FillClause::None
{
let args = match select_exprs[time_column_index].clone().unalias() {
- Expr::ScalarFunction {
+ Expr::ScalarFunction(ScalarFunction {
fun: BuiltinScalarFunction::DateBin,
args,
- } => args,
+ }) => args,
_ => {
// The InfluxQL planner adds the `date_bin` function,
// so this condition represents an internal failure.
@@ -1159,13 +1160,13 @@ impl<'a> InfluxQLToLogicalPlan<'a> {
if args.len() != 2 {
error::query("invalid number of arguments for log, expected 2, got 1")
} else {
- Ok(Expr::ScalarFunction {
+ Ok(Expr::ScalarFunction(ScalarFunction {
fun: BuiltinScalarFunction::Log,
args: args.into_iter().rev().collect(),
- })
+ }))
}
}
- fun => Ok(Expr::ScalarFunction { fun, args }),
+ fun => Ok(Expr::ScalarFunction(ScalarFunction { fun, args })),
}
}
@@ -1411,7 +1412,7 @@ impl<'a> InfluxQLToLogicalPlan<'a> {
// - not null if it had any non-null values
//
// note that since we only have a single row, this is efficient
- .project([Expr::ScalarFunction {
+ .project([Expr::ScalarFunction(ScalarFunction {
fun: BuiltinScalarFunction::MakeArray,
args: tags
.iter()
@@ -1421,7 +1422,7 @@ impl<'a> InfluxQLToLogicalPlan<'a> {
when(tag_col.gt(lit(0)), lit(*tag)).end()
})
.collect::<Result<Vec<_>, _>>()?,
- }
+ })
.alias(tag_key_col)])?
// roll our single array row into one row per tag key
.unnest_column(tag_key_df_col)?
diff --git a/iox_query_influxql/src/plan/util_copy.rs b/iox_query_influxql/src/plan/util_copy.rs
index 2ab65be451..ca3d4dc449 100644
--- a/iox_query_influxql/src/plan/util_copy.rs
+++ b/iox_query_influxql/src/plan/util_copy.rs
@@ -8,6 +8,9 @@
//!
//! NOTE
use datafusion::common::Result;
+use datafusion::logical_expr::expr::{
+ AggregateUDF, InList, InSubquery, Placeholder, ScalarFunction, ScalarUDF,
+};
use datafusion::logical_expr::{
expr::{
AggregateFunction, Between, BinaryExpr, Case, Cast, Expr, GetIndexedField, GroupingSet,
@@ -84,14 +87,16 @@ where
.collect::<Result<Vec<_>>>()?,
window_frame.clone(),
))),
- Expr::AggregateUDF { fun, args, filter } => Ok(Expr::AggregateUDF {
- fun: fun.clone(),
- args: args
- .iter()
- .map(|e| clone_with_replacement(e, replacement_fn))
- .collect::<Result<Vec<Expr>>>()?,
- filter: filter.clone(),
- }),
+ Expr::AggregateUDF(AggregateUDF { fun, args, filter }) => {
+ Ok(Expr::AggregateUDF(AggregateUDF {
+ fun: fun.clone(),
+ args: args
+ .iter()
+ .map(|e| clone_with_replacement(e, replacement_fn))
+ .collect::<Result<Vec<Expr>>>()?,
+ filter: filter.clone(),
+ }))
+ }
Expr::Alias(nested_expr, alias_name) => Ok(Expr::Alias(
Box::new(clone_with_replacement(nested_expr, replacement_fn)?),
alias_name.clone(),
@@ -107,18 +112,18 @@ where
Box::new(clone_with_replacement(low, replacement_fn)?),
Box::new(clone_with_replacement(high, replacement_fn)?),
))),
- Expr::InList {
+ Expr::InList(InList {
expr: nested_expr,
list,
negated,
- } => Ok(Expr::InList {
+ }) => Ok(Expr::InList(InList {
expr: Box::new(clone_with_replacement(nested_expr, replacement_fn)?),
list: list
.iter()
.map(|e| clone_with_replacement(e, replacement_fn))
.collect::<Result<Vec<Expr>>>()?,
negated: *negated,
- }),
+ })),
Expr::BinaryExpr(BinaryExpr { left, right, op }) => {
Ok(Expr::BinaryExpr(BinaryExpr::new(
Box::new(clone_with_replacement(left, replacement_fn)?),
@@ -182,20 +187,22 @@ where
None => None,
},
))),
- Expr::ScalarFunction { fun, args } => Ok(Expr::ScalarFunction {
- fun: fun.clone(),
- args: args
- .iter()
- .map(|e| clone_with_replacement(e, replacement_fn))
- .collect::<Result<Vec<Expr>>>()?,
- }),
- Expr::ScalarUDF { fun, args } => Ok(Expr::ScalarUDF {
+ Expr::ScalarFunction(ScalarFunction { fun, args }) => {
+ Ok(Expr::ScalarFunction(ScalarFunction {
+ fun: fun.clone(),
+ args: args
+ .iter()
+ .map(|e| clone_with_replacement(e, replacement_fn))
+ .collect::<Result<Vec<Expr>>>()?,
+ }))
+ }
+ Expr::ScalarUDF(ScalarUDF { fun, args }) => Ok(Expr::ScalarUDF(ScalarUDF {
fun: fun.clone(),
args: args
.iter()
.map(|arg| clone_with_replacement(arg, replacement_fn))
.collect::<Result<Vec<Expr>>>()?,
- }),
+ })),
Expr::Negative(nested_expr) => Ok(Expr::Negative(Box::new(
clone_with_replacement(nested_expr, replacement_fn)?,
))),
@@ -256,15 +263,15 @@ where
| Expr::ScalarVariable(_, _)
| Expr::Exists { .. }
| Expr::ScalarSubquery(_) => Ok(expr.clone()),
- Expr::InSubquery {
+ Expr::InSubquery(InSubquery {
expr: nested_expr,
subquery,
negated,
- } => Ok(Expr::InSubquery {
+ }) => Ok(Expr::InSubquery(InSubquery {
expr: Box::new(clone_with_replacement(nested_expr, replacement_fn)?),
subquery: subquery.clone(),
negated: *negated,
- }),
+ })),
Expr::Wildcard => Ok(Expr::Wildcard),
Expr::QualifiedWildcard { .. } => Ok(expr.clone()),
Expr::GetIndexedField(GetIndexedField { key, expr }) => {
@@ -301,10 +308,12 @@ where
)))
}
},
- Expr::Placeholder { id, data_type } => Ok(Expr::Placeholder {
- id: id.clone(),
- data_type: data_type.clone(),
- }),
+ Expr::Placeholder(Placeholder { id, data_type }) => {
+ Ok(Expr::Placeholder(Placeholder {
+ id: id.clone(),
+ data_type: data_type.clone(),
+ }))
+ }
}
}
}
diff --git a/query_functions/src/coalesce_struct.rs b/query_functions/src/coalesce_struct.rs
index c2077d6fb6..33a43a2d5b 100644
--- a/query_functions/src/coalesce_struct.rs
+++ b/query_functions/src/coalesce_struct.rs
@@ -181,10 +181,10 @@ fn scalar_coalesce_struct(scalar1: ScalarValue, scalar2: &ScalarValue) -> Scalar
///
/// See [module-level docs](self) for more information.
pub fn coalesce_struct(args: Vec<Expr>) -> Expr {
- Expr::ScalarUDF {
+ Expr::ScalarUDF(datafusion::logical_expr::expr::ScalarUDF {
fun: Arc::clone(&COALESCE_STRUCT_UDF),
args,
- }
+ })
}
#[cfg(test)]
diff --git a/workspace-hack/Cargo.toml b/workspace-hack/Cargo.toml
index 6986b872e2..1a173969b0 100644
--- a/workspace-hack/Cargo.toml
+++ b/workspace-hack/Cargo.toml
@@ -30,9 +30,9 @@ bytes = { version = "1" }
chrono = { version = "0.4", default-features = false, features = ["alloc", "clock", "serde"] }
crossbeam-utils = { version = "0.8" }
crypto-common = { version = "0.1", default-features = false, features = ["std"] }
-datafusion = { git = "https://github.com/apache/arrow-datafusion.git", rev = "06e9f53637f20dd91bef43b74942ec36c38c22d5" }
-datafusion-optimizer = { git = "https://github.com/apache/arrow-datafusion.git", rev = "06e9f53637f20dd91bef43b74942ec36c38c22d5", default-features = false, features = ["crypto_expressions", "regex_expressions", "unicode_expressions"] }
-datafusion-physical-expr = { git = "https://github.com/apache/arrow-datafusion.git", rev = "06e9f53637f20dd91bef43b74942ec36c38c22d5", default-features = false, features = ["crypto_expressions", "regex_expressions", "unicode_expressions"] }
+datafusion = { git = "https://github.com/apache/arrow-datafusion.git", rev = "496fc399de700ae14fab436fdff8711cd3132436" }
+datafusion-optimizer = { git = "https://github.com/apache/arrow-datafusion.git", rev = "496fc399de700ae14fab436fdff8711cd3132436", default-features = false, features = ["crypto_expressions", "regex_expressions", "unicode_expressions"] }
+datafusion-physical-expr = { git = "https://github.com/apache/arrow-datafusion.git", rev = "496fc399de700ae14fab436fdff8711cd3132436", default-features = false, features = ["crypto_expressions", "regex_expressions", "unicode_expressions"] }
digest = { version = "0.10", features = ["mac", "std"] }
either = { version = "1" }
fixedbitset = { version = "0.4" }
|
fad34c375ef2cc9abda28713b2cf8d0675dc0d2d
|
Fraser Savage
|
2023-06-08 11:39:23
|
Use TableId type for look-aside map key
|
This adds a little extra layer of type safety and should be optimised
by the compiler. This commit also makes sure the ingester's WAL sink
tests assert the behaviour for partitioned sequence numbering on an
operation that hits multiple tables & thus partitions.
| null |
refactor(wal): Use TableId type for look-aside map key
This adds a little extra layer of type safety and should be optimised
by the compiler. This commit also makes sure the ingester's WAL sink
tests assert the behaviour for partitioned sequence numbering on an
operation that hits multiple tables & thus partitions.
|
diff --git a/ingester/benches/wal.rs b/ingester/benches/wal.rs
index 75f99a3d84..08befd3e85 100644
--- a/ingester/benches/wal.rs
+++ b/ingester/benches/wal.rs
@@ -27,7 +27,7 @@ async fn init() -> tempfile::TempDir {
// Write a single line of LP to the WAL
wal.write_op(SequencedWalOp {
sequence_number: 42,
- table_write_sequence_numbers: [(0, 42)].into_iter().collect(),
+ table_write_sequence_numbers: [(TableId::new(0), 42)].into_iter().collect(),
op: WalOp::Write(lp_to_writes("bananas,tag1=A,tag2=B val=42i 1")),
})
.changed()
diff --git a/ingester/src/wal/wal_sink.rs b/ingester/src/wal/wal_sink.rs
index 2eadefcf0b..e9299aa431 100644
--- a/ingester/src/wal/wal_sink.rs
+++ b/ingester/src/wal/wal_sink.rs
@@ -110,7 +110,7 @@ impl WalAppender for Arc<wal::Wal> {
DmlOperation::Write(w) => {
let partition_sequence_numbers = w
.tables()
- .map(|(table_id, _)| (table_id.get(), sequence_number))
+ .map(|(table_id, _)| (*table_id, sequence_number))
.collect();
(
Op::Write(encode_write(namespace_id.get(), w)),
@@ -134,7 +134,9 @@ mod tests {
use std::{future, sync::Arc};
use assert_matches::assert_matches;
- use data_types::{NamespaceId, PartitionKey, TableId};
+ use data_types::{NamespaceId, PartitionKey, SequenceNumber, TableId};
+ use dml::{DmlMeta, DmlWrite};
+ use mutable_batch_lp::lines_to_batches;
use wal::Wal;
use crate::{dml_sink::mock_sink::MockDmlSink, test_util::make_write_op};
@@ -150,14 +152,36 @@ mod tests {
async fn test_append() {
let dir = tempfile::tempdir().unwrap();
- // Generate the test op that will be appended and read back
- let op = make_write_op(
- &PartitionKey::from("p1"),
+ const SECOND_TABLE_ID: TableId = TableId::new(45);
+ const SECOND_TABLE_NAME: &str = "banani";
+ // Generate a test op containing writes for multiple tables that will
+ // be appended and read back
+ let mut tables_by_name = lines_to_batches(
+ r#"bananas,region=Madrid temp=35 4242424242
+banani,region=Iceland temp=25 7676767676"#,
+ 0,
+ )
+ .expect("invalid line proto");
+ let op = DmlWrite::new(
NAMESPACE_ID,
- TABLE_NAME,
- TABLE_ID,
- 42,
- r#"bananas,region=Madrid temp=35 4242424242"#,
+ [
+ (
+ TABLE_ID,
+ tables_by_name
+ .remove(TABLE_NAME)
+ .expect("table does not exist in LP"),
+ ),
+ (
+ SECOND_TABLE_ID,
+ tables_by_name
+ .remove(SECOND_TABLE_NAME)
+ .expect("second table does not exist in LP"),
+ ),
+ ]
+ .into_iter()
+ .collect(),
+ PartitionKey::from("p1"),
+ DmlMeta::sequenced(SequenceNumber::new(42), iox_time::Time::MIN, None, 42),
);
// The write portion of this test.
@@ -204,9 +228,9 @@ mod tests {
assert_eq!(read_op.sequence_number, 42);
assert_eq!(
read_op.table_write_sequence_numbers,
- [(TABLE_ID.get(), 42)]
+ [(TABLE_ID, 42), (SECOND_TABLE_ID, 42)]
.into_iter()
- .collect::<std::collections::HashMap<i64, u64>>()
+ .collect::<std::collections::HashMap<TableId, u64>>()
);
let payload =
assert_matches!(&read_op.op, Op::Write(w) => w, "expected DML write WAL entry");
diff --git a/wal/src/lib.rs b/wal/src/lib.rs
index 4ac9770f5d..98d7347a41 100644
--- a/wal/src/lib.rs
+++ b/wal/src/lib.rs
@@ -474,7 +474,7 @@ pub struct SequencedWalOp {
pub sequence_number: u64,
/// This mapping assigns a sequence number to table ID modified by this
/// write.
- pub table_write_sequence_numbers: std::collections::HashMap<i64, u64>,
+ pub table_write_sequence_numbers: std::collections::HashMap<TableId, u64>,
/// The underlying WAL operation which this wrapper sequences.
pub op: WalOp,
}
@@ -491,7 +491,10 @@ impl TryFrom<ProtoSequencedWalOp> for SequencedWalOp {
Ok(Self {
sequence_number,
- table_write_sequence_numbers,
+ table_write_sequence_numbers: table_write_sequence_numbers
+ .into_iter()
+ .map(|(table_id, sequence_number)| (TableId::new(table_id), sequence_number))
+ .collect(),
op: op.unwrap_field("op")?,
})
}
@@ -507,7 +510,10 @@ impl From<SequencedWalOp> for ProtoSequencedWalOp {
Self {
sequence_number,
- table_write_sequence_numbers,
+ table_write_sequence_numbers: table_write_sequence_numbers
+ .into_iter()
+ .map(|(table_id, sequence_number)| (table_id.get(), sequence_number))
+ .collect(),
op: Some(op),
}
}
@@ -694,22 +700,22 @@ mod tests {
let op1 = SequencedWalOp {
sequence_number: 0,
- table_write_sequence_numbers: vec![(0, 0)].into_iter().collect(),
+ table_write_sequence_numbers: vec![(TableId::new(0), 0)].into_iter().collect(),
op: WalOp::Write(w1),
};
let op2 = SequencedWalOp {
sequence_number: 1,
- table_write_sequence_numbers: vec![(0, 1)].into_iter().collect(),
+ table_write_sequence_numbers: vec![(TableId::new(0), 1)].into_iter().collect(),
op: WalOp::Write(w2),
};
let op3 = SequencedWalOp {
sequence_number: 2,
- table_write_sequence_numbers: vec![(0, 2)].into_iter().collect(),
+ table_write_sequence_numbers: vec![(TableId::new(0), 2)].into_iter().collect(),
op: WalOp::Delete(test_delete()),
};
let op4 = SequencedWalOp {
sequence_number: 2,
- table_write_sequence_numbers: vec![(0, 2)].into_iter().collect(),
+ table_write_sequence_numbers: vec![(TableId::new(0), 2)].into_iter().collect(),
op: WalOp::Persist(test_persist()),
};
@@ -749,15 +755,15 @@ mod tests {
assert_eq!(
ops.into_iter()
.map(|op| op.table_write_sequence_numbers)
- .collect::<Vec<std::collections::HashMap<i64, u64>>>(),
+ .collect::<Vec<std::collections::HashMap<TableId, u64>>>(),
[
- [(0, 0)].into_iter().collect(),
- [(0, 1)].into_iter().collect(),
- [(0, 2)].into_iter().collect(),
- [(0, 2)].into_iter().collect(),
+ [(TableId::new(0), 0)].into_iter().collect(),
+ [(TableId::new(0), 1)].into_iter().collect(),
+ [(TableId::new(0), 2)].into_iter().collect(),
+ [(TableId::new(0), 2)].into_iter().collect(),
]
.into_iter()
- .collect::<Vec<std::collections::HashMap<i64, u64>>>(),
+ .collect::<Vec<std::collections::HashMap<TableId, u64>>>(),
);
}
@@ -812,28 +818,28 @@ mod tests {
let op1 = SequencedWalOp {
sequence_number: 0,
- table_write_sequence_numbers: vec![(0, 0)].into_iter().collect(),
+ table_write_sequence_numbers: vec![(TableId::new(0), 0)].into_iter().collect(),
op: WalOp::Write(w1.to_owned()),
};
let op2 = SequencedWalOp {
sequence_number: 1,
- table_write_sequence_numbers: vec![(0, 1)].into_iter().collect(),
+ table_write_sequence_numbers: vec![(TableId::new(0), 1)].into_iter().collect(),
op: WalOp::Write(w2.to_owned()),
};
let op3 = SequencedWalOp {
sequence_number: 2,
- table_write_sequence_numbers: vec![(0, 2)].into_iter().collect(),
+ table_write_sequence_numbers: vec![(TableId::new(0), 2)].into_iter().collect(),
op: WalOp::Delete(test_delete()),
};
let op4 = SequencedWalOp {
sequence_number: 2,
- table_write_sequence_numbers: vec![(0, 2)].into_iter().collect(),
+ table_write_sequence_numbers: vec![(TableId::new(0), 2)].into_iter().collect(),
op: WalOp::Persist(test_persist()),
};
// A third write entry coming after a delete and persist entry must still be yielded
let op5 = SequencedWalOp {
sequence_number: 3,
- table_write_sequence_numbers: vec![(0, 3)].into_iter().collect(),
+ table_write_sequence_numbers: vec![(TableId::new(0), 3)].into_iter().collect(),
op: WalOp::Write(w3.to_owned()),
};
@@ -878,7 +884,7 @@ mod tests {
let good_write = test_data("m3,a=baz b=4i 1");
wal.write_op(SequencedWalOp {
sequence_number: 0,
- table_write_sequence_numbers: vec![(0, 0)].into_iter().collect(),
+ table_write_sequence_numbers: vec![(TableId::new(0), 0)].into_iter().collect(),
op: WalOp::Write(good_write.to_owned()),
})
.changed()
diff --git a/wal/tests/end_to_end.rs b/wal/tests/end_to_end.rs
index 0dcdda2dda..f01b86f9c0 100644
--- a/wal/tests/end_to_end.rs
+++ b/wal/tests/end_to_end.rs
@@ -175,7 +175,7 @@ fn arbitrary_sequenced_wal_op(sequence_number: u64) -> SequencedWalOp {
table_write_sequence_numbers: w
.table_batches
.iter()
- .map(|table_batch| (table_batch.table_id, sequence_number))
+ .map(|table_batch| (TableId::new(table_batch.table_id), sequence_number))
.collect(),
op: WalOp::Write(w),
}
diff --git a/wal_inspect/src/lib.rs b/wal_inspect/src/lib.rs
index c88af1baab..45fa70c132 100644
--- a/wal_inspect/src/lib.rs
+++ b/wal_inspect/src/lib.rs
@@ -205,17 +205,17 @@ mod tests {
// Generate a single entry
wal.write_op(SequencedWalOp {
sequence_number: 0,
- table_write_sequence_numbers: [(1, 0)].into_iter().collect(),
+ table_write_sequence_numbers: [(TableId::new(1), 0)].into_iter().collect(),
op: Op::Write(encode_line(NamespaceId::new(1), &table_id_index, line1)),
});
wal.write_op(SequencedWalOp {
sequence_number: 1,
- table_write_sequence_numbers: [(2, 1)].into_iter().collect(),
+ table_write_sequence_numbers: [(TableId::new(2), 1)].into_iter().collect(),
op: Op::Write(encode_line(NamespaceId::new(2), &table_id_index, line2)),
});
wal.write_op(SequencedWalOp {
sequence_number: 2,
- table_write_sequence_numbers: [(1, 2)].into_iter().collect(),
+ table_write_sequence_numbers: [(TableId::new(1), 2)].into_iter().collect(),
op: Op::Write(encode_line(NamespaceId::new(1), &table_id_index, line3)),
})
.changed()
|
516880eeb86b054807a2a5ecb3255c72856bdc0b
|
Fraser Savage
|
2023-07-13 11:42:30
|
Make it clear that getting op `SequenceNumberSet` is not free
|
The type is not copy and does not use a cached value - it collects a new
owned set.
|
Co-authored-by: Dom <[email protected]>
|
docs(ingester): Make it clear that getting op `SequenceNumberSet` is not free
The type is not copy and does not use a cached value - it collects a new
owned set.
Co-authored-by: Dom <[email protected]>
|
diff --git a/ingester/src/dml_payload/ingest_op.rs b/ingester/src/dml_payload/ingest_op.rs
index 1130dc9807..e4bc76e201 100644
--- a/ingester/src/dml_payload/ingest_op.rs
+++ b/ingester/src/dml_payload/ingest_op.rs
@@ -26,7 +26,8 @@ impl IngestOp {
}
}
- /// The [`SequenceNumberSet`] the [`IngestOp`] maps to.
+ /// Construct a new [`SequenceNumberSet`] containing all the sequence
+ /// numbers in this op.
pub fn sequence_number_set(&self) -> SequenceNumberSet {
match self {
Self::Write(w) => w
|
1a7679bcee0554206213427498cdd5f63d3679f6
|
Dom Dwyer
|
2023-01-26 16:18:00
|
expose underlying gRPC implementations
|
Changes the gRPC delegate to return the underlying service (type erased)
implementations instead of the RPC service wrappers.
| null |
refactor: expose underlying gRPC implementations
Changes the gRPC delegate to return the underlying service (type erased)
implementations instead of the RPC service wrappers.
|
diff --git a/ioxd_router/src/lib.rs b/ioxd_router/src/lib.rs
index 48624a07eb..76b106081e 100644
--- a/ioxd_router/src/lib.rs
+++ b/ioxd_router/src/lib.rs
@@ -7,7 +7,13 @@ use iox_catalog::interface::Catalog;
use ioxd_common::{
add_service,
http::error::{HttpApiError, HttpApiErrorSource},
- reexport::tonic::transport::Endpoint,
+ reexport::{
+ generated_types::influxdata::iox::{
+ catalog::v1::catalog_service_server, object_store::v1::object_store_service_server,
+ schema::v1::schema_service_server,
+ },
+ tonic::transport::Endpoint,
+ },
rpc::RpcBuilderInput,
serve_builder,
server_type::{CommonServerState, RpcError, ServerType},
@@ -207,9 +213,20 @@ where
/// [`RpcWriteGrpcDelegate`]: router::server::grpc::RpcWriteGrpcDelegate
async fn server_grpc(self: Arc<Self>, builder_input: RpcBuilderInput) -> Result<(), RpcError> {
let builder = setup_builder!(builder_input, self);
- add_service!(builder, self.server.grpc().schema_service());
- add_service!(builder, self.server.grpc().catalog_service());
- add_service!(builder, self.server.grpc().object_store_service());
+ add_service!(
+ builder,
+ schema_service_server::SchemaServiceServer::new(self.server.grpc().schema_service())
+ );
+ add_service!(
+ builder,
+ catalog_service_server::CatalogServiceServer::new(self.server.grpc().catalog_service())
+ );
+ add_service!(
+ builder,
+ object_store_service_server::ObjectStoreServiceServer::new(
+ self.server.grpc().object_store_service()
+ )
+ );
serve_builder!(builder);
Ok(())
diff --git a/router/src/server/grpc.rs b/router/src/server/grpc.rs
index 273c516c08..66785eaef6 100644
--- a/router/src/server/grpc.rs
+++ b/router/src/server/grpc.rs
@@ -49,49 +49,33 @@ impl RpcWriteGrpcDelegate {
/// Acquire a [`SchemaService`] gRPC service implementation.
///
/// [`SchemaService`]: generated_types::influxdata::iox::schema::v1::schema_service_server::SchemaService.
- pub fn schema_service(&self) -> schema_service_server::SchemaServiceServer<SchemaService> {
- schema_service_server::SchemaServiceServer::new(SchemaService::new(Arc::clone(
- &self.catalog,
- )))
+ pub fn schema_service(&self) -> SchemaService {
+ SchemaService::new(Arc::clone(&self.catalog))
}
/// Acquire a [`CatalogService`] gRPC service implementation.
///
/// [`CatalogService`]: generated_types::influxdata::iox::catalog::v1::catalog_service_server::CatalogService.
- pub fn catalog_service(
- &self,
- ) -> catalog_service_server::CatalogServiceServer<impl catalog_service_server::CatalogService>
- {
- catalog_service_server::CatalogServiceServer::new(CatalogService::new(Arc::clone(
- &self.catalog,
- )))
+ pub fn catalog_service(&self) -> impl catalog_service_server::CatalogService {
+ CatalogService::new(Arc::clone(&self.catalog))
}
/// Acquire a [`ObjectStoreService`] gRPC service implementation.
///
/// [`ObjectStoreService`]: generated_types::influxdata::iox::object_store::v1::object_store_service_server::ObjectStoreService.
- pub fn object_store_service(
- &self,
- ) -> object_store_service_server::ObjectStoreServiceServer<
- impl object_store_service_server::ObjectStoreService,
- > {
- object_store_service_server::ObjectStoreServiceServer::new(ObjectStoreService::new(
- Arc::clone(&self.catalog),
- Arc::clone(&self.object_store),
- ))
+ pub fn object_store_service(&self) -> impl object_store_service_server::ObjectStoreService {
+ ObjectStoreService::new(Arc::clone(&self.catalog), Arc::clone(&self.object_store))
}
/// Acquire a [`NamespaceService`] gRPC service implementation.
///
/// [`NamespaceService`]: generated_types::influxdata::iox::namespace::v1::namespace_service_server::NamespaceService.
- pub fn namespace_service(
- &self,
- ) -> namespace_service_server::NamespaceServiceServer<NamespaceService> {
- namespace_service_server::NamespaceServiceServer::new(NamespaceService::new(
+ pub fn namespace_service(&self) -> impl namespace_service_server::NamespaceService {
+ NamespaceService::new(
Arc::clone(&self.catalog),
Some(self.topic_id),
Some(self.query_id),
- ))
+ )
}
}
|
1da9b63ccea37968fcac3286d6c5746650164cf3
|
Dom Dwyer
|
2022-12-12 16:37:11
|
persist deadlock
|
Removes the submission queue from the persist fan-out, instead the
PersistHandle now carries the shared state internally (cheaply cloned
via ref counts).
This also resolves the persist deadlock when under load.
| null |
fix(ingester2): persist deadlock
Removes the submission queue from the persist fan-out, instead the
PersistHandle now carries the shared state internally (cheaply cloned
via ref counts).
This also resolves the persist deadlock when under load.
|
diff --git a/clap_blocks/src/ingester2.rs b/clap_blocks/src/ingester2.rs
index a7efbb1a10..ed537c7738 100644
--- a/clap_blocks/src/ingester2.rs
+++ b/clap_blocks/src/ingester2.rs
@@ -51,18 +51,4 @@ pub struct Ingester2Config {
action
)]
pub persist_worker_queue_depth: usize,
-
- /// The maximum number of persist tasks queued in the shared submission
- /// queue. This is an advanced option, users should prefer
- /// "--persist-worker-queue-depth".
- ///
- /// This queue provides a buffer for persist tasks before they are hashed to
- /// a worker and enqueued for the worker to process.
- #[clap(
- long = "persist-submission-queue-depth",
- env = "INFLUXDB_IOX_PERSIST_SUBMISSION_QUEUE_DEPTH",
- default_value = "5",
- action
- )]
- pub persist_submission_queue_depth: usize,
}
diff --git a/ingester2/src/init.rs b/ingester2/src/init.rs
index 06783dc01d..3a30456774 100644
--- a/ingester2/src/init.rs
+++ b/ingester2/src/init.rs
@@ -74,7 +74,6 @@ pub struct IngesterGuard<T> {
///
/// Aborted on drop.
rotation_task: tokio::task::JoinHandle<()>,
- persist_task: tokio::task::JoinHandle<()>,
}
impl<T> IngesterGuard<T> {
@@ -120,7 +119,7 @@ pub enum InitError {
///
/// These files are read and replayed fully before this function returns.
///
-/// Any error during replay
+/// Any error during replay is fatal.
///
/// ## Deferred Loading for Persist Operations
///
@@ -154,7 +153,6 @@ pub async fn new(
wal_directory: PathBuf,
wal_rotation_period: Duration,
persist_executor: Arc<Executor>,
- persist_submission_queue_depth: usize,
persist_workers: usize,
persist_worker_queue_depth: usize,
object_store: ParquetStorage,
@@ -243,15 +241,13 @@ pub async fn new(
// Spawn the persist workers to compact partition data, convert it into
// Parquet files, and upload them to object storage.
- let (persist_handle, persist_actor) = PersistHandle::new(
- persist_submission_queue_depth,
+ let persist_handle = PersistHandle::new(
persist_workers,
persist_worker_queue_depth,
persist_executor,
object_store,
Arc::clone(&catalog),
);
- let persist_task = tokio::spawn(persist_actor.run());
// Build the chain of DmlSink that forms the write path.
let write_path = WalSink::new(Arc::clone(&buffer), wal.write_handle().await);
@@ -279,6 +275,5 @@ pub async fn new(
Ok(IngesterGuard {
rpc: GrpcDelegate::new(Arc::new(write_path), buffer, timestamp, catalog, metrics),
rotation_task: handle,
- persist_task,
})
}
diff --git a/ingester2/src/persist/actor.rs b/ingester2/src/persist/actor.rs
deleted file mode 100644
index 9c3931314e..0000000000
--- a/ingester2/src/persist/actor.rs
+++ /dev/null
@@ -1,104 +0,0 @@
-use std::sync::Arc;
-
-use iox_catalog::interface::Catalog;
-use iox_query::exec::Executor;
-use parquet_file::storage::ParquetStorage;
-use sharder::JumpHash;
-use tokio::{sync::mpsc, task::JoinHandle};
-
-use super::context::{Context, PersistRequest};
-
-/// An actor implementation that fans out incoming persistence jobs to a set of
-/// workers.
-///
-/// See [`PersistHandle`].
-///
-/// [`PersistHandle`]: super::handle::PersistHandle
-#[must_use = "PersistActor must be ran by calling run()"]
-pub(crate) struct PersistActor {
- rx: mpsc::Receiver<PersistRequest>,
-
- /// THe state/dependencies shared across all worker tasks.
- inner: Arc<Inner>,
-
- /// A consistent hash implementation used to consistently map buffers from
- /// one partition to the same worker queue.
- ///
- /// This ensures persistence is serialised per-partition, but in parallel
- /// across partitions (up to the number of worker tasks).
- persist_queues: JumpHash<mpsc::Sender<PersistRequest>>,
-
- /// Task handles for the worker tasks, aborted on drop of this
- /// [`PersistActor`].
- tasks: Vec<JoinHandle<()>>,
-}
-
-impl Drop for PersistActor {
- fn drop(&mut self) {
- // Stop all background tasks when the actor goes out of scope.
- self.tasks.iter().for_each(|v| v.abort())
- }
-}
-
-impl PersistActor {
- pub(super) fn new(
- rx: mpsc::Receiver<PersistRequest>,
- exec: Arc<Executor>,
- store: ParquetStorage,
- catalog: Arc<dyn Catalog>,
- workers: usize,
- worker_queue_depth: usize,
- ) -> Self {
- let inner = Arc::new(Inner {
- exec,
- store,
- catalog,
- });
-
- let (tx_handles, tasks): (Vec<_>, Vec<_>) = (0..workers)
- .map(|_| {
- let inner = Arc::clone(&inner);
- let (tx, rx) = mpsc::channel(worker_queue_depth);
- (tx, tokio::spawn(run_task(inner, rx)))
- })
- .unzip();
-
- // TODO(test): N workers running
- // TODO(test): queue depths
-
- Self {
- rx,
- inner,
- persist_queues: JumpHash::new(tx_handles),
- tasks,
- }
- }
-
- /// Execute this actor task and block until all [`PersistHandle`] are
- /// dropped.
- ///
- /// [`PersistHandle`]: super::handle::PersistHandle
- pub(crate) async fn run(mut self) {
- while let Some(req) = self.rx.recv().await {
- let tx = self.persist_queues.hash(req.partition_id());
- tx.send(req).await.expect("persist worker has stopped;")
- }
- }
-}
-
-pub(super) struct Inner {
- pub(super) exec: Arc<Executor>,
- pub(super) store: ParquetStorage,
- pub(super) catalog: Arc<dyn Catalog>,
-}
-
-async fn run_task(inner: Arc<Inner>, mut rx: mpsc::Receiver<PersistRequest>) {
- while let Some(req) = rx.recv().await {
- let ctx = Context::new(req, Arc::clone(&inner));
-
- let compacted = ctx.compact().await;
- let (sort_key_update, parquet_table_data) = ctx.upload(compacted).await;
- ctx.update_database(sort_key_update, parquet_table_data)
- .await;
- }
-}
diff --git a/ingester2/src/persist/context.rs b/ingester2/src/persist/context.rs
index 32ef83f64a..8ba5f962b7 100644
--- a/ingester2/src/persist/context.rs
+++ b/ingester2/src/persist/context.rs
@@ -11,7 +11,7 @@ use observability_deps::tracing::*;
use parking_lot::Mutex;
use parquet_file::metadata::IoxMetadata;
use schema::sort::SortKey;
-use tokio::{sync::Notify, time::Instant};
+use tokio::{sync::oneshot, time::Instant};
use uuid::Uuid;
use crate::{
@@ -25,14 +25,14 @@ use crate::{
TRANSITION_SHARD_ID,
};
-use super::actor::Inner;
+use super::handle::Inner;
/// An internal type that contains all necessary information to run a persist task.
///
/// Used to communicate between actor handles & actor task.
#[derive(Debug)]
pub(super) struct PersistRequest {
- complete: Arc<Notify>,
+ complete: oneshot::Sender<()>,
partition: Arc<Mutex<PartitionData>>,
data: PersistingData,
enqueued_at: Instant,
@@ -41,26 +41,26 @@ pub(super) struct PersistRequest {
impl PersistRequest {
/// Construct a [`PersistRequest`] for `data` from `partition`, recording
/// the current timestamp as the "enqueued at" point.
- pub(super) fn new(partition: Arc<Mutex<PartitionData>>, data: PersistingData) -> Self {
- Self {
- complete: Arc::new(Notify::default()),
- partition,
- data,
- enqueued_at: Instant::now(),
- }
+ pub(super) fn new(
+ partition: Arc<Mutex<PartitionData>>,
+ data: PersistingData,
+ ) -> (Self, oneshot::Receiver<()>) {
+ let (tx, rx) = oneshot::channel();
+ (
+ Self {
+ complete: tx,
+ partition,
+ data,
+ enqueued_at: Instant::now(),
+ },
+ rx,
+ )
}
/// Return the partition ID of the persisting data.
pub(super) fn partition_id(&self) -> PartitionId {
self.data.partition_id()
}
-
- /// Obtain the completion notification handle for this request.
- ///
- /// This notification is fired once persistence is complete.
- pub(super) fn complete_notification(&self) -> Arc<Notify> {
- Arc::clone(&self.complete)
- }
}
pub(super) struct Context {
@@ -95,7 +95,7 @@ pub(super) struct Context {
/// A notification signal to indicate to the caller that this partition has
/// persisted.
- complete: Arc<Notify>,
+ complete: oneshot::Sender<()>,
/// Timing statistics tracking the timestamp this persist job was first
/// enqueued, and the timestamp this [`Context`] was constructed (signifying
@@ -116,15 +116,21 @@ impl Context {
// Obtain the partition lock and load the immutable values that will be
// used during this persistence.
let s = {
- let complete = req.complete_notification();
- let p = Arc::clone(&req.partition);
+ let PersistRequest {
+ complete,
+ partition,
+ data,
+ enqueued_at,
+ } = req;
+
+ let p = Arc::clone(&partition);
let guard = p.lock();
assert_eq!(partition_id, guard.partition_id());
Self {
- partition: req.partition,
- data: req.data,
+ partition,
+ data,
inner,
namespace_id: guard.namespace_id(),
table_id: guard.table_id(),
@@ -138,7 +144,7 @@ impl Context {
sort_key: guard.sort_key().clone(),
complete,
- enqueued_at: req.enqueued_at,
+ enqueued_at,
dequeued_at: Instant::now(),
}
};
@@ -392,8 +398,8 @@ impl Context {
"persisted partition"
);
- // Notify all observers of this persistence task
- self.complete.notify_waiters();
+ // Notify the observer of this persistence task, if any.
+ let _ = self.complete.send(());
}
}
diff --git a/ingester2/src/persist/handle.rs b/ingester2/src/persist/handle.rs
index d90ac5b871..7e253cc426 100644
--- a/ingester2/src/persist/handle.rs
+++ b/ingester2/src/persist/handle.rs
@@ -5,15 +5,13 @@ use iox_query::exec::Executor;
use observability_deps::tracing::{debug, info};
use parking_lot::Mutex;
use parquet_file::storage::ParquetStorage;
+use sharder::JumpHash;
use thiserror::Error;
-use tokio::sync::{
- mpsc::{self},
- Notify,
-};
+use tokio::sync::{mpsc, oneshot};
use crate::buffer_tree::partition::{persisting::PersistingData, PartitionData};
-use super::{actor::PersistActor, context::PersistRequest};
+use super::context::{Context, PersistRequest};
#[derive(Debug, Error)]
pub(crate) enum PersistError {
@@ -27,29 +25,21 @@ pub(crate) enum PersistError {
///
/// # Usage
///
-/// The caller should construct an [`PersistHandle`] and [`PersistActor`] by
-/// calling [`PersistHandle::new()`], and run the provided [`PersistActor`]
-/// instance in another thread / task (by calling [`PersistActor::run()`]).
+/// The caller should construct an [`PersistHandle`] by calling
+/// [`PersistHandle::new()`].
///
-/// From this point on, the caller interacts only with the [`PersistHandle`]
-/// which can be cheaply cloned and passed over thread/task boundaries to
-/// enqueue persist tasks.
+/// The [`PersistHandle`] can be cheaply cloned and passed over thread/task
+/// boundaries to enqueue persist tasks in parallel.
///
-/// Dropping all [`PersistHandle`] instances stops the [`PersistActor`], which
-/// immediately stops all workers.
+/// Dropping all [`PersistHandle`] instances immediately stops all workers.
///
/// # Topology
///
-/// The persist actor is uses an internal work group to parallelise persistence
+/// The [`PersistHandle`] uses an internal work group to parallelise persistence
/// operations up to `n_workers` number of parallel tasks.
///
-/// Submitting a persistence request places the job into a bounded queue,
-/// providing a buffer for persistence requests to wait for an available worker.
-///
-/// Two types of queue exists:
-///
-/// * Submission queue (bounded by `submission_queue_depth`)
-/// * `n_worker` number of worker queues (bounded by `worker_queue_depth`)
+/// Submitting a persistence request selects a worker for the persist job and
+/// places the job into a bounded queue (of up to `worker_queue_depth` items).
///
/// ```text
/// ┌─────────────┐
@@ -58,12 +48,6 @@ pub(crate) enum PersistError {
/// └┬────────────┘│
/// └─────┬───────┘
/// │
-/// submission_queue_depth
-/// │
-/// ▼
-/// ╔═══════════════╗
-/// ║ PersistActor ║
-/// ╚═══════════════╝
/// │
/// ┌────────────────┼────────────────┐
/// │ │ │
@@ -89,17 +73,12 @@ pub(crate) enum PersistError {
///
/// ```text
///
-/// submission_queue_depth + (workers * worker_queue_depth)
+/// workers * worker_queue_depth
///
/// ```
///
-/// At any one time, there may be at most `submission_queue_depth +
-/// worker_queue_depth` number of outstanding persist jobs for a single
-/// partition.
-///
-/// These two queues are used to decouple submissions from individual workers -
-/// this prevents a "hot" / backlogged worker with a full worker queue from
-/// blocking tasks from being passed through to workers with spare capacity.
+/// At any one time, there may be at most `worker_queue_depth` number of
+/// outstanding persist jobs for a single partition or worker.
///
/// # Parallelism & Partition Serialisation
///
@@ -113,7 +92,19 @@ pub(crate) enum PersistError {
/// [`SortKey`]: schema::sort::SortKey
#[derive(Debug, Clone)]
pub(crate) struct PersistHandle {
- tx: mpsc::Sender<PersistRequest>,
+ /// THe state/dependencies shared across all worker tasks.
+ inner: Arc<Inner>,
+
+ /// A consistent hash implementation used to consistently map buffers from
+ /// one partition to the same worker queue.
+ ///
+ /// This ensures persistence is serialised per-partition, but in parallel
+ /// across partitions (up to the number of worker tasks).
+ persist_queues: Arc<JumpHash<mpsc::Sender<PersistRequest>>>,
+
+ /// Task handles for the worker tasks, aborted on drop of all
+ /// [`PersistHandle`] instances.
+ tasks: Arc<Vec<AbortOnDrop<()>>>,
}
impl PersistHandle {
@@ -122,67 +113,112 @@ impl PersistHandle {
/// The caller should call [`PersistActor::run()`] in a separate
/// thread / task to start the persistence executor.
pub(crate) fn new(
- submission_queue_depth: usize,
n_workers: usize,
worker_queue_depth: usize,
exec: Arc<Executor>,
store: ParquetStorage,
catalog: Arc<dyn Catalog>,
- ) -> (Self, PersistActor) {
- let (tx, rx) = mpsc::channel(submission_queue_depth);
+ ) -> Self {
+ assert_ne!(n_workers, 0, "must run at least 1 persist worker");
+ assert_ne!(worker_queue_depth, 0, "worker queue depth must be non-zero");
// Log the important configuration parameters of the persist subsystem.
info!(
- submission_queue_depth,
n_workers,
worker_queue_depth,
- max_queued_tasks = submission_queue_depth + (n_workers * worker_queue_depth),
+ max_queued_tasks = (n_workers * worker_queue_depth),
"initialised persist task"
);
- let actor = PersistActor::new(rx, exec, store, catalog, n_workers, worker_queue_depth);
+ let inner = Arc::new(Inner {
+ exec,
+ store,
+ catalog,
+ });
+
+ let (tx_handles, tasks): (Vec<_>, Vec<_>) = (0..n_workers)
+ .map(|_| {
+ let inner = Arc::clone(&inner);
+ let (tx, rx) = mpsc::channel(worker_queue_depth);
+ (tx, AbortOnDrop(tokio::spawn(run_task(inner, rx))))
+ })
+ .unzip();
- (Self { tx }, actor)
+ assert!(!tasks.is_empty());
+
+ Self {
+ inner,
+ persist_queues: Arc::new(JumpHash::new(tx_handles)),
+ tasks: Arc::new(tasks),
+ }
}
/// Place `data` from `partition` into the persistence queue.
///
/// This call (asynchronously) waits for space to become available in the
- /// submission queue.
+ /// assigned worker queue.
///
/// Once persistence is complete, the partition will be locked and the sort
/// key will be updated, and [`PartitionData::mark_persisted()`] is called
/// with `data`.
///
- /// Once all persistence related tasks are complete, the returned [`Notify`]
- /// broadcasts a notification.
+ /// Once all persistence related tasks are complete, the returned channel
+ /// publishes a notification.
///
/// # Panics
///
+ /// Panics if one or more worker threads have stopped.
+ ///
/// Panics (asynchronously) if the [`PartitionData`]'s sort key is updated
/// between persistence starting and ending.
///
- /// This will panic (asynchronously) if `data` was not from `partition` or
- /// all worker threads have stopped.
+ /// This will panic (asynchronously) if `data` was not from `partition`.
pub(crate) async fn queue_persist(
&self,
partition: Arc<Mutex<PartitionData>>,
data: PersistingData,
- ) -> Arc<Notify> {
+ ) -> oneshot::Receiver<()> {
debug!(
partition_id = data.partition_id().get(),
"enqueuing persistence task"
);
// Build the persist task request
- let r = PersistRequest::new(partition, data);
- let notify = r.complete_notification();
+ let (r, notify) = PersistRequest::new(partition, data);
- self.tx
+ self.persist_queues
+ .hash(r.partition_id())
.send(r)
.await
- .expect("no persist worker tasks running");
+ .expect("persist worker has stopped");
notify
}
}
+
+#[derive(Debug)]
+struct AbortOnDrop<T>(tokio::task::JoinHandle<T>);
+
+impl<T> Drop for AbortOnDrop<T> {
+ fn drop(&mut self) {
+ self.0.abort()
+ }
+}
+
+#[derive(Debug)]
+pub(super) struct Inner {
+ pub(super) exec: Arc<Executor>,
+ pub(super) store: ParquetStorage,
+ pub(super) catalog: Arc<dyn Catalog>,
+}
+
+async fn run_task(inner: Arc<Inner>, mut rx: mpsc::Receiver<PersistRequest>) {
+ while let Some(req) = rx.recv().await {
+ let ctx = Context::new(req, Arc::clone(&inner));
+
+ let compacted = ctx.compact().await;
+ let (sort_key_update, parquet_table_data) = ctx.upload(compacted).await;
+ ctx.update_database(sort_key_update, parquet_table_data)
+ .await;
+ }
+}
diff --git a/ingester2/src/persist/mod.rs b/ingester2/src/persist/mod.rs
index efe0104afd..1ae9092259 100644
--- a/ingester2/src/persist/mod.rs
+++ b/ingester2/src/persist/mod.rs
@@ -1,4 +1,3 @@
-mod actor;
pub(super) mod compact;
mod context;
pub(crate) mod handle;
diff --git a/ingester2/src/wal/rotate_task.rs b/ingester2/src/wal/rotate_task.rs
index c5e918ec2e..f459587380 100644
--- a/ingester2/src/wal/rotate_task.rs
+++ b/ingester2/src/wal/rotate_task.rs
@@ -7,7 +7,7 @@ use crate::{buffer_tree::BufferTree, persist::handle::PersistHandle};
/// [`PERSIST_ENQUEUE_CONCURRENCY`] defines the parallelism used when acquiring
/// partition locks and marking the partition as persisting.
-const PERSIST_ENQUEUE_CONCURRENCY: usize = 10;
+const PERSIST_ENQUEUE_CONCURRENCY: usize = 5;
/// Rotate the `wal` segment file every `period` duration of time.
pub(crate) async fn periodic_rotation(
@@ -131,7 +131,7 @@ pub(crate) async fn periodic_rotation(
// Wait for all the persist completion notifications.
for n in notifications {
- n.notified().await;
+ n.await.expect("persist worker task panic");
}
debug!(
diff --git a/ioxd_ingester2/src/lib.rs b/ioxd_ingester2/src/lib.rs
index 7f245f8c22..fd9be089de 100644
--- a/ioxd_ingester2/src/lib.rs
+++ b/ioxd_ingester2/src/lib.rs
@@ -155,7 +155,6 @@ pub async fn create_ingester_server_type(
ingester_config.wal_directory.clone(),
Duration::from_secs(ingester_config.wal_rotation_period_seconds),
exec,
- ingester_config.persist_submission_queue_depth,
ingester_config.persist_max_parallelism,
ingester_config.persist_worker_queue_depth,
object_store,
|
56488592db6d876845f661c7c3d608e4e74bc62b
|
Trevor Hilton
|
2024-07-16 10:32:26
|
API to create last caches (#25147)
|
Closes #25096
- Adds a new HTTP API that allows the creation of a last cache, see the issue for details
- An E2E test was added to check success/failure behaviour of the API
- Adds the mime crate, for parsing request MIME types, but this is only used in the code I added - we may adopt it in other APIs / parts of the HTTP server in future PRs
| null |
feat: API to create last caches (#25147)
Closes #25096
- Adds a new HTTP API that allows the creation of a last cache, see the issue for details
- An E2E test was added to check success/failure behaviour of the API
- Adds the mime crate, for parsing request MIME types, but this is only used in the code I added - we may adopt it in other APIs / parts of the HTTP server in future PRs
|
diff --git a/Cargo.lock b/Cargo.lock
index 2c32bebc98..6a72f8ab19 100644
--- a/Cargo.lock
+++ b/Cargo.lock
@@ -2535,6 +2535,7 @@ dependencies = [
"iox_time",
"metric",
"metric_exporters",
+ "mime",
"object_store",
"observability_deps",
"parking_lot",
diff --git a/Cargo.toml b/Cargo.toml
index f2947d0159..5d104f4653 100644
--- a/Cargo.toml
+++ b/Cargo.toml
@@ -64,6 +64,7 @@ hyper = "0.14"
insta = { version = "1.39", features = ["json"] }
indexmap = { version = "2.2.6" }
libc = { version = "0.2" }
+mime = "0.3.17"
mockito = { version = "1.4.0", default-features = false }
num_cpus = "1.16.0"
object_store = "0.10.1"
diff --git a/influxdb3/tests/server/configure.rs b/influxdb3/tests/server/configure.rs
new file mode 100644
index 0000000000..6fb24de5b2
--- /dev/null
+++ b/influxdb3/tests/server/configure.rs
@@ -0,0 +1,171 @@
+use hyper::StatusCode;
+
+use crate::TestServer;
+
+#[tokio::test]
+async fn api_v3_configure_last_cache_create() {
+ let server = TestServer::spawn().await;
+ let client = reqwest::Client::new();
+ let url = format!(
+ "{base}/api/v3/configure/last_cache",
+ base = server.client_addr()
+ );
+
+ // Write some LP to the database to initialize the catalog:
+ let db_name = "db";
+ let tbl_name = "tbl";
+ server
+ .write_lp_to_db(
+ db_name,
+ format!("{tbl_name},t1=a,t2=b,t3=c f1=true,f2=\"hello\",f3=4i,f4=4u,f5=5 1000"),
+ influxdb3_client::Precision::Second,
+ )
+ .await
+ .expect("write to db");
+
+ #[derive(Default)]
+ struct TestCase {
+ // These attributes all map to parameters of the request body:
+ db: Option<&'static str>,
+ table: Option<&'static str>,
+ cache_name: Option<&'static str>,
+ count: Option<usize>,
+ ttl: Option<usize>,
+ key_cols: Option<&'static [&'static str]>,
+ val_cols: Option<&'static [&'static str]>,
+ // This is the status code expected in the response:
+ expected: StatusCode,
+ }
+
+ let test_cases = [
+ // No parameters specified:
+ TestCase {
+ expected: StatusCode::BAD_REQUEST,
+ ..Default::default()
+ },
+ // Missing database name:
+ TestCase {
+ table: Some(tbl_name),
+ expected: StatusCode::BAD_REQUEST,
+ ..Default::default()
+ },
+ // Missing table name:
+ TestCase {
+ db: Some(db_name),
+ expected: StatusCode::BAD_REQUEST,
+ ..Default::default()
+ },
+ // Good, will use defaults for everything omitted, and get back a 201:
+ TestCase {
+ db: Some(db_name),
+ table: Some(tbl_name),
+ expected: StatusCode::CREATED,
+ ..Default::default()
+ },
+ // Same as before, will be successful, but with 204:
+ TestCase {
+ db: Some(db_name),
+ table: Some(tbl_name),
+ expected: StatusCode::NO_CONTENT,
+ ..Default::default()
+ },
+ // Use a specific cache name, will succeed and create new cache:
+ // NOTE: this will only differ from the previous cache in name, should this actually
+ // be an error?
+ TestCase {
+ db: Some(db_name),
+ table: Some(tbl_name),
+ cache_name: Some("my_cache"),
+ expected: StatusCode::CREATED,
+ ..Default::default()
+ },
+ // Same as previous, but will get 204 because it does nothing:
+ TestCase {
+ db: Some(db_name),
+ table: Some(tbl_name),
+ cache_name: Some("my_cache"),
+ expected: StatusCode::NO_CONTENT,
+ ..Default::default()
+ },
+ // Same as previous, but this time try to use different parameters, this will result in
+ // a bad request:
+ TestCase {
+ db: Some(db_name),
+ table: Some(tbl_name),
+ cache_name: Some("my_cache"),
+ // The default TTL that would have been used is 4 * 60 * 60 seconds (4 hours)
+ ttl: Some(666),
+ expected: StatusCode::BAD_REQUEST,
+ ..Default::default()
+ },
+ // Will create new cache, because key columns are unique, and so will be the name:
+ TestCase {
+ db: Some(db_name),
+ table: Some(tbl_name),
+ key_cols: Some(&["t1", "t2"]),
+ expected: StatusCode::CREATED,
+ ..Default::default()
+ },
+ // Same as previous, but will get 204 because nothing happens:
+ TestCase {
+ db: Some(db_name),
+ table: Some(tbl_name),
+ key_cols: Some(&["t1", "t2"]),
+ expected: StatusCode::NO_CONTENT,
+ ..Default::default()
+ },
+ // Use an invalid key column (by name) is a bad request:
+ TestCase {
+ db: Some(db_name),
+ table: Some(tbl_name),
+ key_cols: Some(&["not_a_key_column"]),
+ expected: StatusCode::BAD_REQUEST,
+ ..Default::default()
+ },
+ // Use an invalid key column (by type) is a bad request:
+ TestCase {
+ db: Some(db_name),
+ table: Some(tbl_name),
+ // f5 is a float, which is not supported as a key column:
+ key_cols: Some(&["f5"]),
+ expected: StatusCode::BAD_REQUEST,
+ ..Default::default()
+ },
+ // Use an invalid value column is a bad request:
+ TestCase {
+ db: Some(db_name),
+ table: Some(tbl_name),
+ val_cols: Some(&["not_a_value_column"]),
+ expected: StatusCode::BAD_REQUEST,
+ ..Default::default()
+ },
+ // Use an invalid cache size is a bad request:
+ TestCase {
+ db: Some(db_name),
+ table: Some(tbl_name),
+ count: Some(11),
+ expected: StatusCode::BAD_REQUEST,
+ ..Default::default()
+ },
+ ];
+
+ for (i, t) in test_cases.into_iter().enumerate() {
+ let body = serde_json::json!({
+ "db": t.db,
+ "table": t.table,
+ "name": t.cache_name,
+ "key_columns": t.key_cols,
+ "value_columns": t.val_cols,
+ "count": t.count,
+ "ttl": t.ttl,
+ });
+ let resp = client
+ .post(&url)
+ .json(&body)
+ .send()
+ .await
+ .expect("send /api/v3/configure/last_cache request");
+ let status = resp.status();
+ assert_eq!(t.expected, status, "test case ({i}) failed");
+ }
+}
diff --git a/influxdb3/tests/server/main.rs b/influxdb3/tests/server/main.rs
index 1a0cdde9e6..df2cb2011b 100644
--- a/influxdb3/tests/server/main.rs
+++ b/influxdb3/tests/server/main.rs
@@ -14,6 +14,7 @@ use reqwest::header::{HeaderMap, HeaderName, HeaderValue};
use reqwest::Response;
mod auth;
+mod configure;
mod flight;
mod limits;
mod ping;
diff --git a/influxdb3_server/Cargo.toml b/influxdb3_server/Cargo.toml
index 8e2e31b8b1..449a9046f2 100644
--- a/influxdb3_server/Cargo.toml
+++ b/influxdb3_server/Cargo.toml
@@ -52,6 +52,7 @@ flate2.workspace = true
futures.workspace = true
hex.workspace = true
hyper.workspace = true
+mime.workspace = true
object_store.workspace = true
parking_lot.workspace = true
pin-project-lite.workspace = true
diff --git a/influxdb3_server/src/http.rs b/influxdb3_server/src/http.rs
index aed9f721f5..0ce206290c 100644
--- a/influxdb3_server/src/http.rs
+++ b/influxdb3_server/src/http.rs
@@ -22,6 +22,7 @@ use hyper::HeaderMap;
use hyper::{Body, Method, Request, Response, StatusCode};
use influxdb3_process::{INFLUXDB3_GIT_HASH_SHORT, INFLUXDB3_VERSION};
use influxdb3_write::catalog::Error as CatalogError;
+use influxdb3_write::last_cache::{self, CreateCacheArguments};
use influxdb3_write::persister::TrackedMemoryArrowWriter;
use influxdb3_write::write_buffer::Error as WriteBufferError;
use influxdb3_write::BufferedWriteRequest;
@@ -43,6 +44,7 @@ use std::pin::Pin;
use std::str::Utf8Error;
use std::string::FromUtf8Error;
use std::sync::Arc;
+use std::time::Duration;
use thiserror::Error;
use unicode_segmentation::UnicodeSegmentation;
@@ -60,12 +62,20 @@ pub enum Error {
/// The `Content-Encoding` header is invalid and cannot be read.
#[error("invalid content-encoding header: {0}")]
- NonUtf8ContentHeader(hyper::header::ToStrError),
+ NonUtf8ContentEncodingHeader(hyper::header::ToStrError),
+
+ /// The `Content-Type` header is invalid and cannot be read.
+ #[error("invalid content-type header: {0}")]
+ NonUtf8ContentTypeHeader(hyper::header::ToStrError),
/// The specified `Content-Encoding` is not acceptable.
#[error("unacceptable content-encoding: {0}")]
InvalidContentEncoding(String),
+ /// The specified `Content-Type` is not acceptable.
+ #[error("unacceptable content-type, expected: {expected}")]
+ InvalidContentType { expected: mime::Mime },
+
/// The client disconnected.
#[error("client disconnected")]
ClientHangup(hyper::Error),
@@ -187,6 +197,15 @@ pub enum Error {
#[error("v1 query API error: {0}")]
V1Query(#[from] v1::QueryError),
+
+ #[error("last cache error: {0}")]
+ LastCache(#[from] last_cache::Error),
+
+ #[error("provided database name does not exist")]
+ DatabaseDoesNotExist,
+
+ #[error("provided table name does not exist for database")]
+ TableDoesNotExist,
}
#[derive(Debug, Error)]
@@ -275,6 +294,27 @@ impl Error {
.body(body)
.unwrap()
}
+ Self::SerdeJson(_) => Response::builder()
+ .status(StatusCode::BAD_REQUEST)
+ .body(Body::from(self.to_string()))
+ .unwrap(),
+ Self::LastCache(ref lc_err) => match lc_err {
+ last_cache::Error::InvalidCacheSize
+ | last_cache::Error::CacheAlreadyExists { .. }
+ | last_cache::Error::KeyColumnDoesNotExist { .. }
+ | last_cache::Error::InvalidKeyColumn
+ | last_cache::Error::ValueColumnDoesNotExist { .. } => Response::builder()
+ .status(StatusCode::BAD_REQUEST)
+ .body(Body::from(lc_err.to_string()))
+ .unwrap(),
+ // This variant should not be encountered by the API, as it is thrown during
+ // query execution and would be captured there, but avoiding a catch-all arm here
+ // in case new variants are added to the enum:
+ last_cache::Error::CacheDoesNotExist => Response::builder()
+ .status(StatusCode::INTERNAL_SERVER_ERROR)
+ .body(Body::from(self.to_string()))
+ .unwrap(),
+ },
_ => {
let body = Body::from(self.to_string());
Response::builder()
@@ -464,7 +504,7 @@ where
let encoding = req
.headers()
.get(&CONTENT_ENCODING)
- .map(|v| v.to_str().map_err(Error::NonUtf8ContentHeader))
+ .map(|v| v.to_str().map_err(Error::NonUtf8ContentEncodingHeader))
.transpose()?;
let ungzip = match encoding {
None | Some("identity") => false,
@@ -634,6 +674,91 @@ where
}
.map_err(Into::into)
}
+
+ async fn config_last_cache_create(&self, req: Request<Body>) -> Result<Response<Body>> {
+ let LastCacheCreateRequest {
+ db,
+ table,
+ name,
+ key_columns,
+ value_columns,
+ count,
+ ttl,
+ } = self.read_body_json(req).await?;
+
+ let Some(db_schema) = self.write_buffer.catalog().db_schema(&db) else {
+ return Err(Error::DatabaseDoesNotExist);
+ };
+
+ let Some(tbl_schema) = db_schema.get_table_schema(&table) else {
+ return Err(Error::TableDoesNotExist);
+ };
+
+ match self
+ .write_buffer
+ .last_cache()
+ .create_cache(CreateCacheArguments {
+ db_name: db,
+ tbl_name: table,
+ schema: tbl_schema.clone(),
+ cache_name: name,
+ count,
+ ttl: ttl.map(Duration::from_secs),
+ key_columns,
+ value_columns,
+ })? {
+ Some(cache_name) => Response::builder()
+ .status(StatusCode::CREATED)
+ .header(CONTENT_TYPE, mime::APPLICATION_JSON.as_ref())
+ .body(Body::from(
+ serde_json::to_string(&LastCacheCreatedResponse { cache_name }).unwrap(),
+ ))
+ .map_err(Into::into),
+ None => Response::builder()
+ .status(StatusCode::NO_CONTENT)
+ .body(Body::empty())
+ .map_err(Into::into),
+ }
+ }
+
+ async fn read_body_json<ReqBody: DeserializeOwned>(
+ &self,
+ req: hyper::Request<Body>,
+ ) -> Result<ReqBody> {
+ if !json_content_type(req.headers()) {
+ return Err(Error::InvalidContentType {
+ expected: mime::APPLICATION_JSON,
+ });
+ }
+ let bytes = self.read_body(req).await?;
+ serde_json::from_slice(&bytes).map_err(Into::into)
+ }
+}
+
+/// Check that the content type is application/json
+fn json_content_type(headers: &HeaderMap) -> bool {
+ let content_type = if let Some(content_type) = headers.get(CONTENT_TYPE) {
+ content_type
+ } else {
+ return false;
+ };
+
+ let content_type = if let Ok(content_type) = content_type.to_str() {
+ content_type
+ } else {
+ return false;
+ };
+
+ let mime = if let Ok(mime) = content_type.parse::<mime::Mime>() {
+ mime
+ } else {
+ return false;
+ };
+
+ let is_json_content_type = mime.type_() == "application"
+ && (mime.subtype() == "json" || mime.suffix().map_or(false, |name| name == "json"));
+
+ is_json_content_type
}
#[derive(Debug, Deserialize)]
@@ -886,6 +1011,22 @@ impl From<iox_http::write::WriteParams> for WriteParams {
}
}
+#[derive(Debug, Deserialize)]
+struct LastCacheCreateRequest {
+ db: String,
+ table: String,
+ name: Option<String>,
+ key_columns: Option<Vec<String>>,
+ value_columns: Option<Vec<String>>,
+ count: Option<usize>,
+ ttl: Option<u64>,
+}
+
+#[derive(Debug, Serialize)]
+struct LastCacheCreatedResponse {
+ cache_name: String,
+}
+
pub(crate) async fn route_request<W: WriteBuffer, Q: QueryExecutor, T: TimeProvider>(
http_server: Arc<HttpApi<W, Q, T>>,
mut req: Request<Body>,
@@ -958,6 +1099,9 @@ where
(Method::GET, "/health" | "/api/v1/health") => http_server.health(),
(Method::GET | Method::POST, "/ping") => http_server.ping(),
(Method::GET, "/metrics") => http_server.handle_metrics(),
+ (Method::POST, "/api/v3/configure/last_cache") => {
+ http_server.config_last_cache_create(req).await
+ }
_ => {
let body = Body::from("not found");
Ok(Response::builder()
diff --git a/influxdb3_write/src/last_cache/mod.rs b/influxdb3_write/src/last_cache/mod.rs
index a0c563f379..2b3b88ab84 100644
--- a/influxdb3_write/src/last_cache/mod.rs
+++ b/influxdb3_write/src/last_cache/mod.rs
@@ -46,8 +46,6 @@ pub enum Error {
InvalidKeyColumn,
#[error("specified value column ({column_name}) does not exist in the table schema")]
ValueColumnDoesNotExist { column_name: String },
- #[error("schema builder error: {0}")]
- SchemaBuilder(#[from] schema::builder::Error),
#[error("requested last cache does not exist")]
CacheDoesNotExist,
}
@@ -78,35 +76,35 @@ impl std::fmt::Debug for LastCacheProvider {
const DEFAULT_CACHE_TTL: Duration = Duration::from_secs(60 * 60 * 4);
/// Arguments to the [`LastCacheProvider::create_cache`] method
-pub(crate) struct CreateCacheArguments {
+pub struct CreateCacheArguments {
/// The name of the database to create the cache for
- pub(crate) db_name: String,
+ pub db_name: String,
/// The name of the table in the database to create the cache for
- pub(crate) tbl_name: String,
+ pub tbl_name: String,
/// The Influx Schema of the table
- pub(crate) schema: Schema,
+ pub schema: Schema,
/// An optional name for the cache
///
/// The cache name will default to `<table_name>_<keys>_last_cache`
- pub(crate) cache_name: Option<String>,
+ pub cache_name: Option<String>,
/// The number of values to hold in the created cache
///
/// This will default to 1.
- pub(crate) count: Option<usize>,
+ pub count: Option<usize>,
/// The time-to-live (TTL) for the created cache
///
/// This will default to [`DEFAULT_CACHE_TTL`]
- pub(crate) ttl: Option<Duration>,
+ pub ttl: Option<Duration>,
/// The key column names to use in the cache hierarchy
///
/// This will default to:
/// - the series key columns for a v3 table
/// - the lexicographically ordered tag set for a v1 table
- pub(crate) key_columns: Option<Vec<String>>,
+ pub key_columns: Option<Vec<String>>,
/// The value columns to use in the cache
///
/// This will default to all non-key columns. The `time` column is always included.
- pub(crate) value_columns: Option<Vec<String>>,
+ pub value_columns: Option<Vec<String>>,
}
impl LastCacheProvider {
@@ -147,7 +145,10 @@ impl LastCacheProvider {
/// Create a new entry in the last cache for a given database and table, along with the given
/// parameters.
- pub(crate) fn create_cache(
+ ///
+ /// If a new cache is created, it will return its name. If the provided arguments are identical
+ /// to an existing cache (along with any defaults), then `None` will be returned.
+ pub fn create_cache(
&self,
CreateCacheArguments {
db_name,
@@ -159,7 +160,7 @@ impl LastCacheProvider {
key_columns,
value_columns,
}: CreateCacheArguments,
- ) -> Result<String, Error> {
+ ) -> Result<Option<String>, Error> {
let key_columns = if let Some(keys) = key_columns {
// validate the key columns specified to ensure correct type (string, int, unit, or bool)
// and that they exist in the table's schema.
@@ -276,7 +277,7 @@ impl LastCacheProvider {
.and_then(|db| db.get(&tbl_name))
.and_then(|tbl| tbl.get(&cache_name))
{
- return lc.compare_config(&last_cache).map(|_| cache_name);
+ return lc.compare_config(&last_cache).map(|_| None);
}
// get the write lock and insert:
@@ -288,7 +289,7 @@ impl LastCacheProvider {
.or_default()
.insert(cache_name.clone(), last_cache);
- Ok(cache_name)
+ Ok(Some(cache_name))
}
/// Write a batch from the buffer into the cache by iterating over its database and table batches
@@ -2693,7 +2694,7 @@ mod tests {
)
.expect("create last cache should have failed");
assert_eq!(wbuf.last_cache().size(), 2);
- assert_eq!("tbl_t1_last_cache", name);
+ assert_eq!(Some("tbl_t1_last_cache"), name.as_deref());
// Specify different TTL:
wbuf.create_last_cache(
diff --git a/influxdb3_write/src/write_buffer/mod.rs b/influxdb3_write/src/write_buffer/mod.rs
index 0add5d6281..541eb51058 100644
--- a/influxdb3_write/src/write_buffer/mod.rs
+++ b/influxdb3_write/src/write_buffer/mod.rs
@@ -417,7 +417,8 @@ impl<W: Wal, T: TimeProvider> WriteBufferImpl<W, T> {
/// Create a new last-N-value cache in the specified database and table, along with the given
/// parameters.
///
- /// Returns the name of the newly created cache.
+ /// Returns the name of the newly created cache, or `None` if a cache was not created, but the
+ /// provided parameters match those of an existing cache.
#[allow(clippy::too_many_arguments)]
pub fn create_last_cache(
&self,
@@ -428,7 +429,7 @@ impl<W: Wal, T: TimeProvider> WriteBufferImpl<W, T> {
ttl: Option<Duration>,
key_columns: Option<Vec<String>>,
value_columns: Option<Vec<String>>,
- ) -> Result<String, Error> {
+ ) -> Result<Option<String>, Error> {
let db_name = db_name.into();
let tbl_name = tbl_name.into();
let cache_name = cache_name.map(Into::into);
|
85a41e34df81c7e7940e9721fafdeb3373958407
|
Dom Dwyer
|
2022-12-01 16:01:19
|
BufferTree partition iterator
|
Expose an iterator of PartitionData within a BufferTree.
| null |
refactor(ingester2): BufferTree partition iterator
Expose an iterator of PartitionData within a BufferTree.
|
diff --git a/ingester2/src/buffer_tree/namespace.rs b/ingester2/src/buffer_tree/namespace.rs
index 63cfb765f6..95669d6fa8 100644
--- a/ingester2/src/buffer_tree/namespace.rs
+++ b/ingester2/src/buffer_tree/namespace.rs
@@ -116,6 +116,15 @@ impl NamespaceData {
pub(crate) fn namespace_name(&self) -> &DeferredLoad<NamespaceName> {
&self.namespace_name
}
+
+ /// Obtain a snapshot of the tables within this [`NamespaceData`].
+ ///
+ /// NOTE: the snapshot is an atomic / point-in-time snapshot of the set of
+ /// [`NamespaceData`], but the tables (and partitions) within them may
+ /// change as they continue to buffer DML operations.
+ pub(super) fn tables(&self) -> Vec<Arc<TableData>> {
+ self.tables.values()
+ }
}
#[async_trait]
diff --git a/ingester2/src/buffer_tree/root.rs b/ingester2/src/buffer_tree/root.rs
index 5cda83e2b0..62aca6bf7d 100644
--- a/ingester2/src/buffer_tree/root.rs
+++ b/ingester2/src/buffer_tree/root.rs
@@ -4,11 +4,12 @@ use async_trait::async_trait;
use data_types::{NamespaceId, TableId};
use dml::DmlOperation;
use metric::U64Counter;
+use parking_lot::Mutex;
use trace::span::Span;
use super::{
namespace::{name_resolver::NamespaceNameProvider, NamespaceData},
- partition::resolver::PartitionProvider,
+ partition::{resolver::PartitionProvider, PartitionData},
table::name_resolver::TableNameProvider,
};
use crate::{
@@ -124,6 +125,26 @@ impl BufferTree {
pub(crate) fn namespace(&self, namespace_id: NamespaceId) -> Option<Arc<NamespaceData>> {
self.namespaces.get(&namespace_id)
}
+
+ /// Iterate over a snapshot of [`PartitionData`] in the tree.
+ ///
+ /// This iterator will iterate over a consistent snapshot of namespaces
+ /// taken at the time this fn was called, recursing into each table &
+ /// partition incrementally. Each time a namespace is read, a snapshot of
+ /// tables is taken, and these are then iterated on. Likewise the first read
+ /// of a table causes a snapshot of partitions to be taken, and it is those
+ /// partitions that are read.
+ ///
+ /// Because of this, concurrent writes may add new data to partitions/tables
+ /// and these MAY be readable depending on the progress of the iterator
+ /// through the tree.
+ pub(crate) fn partitions(&self) -> impl Iterator<Item = Arc<Mutex<PartitionData>>> + Send {
+ self.namespaces
+ .values()
+ .into_iter()
+ .flat_map(|v| v.tables())
+ .flat_map(|v| v.partitions())
+ }
}
#[async_trait]
@@ -178,6 +199,7 @@ impl QueryExec for BufferTree {
mod tests {
use std::{sync::Arc, time::Duration};
+ use assert_matches::assert_matches;
use data_types::{PartitionId, PartitionKey};
use datafusion::{assert_batches_eq, assert_batches_sorted_eq};
use futures::{StreamExt, TryStreamExt};
@@ -677,6 +699,118 @@ mod tests {
assert_eq!(m, 1, "tables counter mismatch");
}
+ /// Assert that multiple writes to a single namespace/table results in a
+ /// single namespace being created, and matching metrics.
+ #[tokio::test]
+ async fn test_partition_iter() {
+ const TABLE2_ID: TableId = TableId::new(1234321);
+
+ // Configure the mock partition provider to return a single partition, named
+ // p1.
+ let partition_provider = Arc::new(
+ MockPartitionProvider::default()
+ .with_partition(PartitionData::new(
+ PartitionId::new(0),
+ PartitionKey::from("p1"),
+ NAMESPACE_ID,
+ Arc::new(DeferredLoad::new(Duration::from_secs(1), async {
+ NamespaceName::from(NAMESPACE_NAME)
+ })),
+ TABLE_ID,
+ Arc::new(DeferredLoad::new(Duration::from_secs(1), async {
+ TableName::from(TABLE_NAME)
+ })),
+ SortKeyState::Provided(None),
+ ))
+ .with_partition(PartitionData::new(
+ PartitionId::new(1),
+ PartitionKey::from("p2"),
+ NAMESPACE_ID,
+ Arc::new(DeferredLoad::new(Duration::from_secs(1), async {
+ NamespaceName::from(NAMESPACE_NAME)
+ })),
+ TABLE_ID,
+ Arc::new(DeferredLoad::new(Duration::from_secs(1), async {
+ TableName::from(TABLE_NAME)
+ })),
+ SortKeyState::Provided(None),
+ ))
+ .with_partition(PartitionData::new(
+ PartitionId::new(2),
+ PartitionKey::from("p3"),
+ NAMESPACE_ID,
+ Arc::new(DeferredLoad::new(Duration::from_secs(1), async {
+ NamespaceName::from(NAMESPACE_NAME)
+ })),
+ TABLE2_ID,
+ Arc::new(DeferredLoad::new(Duration::from_secs(1), async {
+ TableName::from("another_table")
+ })),
+ SortKeyState::Provided(None),
+ )),
+ );
+
+ // Init the buffer tree
+ let buf = BufferTree::new(
+ Arc::new(MockNamespaceNameProvider::default()),
+ Arc::new(MockTableNameProvider::new(TABLE_NAME)),
+ partition_provider,
+ Arc::clone(&Arc::new(metric::Registry::default())),
+ );
+
+ assert_eq!(buf.partitions().count(), 0);
+
+ // Write data to partition p1, in table "bananas".
+ buf.apply(DmlOperation::Write(make_write_op(
+ &PartitionKey::from("p1"),
+ NAMESPACE_ID,
+ TABLE_NAME,
+ TABLE_ID,
+ 0,
+ r#"bananas,region=Asturias temp=35 4242424242"#,
+ )))
+ .await
+ .expect("failed to write initial data");
+
+ assert_eq!(buf.partitions().count(), 1);
+
+ // Write data to partition p2, in table "bananas".
+ buf.apply(DmlOperation::Write(make_write_op(
+ &PartitionKey::from("p2"),
+ NAMESPACE_ID,
+ TABLE_NAME,
+ TABLE_ID,
+ 0,
+ r#"bananas,region=Asturias temp=35 4242424242"#,
+ )))
+ .await
+ .expect("failed to write initial data");
+
+ assert_eq!(buf.partitions().count(), 2);
+
+ // Write data to partition p3, in the second table
+ buf.apply(DmlOperation::Write(make_write_op(
+ &PartitionKey::from("p3"),
+ NAMESPACE_ID,
+ "another_table",
+ TABLE2_ID,
+ 0,
+ r#"another_table,region=Asturias temp=35 4242424242"#,
+ )))
+ .await
+ .expect("failed to write initial data");
+
+ // Iterate over the partitions and ensure they were all visible.
+ let mut ids = buf
+ .partitions()
+ .map(|p| p.lock().partition_id().get())
+ .collect::<Vec<_>>();
+
+ ids.sort_unstable();
+
+ assert_matches!(*ids, [0, 1, 2]);
+ }
+
/// Assert the correct "not found" errors are generated for missing
/// table/namespaces, and that querying an entirely empty buffer tree
/// returns no data (as opposed to panicking, etc).
@@ -711,7 +845,7 @@ mod tests {
.query_exec(NAMESPACE_ID, TABLE_ID, vec![], None)
.await
.expect_err("query should fail");
- assert_matches::assert_matches!(err, QueryError::NamespaceNotFound(ns) => {
+ assert_matches!(err, QueryError::NamespaceNotFound(ns) => {
assert_eq!(ns, NAMESPACE_ID);
});
@@ -732,7 +866,7 @@ mod tests {
.query_exec(NAMESPACE_ID, TableId::new(1234), vec![], None)
.await
.expect_err("query should fail");
- assert_matches::assert_matches!(err, QueryError::TableNotFound(ns, t) => {
+ assert_matches!(err, QueryError::TableNotFound(ns, t) => {
assert_eq!(ns, NAMESPACE_ID);
assert_eq!(t, TableId::new(1234));
});
diff --git a/ingester2/src/buffer_tree/table.rs b/ingester2/src/buffer_tree/table.rs
index b2aefaff20..946c614b41 100644
--- a/ingester2/src/buffer_tree/table.rs
+++ b/ingester2/src/buffer_tree/table.rs
@@ -184,6 +184,13 @@ impl TableData {
///
/// The order of [`PartitionData`] in the iterator is arbitrary and should
/// not be relied upon.
+ ///
+ /// # Snapshot
+ ///
+ /// The set of [`PartitionData`] returned is an atomic / point-in-time
+ /// snapshot of the set of [`PartitionData`] at the time this function is
+ /// invoked, but the data within them may change as they continue to buffer
+ /// DML operations.
pub(crate) fn partitions(&self) -> Vec<Arc<Mutex<PartitionData>>> {
self.partition_data.read().by_key.values()
}
|
2609b590c93309890fcf53b9637ecb9329f75c0b
|
Trevor Hilton
|
2024-07-09 16:35:27
|
support addition of newly written columns to last cache (#25125)
|
* feat: support last caches that can add new fields
* feat: support new values in last cache
Support the addition of new fields to the last cache, for caches that do
not have a specified set of value columns.
A test was added along with the changes.
* chore: clippy
* docs: add comments throughout new last cache code
* fix: last cache schema merging when new fields added
* refactor: use outer schema for RecordBatch production
Enabling addition of new fields to a last cache made the insertion order
guarantee of the IndexMap break down. It could not be relied upon anymore
so this commit removes reference to that fact, despite still using the
IndexMap type, and strips out the schema from the inner LastCacheStore
type of the LastCache.
Now, the outer LastCache schema is relied on for producing RecordBatches,
which requires a lookup to the inner LastCacheStore's HashMap for each
field in the schema. This may not be as convenient as iterating over the
map as before, but trying to manage the disparate schema, and maintaining
the map ordering was making the code too complicated. This seems like a
reasonable compromise for now, until we see the need to optimize.
The IndexMap is still used for its fast iteration and lookup
characteristics.
The test that checks for new field ordering behaviour was modified to be
correct.
* refactor: use has set instead of scanning entire row on each push
Some renaming of variables was done to clarify meaning as well.
| null |
feat: support addition of newly written columns to last cache (#25125)
* feat: support last caches that can add new fields
* feat: support new values in last cache
Support the addition of new fields to the last cache, for caches that do
not have a specified set of value columns.
A test was added along with the changes.
* chore: clippy
* docs: add comments throughout new last cache code
* fix: last cache schema merging when new fields added
* refactor: use outer schema for RecordBatch production
Enabling addition of new fields to a last cache made the insertion order
guarantee of the IndexMap break down. It could not be relied upon anymore
so this commit removes reference to that fact, despite still using the
IndexMap type, and strips out the schema from the inner LastCacheStore
type of the LastCache.
Now, the outer LastCache schema is relied on for producing RecordBatches,
which requires a lookup to the inner LastCacheStore's HashMap for each
field in the schema. This may not be as convenient as iterating over the
map as before, but trying to manage the disparate schema, and maintaining
the map ordering was making the code too complicated. This seems like a
reasonable compromise for now, until we see the need to optimize.
The IndexMap is still used for its fast iteration and lookup
characteristics.
The test that checks for new field ordering behaviour was modified to be
correct.
* refactor: use has set instead of scanning entire row on each push
Some renaming of variables was done to clarify meaning as well.
|
diff --git a/influxdb3_write/src/last_cache.rs b/influxdb3_write/src/last_cache.rs
index a63e2f7cca..e31aacbb22 100644
--- a/influxdb3_write/src/last_cache.rs
+++ b/influxdb3_write/src/last_cache.rs
@@ -7,9 +7,9 @@ use std::{
use arrow::{
array::{
- ArrayRef, BooleanBuilder, Float64Builder, GenericByteDictionaryBuilder, Int64Builder,
- RecordBatch, StringBuilder, StringDictionaryBuilder, TimestampNanosecondBuilder,
- UInt64Builder,
+ new_null_array, ArrayRef, BooleanBuilder, Float64Builder, GenericByteDictionaryBuilder,
+ Int64Builder, RecordBatch, StringBuilder, StringDictionaryBuilder,
+ TimestampNanosecondBuilder, UInt64Builder,
},
datatypes::{
DataType, Field as ArrowField, FieldRef, GenericStringType, Int32Type,
@@ -27,14 +27,14 @@ use datafusion::{
scalar::ScalarValue,
};
use hashbrown::{HashMap, HashSet};
-use indexmap::IndexMap;
+use indexmap::{IndexMap, IndexSet};
use iox_time::Time;
use parking_lot::RwLock;
use schema::{InfluxColumnType, InfluxFieldType, Schema, SchemaBuilder, TIME_COLUMN_NAME};
use crate::{
catalog::LastCacheSize,
- write_buffer::{buffer_segment::WriteBatch, FieldData, Row},
+ write_buffer::{buffer_segment::WriteBatch, Field, FieldData, Row},
};
#[derive(Debug, thiserror::Error)]
@@ -172,7 +172,7 @@ impl LastCacheProvider {
return Err(Error::CacheAlreadyExists);
}
- let value_columns = if let Some(mut vals) = value_columns {
+ let (value_columns, accept_new_fields) = if let Some(mut vals) = value_columns {
// if value columns are specified, check that they are present in the table schema
for name in vals.iter() {
if schema.field_by_name(name).is_none() {
@@ -186,19 +186,22 @@ impl LastCacheProvider {
if !vals.contains(&time_col) {
vals.push(time_col);
}
- vals
+ (vals, false)
} else {
// default to all non-key columns
- schema
- .iter()
- .filter_map(|(_, f)| {
- if key_columns.contains(f.name()) {
- None
- } else {
- Some(f.name().to_string())
- }
- })
- .collect::<Vec<String>>()
+ (
+ schema
+ .iter()
+ .filter_map(|(_, f)| {
+ if key_columns.contains(f.name()) {
+ None
+ } else {
+ Some(f.name().to_string())
+ }
+ })
+ .collect::<Vec<String>>(),
+ true,
+ )
};
// build a schema that only holds the field columns
@@ -211,6 +214,10 @@ impl LastCacheProvider {
schema_builder.influx_column(name, t);
}
+ let series_key = schema
+ .series_key()
+ .map(|keys| keys.into_iter().map(|s| s.to_string()).collect());
+
// create the actual last cache:
let last_cache = LastCache::new(
count
@@ -219,7 +226,9 @@ impl LastCacheProvider {
.map_err(|_| Error::InvalidCacheSize)?,
ttl.unwrap_or(DEFAULT_CACHE_TTL),
key_columns,
- schema_builder.build()?,
+ schema_builder.build()?.as_arrow(),
+ series_key,
+ accept_new_fields,
);
// get the write lock and insert:
@@ -310,21 +319,40 @@ pub(crate) struct LastCache {
/// the [`remove_expired`][LastCache::remove_expired] method.
ttl: Duration,
/// The key columns for this cache
- key_columns: Vec<String>,
- /// The Influx Schema for the table that this cache is associated with
- schema: Schema,
+ ///
+ /// Uses an [`IndexSet`] for both fast iteration and fast lookup.
+ key_columns: IndexSet<String>,
+ /// The Arrow Schema for the table that this cache is associated with
+ schema: ArrowSchemaRef,
+ /// Optionally store the series key for tables that use it for ensuring non-nullability in the
+ /// column buffer for series key columns
+ ///
+ /// We only use this to check for columns that are part of the series key, so we don't care
+ /// about the order, and a HashSet is sufficient.
+ series_key: Option<HashSet<String>>,
+ /// Whether or not this cache accepts newly written fields
+ accept_new_fields: bool,
/// The internal state of the cache
state: LastCacheState,
}
impl LastCache {
/// Create a new [`LastCache`]
- fn new(count: LastCacheSize, ttl: Duration, key_columns: Vec<String>, schema: Schema) -> Self {
+ fn new(
+ count: LastCacheSize,
+ ttl: Duration,
+ key_columns: Vec<String>,
+ schema: ArrowSchemaRef,
+ series_key: Option<HashSet<String>>,
+ accept_new_fields: bool,
+ ) -> Self {
Self {
count,
ttl,
- key_columns,
+ key_columns: key_columns.into_iter().collect(),
schema,
+ series_key,
+ accept_new_fields,
state: LastCacheState::Init,
}
}
@@ -371,7 +399,8 @@ impl LastCache {
LastCacheState::Store(LastCacheStore::new(
self.count.into(),
self.ttl,
- self.schema.clone(),
+ Arc::clone(&self.schema),
+ self.series_key.as_ref(),
))
}
});
@@ -381,15 +410,28 @@ impl LastCache {
*target = LastCacheState::Store(LastCacheStore::new(
self.count.into(),
self.ttl,
- self.schema.clone(),
+ Arc::clone(&self.schema),
+ self.series_key.as_ref(),
));
}
- target
- .as_store_mut()
- .expect(
- "cache target should be the actual store after iterating through all key columns",
- )
- .push(row);
+ let store = target.as_store_mut().expect(
+ "cache target should be the actual store after iterating through all key columns",
+ );
+ let Some(new_columns) = store.push(row, self.accept_new_fields, &self.key_columns) else {
+ // Unless new columns were added, and we need to update the schema, we are done.
+ return;
+ };
+
+ let mut sb = ArrowSchemaBuilder::new();
+ for f in self.schema.fields().iter() {
+ sb.push(Arc::clone(f));
+ }
+ for (name, data_type) in new_columns {
+ let field = Arc::new(ArrowField::new(name, data_type, true));
+ sb.try_merge(&field).expect("buffer should have validated incoming writes to prevent against data type conflicts");
+ }
+ let new_schema = Arc::new(sb.finish());
+ self.schema = new_schema;
}
/// Produce a set of [`RecordBatch`]es from the cache, using the given set of [`Predicate`]s
@@ -436,7 +478,10 @@ impl LastCache {
caches = new_caches;
}
- caches.into_iter().map(|c| c.to_record_batch()).collect()
+ caches
+ .into_iter()
+ .map(|c| c.to_record_batch(&self.schema))
+ .collect()
}
/// Convert a set of DataFusion filter [`Expr`]s into [`Predicate`]s
@@ -507,7 +552,7 @@ impl<'a> ExtendedLastCacheState<'a> {
/// # Panics
///
/// This assumes taht the `state` is a [`LastCacheStore`] and will panic otherwise.
- fn to_record_batch(&self) -> Result<RecordBatch, ArrowError> {
+ fn to_record_batch(&self, output_schema: &ArrowSchemaRef) -> Result<RecordBatch, ArrowError> {
let store = self
.state
.as_store()
@@ -556,7 +601,7 @@ impl<'a> ExtendedLastCacheState<'a> {
.collect(),
)
};
- store.to_record_batch(extended)
+ store.to_record_batch(output_schema, extended)
}
}
@@ -716,19 +761,18 @@ impl From<&FieldData> for KeyValue {
/// Stores the cached column data for the field columns of a given [`LastCache`]
#[derive(Debug)]
struct LastCacheStore {
- /// Holds a copy of the arrow schema for the sake of producing [`RecordBatch`]es.
- schema: ArrowSchemaRef,
/// A map of column name to a [`CacheColumn`] which holds the buffer of data for the column
/// in the cache.
///
- /// This uses an IndexMap to preserve insertion order, so that when producing record batches
- /// the order of columns are accessed in the same order that they were inserted. Since they are
- /// inserted in the same order that they appear in the arrow schema associated with the cache,
- /// this allows record batch creation with a straight iteration through the map, vs. having
- /// to look up columns on the fly to get the correct order.
+ /// An `IndexMap` is used for its performance characteristics: namely, fast iteration as well
+ /// as fast lookup (see [here][perf]).
+ ///
+ /// [perf]: https://github.com/indexmap-rs/indexmap?tab=readme-ov-file#performance
cache: IndexMap<String, CacheColumn>,
- // TODO: will need to use this if new columns are added for * caches
- _ttl: Duration,
+ /// The capacity of the internal cache buffers
+ count: usize,
+ /// Time-to-live (TTL) for values in the cache
+ ttl: Duration,
/// The timestamp of the last [`Row`] that was pushed into this store from the buffer.
///
/// This is used to ignore rows that are received with older timestamps.
@@ -737,30 +781,31 @@ struct LastCacheStore {
impl LastCacheStore {
/// Create a new [`LastCacheStore`]
- fn new(count: usize, ttl: Duration, schema: Schema) -> Self {
- let series_keys: HashSet<&str> = schema
- .series_key()
- .unwrap_or_default()
- .into_iter()
- .collect();
+ fn new(
+ count: usize,
+ ttl: Duration,
+ schema: ArrowSchemaRef,
+ series_keys: Option<&HashSet<String>>,
+ ) -> Self {
let cache = schema
+ .fields()
.iter()
- .map(|(_, f)| {
+ .map(|f| {
(
f.name().to_string(),
CacheColumn::new(
f.data_type(),
count,
ttl,
- series_keys.contains(f.name().as_str()),
+ series_keys.is_some_and(|sk| sk.contains(f.name().as_str())),
),
)
})
.collect();
Self {
- schema: schema.as_arrow(),
cache,
- _ttl: ttl,
+ count,
+ ttl,
last_time: Time::from_timestamp_nanos(0),
}
}
@@ -780,18 +825,66 @@ impl LastCacheStore {
}
/// Push a [`Row`] from the buffer into this cache
- fn push(&mut self, row: &Row) {
+ ///
+ /// If new fields were added to the [`LastCacheStore`] by this push, the return will be a
+ /// list of those field's name and arrow [`DataType`], and `None` otherwise.
+ fn push<'a>(
+ &mut self,
+ row: &'a Row,
+ accept_new_fields: bool,
+ key_columns: &IndexSet<String>,
+ ) -> Option<Vec<(&'a str, DataType)>> {
if row.time <= self.last_time.timestamp_nanos() {
- return;
+ return None;
}
+ let mut result = None;
+ let mut seen = HashSet::<&str>::new();
+ if accept_new_fields {
+ // Check the length before any rows are added to ensure that the correct amount
+ // of nulls are back-filled when new fields/columns are added:
+ let starting_cache_size = self.len();
+ for field in row.fields.iter() {
+ seen.insert(field.name.as_str());
+ if let Some(col) = self.cache.get_mut(&field.name) {
+ // In this case, the field already has an entry in the cache, so just push:
+ col.push(&field.value);
+ } else if !key_columns.contains(&field.name) {
+ // In this case, there is not an entry for the field in the cache, so if the
+ // value is not one of the key columns, then it is a new field being added.
+ let data_type = data_type_from_buffer_field(field);
+ let col = self.cache.entry(field.name.to_string()).or_insert_with(|| {
+ CacheColumn::new(&data_type, self.count, self.ttl, false)
+ });
+ // Back-fill the new cache entry with nulls, then push the new value:
+ for _ in 0..starting_cache_size {
+ col.push_null();
+ }
+ col.push(&field.value);
+ // Add the new field to the list of new columns returned:
+ result
+ .get_or_insert_with(Vec::new)
+ .push((field.name.as_str(), data_type));
+ }
+ // There is no else block, because the only alternative would be that this is a
+ // key column, which we ignore.
+ }
+ } else {
+ for field in row.fields.iter() {
+ seen.insert(field.name.as_str());
+ if let Some(c) = self.cache.get_mut(&field.name) {
+ c.push(&field.value);
+ }
+ }
+ }
+ // Need to check for columns not seen in the buffered row data, to push nulls into
+ // those respective cache entries.
for (name, column) in self.cache.iter_mut() {
- if let Some(field) = row.fields.iter().find(|f| f.name == *name) {
- column.push(&field.value);
- } else {
+ if !seen.contains(name.as_str()) {
column.push_null();
}
}
self.last_time = Time::from_timestamp_nanos(row.time);
+ result
}
/// Convert the contents of this cache into a arrow [`RecordBatch`]
@@ -802,22 +895,32 @@ impl LastCacheStore {
/// for the cache.
fn to_record_batch(
&self,
+ output_schema: &ArrowSchemaRef,
extended: Option<(Vec<FieldRef>, Vec<ArrayRef>)>,
) -> Result<RecordBatch, ArrowError> {
- // This is where using IndexMap is important, because we inserted the cache entries
- // using the schema field ordering, we will get the correct order by iterating directly
- // over the map here:
- let cache_arrays = self.cache.iter().map(|(_, c)| c.data.as_array());
- let (schema, arrays) = if let Some((fields, mut arrays)) = extended {
- let mut sb = ArrowSchemaBuilder::new();
- sb.extend(fields);
- sb.extend(self.schema.fields().iter().map(Arc::clone));
- arrays.extend(cache_arrays);
- (Arc::new(sb.finish()), arrays)
- } else {
- (Arc::clone(&self.schema), cache_arrays.collect())
- };
- RecordBatch::try_new(schema, arrays)
+ let (fields, mut arrays): (Vec<FieldRef>, Vec<ArrayRef>) = output_schema
+ .fields()
+ .iter()
+ .cloned()
+ .map(|f| {
+ if let Some(c) = self.cache.get(f.name()) {
+ (f, c.data.as_array())
+ } else {
+ (Arc::clone(&f), new_null_array(f.data_type(), self.len()))
+ }
+ })
+ .collect();
+
+ let mut sb = ArrowSchemaBuilder::new();
+ if let Some((ext_fields, mut ext_arrays)) = extended {
+ // If there are key column values being outputted, they get prepended to appear before
+ // all value columns in the query output:
+ sb.extend(ext_fields);
+ ext_arrays.append(&mut arrays);
+ arrays = ext_arrays;
+ }
+ sb.extend(fields);
+ RecordBatch::try_new(Arc::new(sb.finish()), arrays)
}
/// Remove expired values from the [`LastCacheStore`]
@@ -837,7 +940,7 @@ impl TableProvider for LastCache {
}
fn schema(&self) -> ArrowSchemaRef {
- self.schema.as_arrow()
+ Arc::clone(&self.schema)
}
fn table_type(&self) -> TableType {
@@ -1179,6 +1282,23 @@ impl<T> ColumnBuffer<T> {
}
}
+fn data_type_from_buffer_field(field: &Field) -> DataType {
+ match field.value {
+ FieldData::Timestamp(_) => DataType::Timestamp(TimeUnit::Nanosecond, None),
+ FieldData::Key(_) => {
+ DataType::Dictionary(Box::new(DataType::Int32), Box::new(DataType::Utf8))
+ }
+ FieldData::Tag(_) => {
+ DataType::Dictionary(Box::new(DataType::Int32), Box::new(DataType::Utf8))
+ }
+ FieldData::String(_) => DataType::Utf8,
+ FieldData::Integer(_) => DataType::Int64,
+ FieldData::UInteger(_) => DataType::UInt64,
+ FieldData::Float(_) => DataType::Float64,
+ FieldData::Boolean(_) => DataType::Boolean,
+ }
+}
+
#[cfg(test)]
mod tests {
use std::{sync::Arc, time::Duration};
@@ -2189,7 +2309,7 @@ mod tests {
{tbl_name},province=on,county=bruce,township=culrock lo=13,avg=15\n\
{tbl_name},province=on,county=wentworth,township=ancaster lo=18,hi=23,avg=20\n\
{tbl_name},province=on,county=york,township=york lo=20\n\
- {tbl_name},province=on,county=welland,township=bertie med=20\n\
+ {tbl_name},province=on,county=welland,township=bertie avg=20\n\
"
)
.as_str(),
@@ -2214,7 +2334,7 @@ mod tests {
"| bruce | on | culrock | 15.0 | | 13.0 | 1970-01-01T00:00:00.000001Z |",
"| bruce | on | kincardine | 18.0 | 21.0 | | 1970-01-01T00:00:00.000001Z |",
"| huron | on | goderich | | 22.0 | 16.0 | 1970-01-01T00:00:00.000001Z |",
- "| welland | on | bertie | | | | 1970-01-01T00:00:00.000001Z |",
+ "| welland | on | bertie | 20.0 | | | 1970-01-01T00:00:00.000001Z |",
"| wentworth | on | ancaster | 20.0 | 23.0 | 18.0 | 1970-01-01T00:00:00.000001Z |",
"| york | on | york | | | 20.0 | 1970-01-01T00:00:00.000001Z |",
"+-----------+----------+------------+------+------+------+-----------------------------+",
@@ -2222,4 +2342,232 @@ mod tests {
&batches
);
}
+
+ #[tokio::test]
+ async fn new_fields_added_to_default_cache() {
+ let db_name = "nhl_stats";
+ let tbl_name = "plays";
+ let wbuf = setup_write_buffer().await;
+
+ // Do a write to setup catalog:
+ wbuf.write_lp(
+ NamespaceName::new(db_name).unwrap(),
+ format!(r#"{tbl_name},game_id=1 type="shot",player="kessel""#).as_str(),
+ Time::from_timestamp_nanos(500),
+ false,
+ Precision::Nanosecond,
+ )
+ .await
+ .unwrap();
+
+ // Create the last cache using default tags as keys
+ wbuf.create_last_cache(db_name, tbl_name, None, Some(10), None, None, None)
+ .expect("create last cache");
+
+ // Write some lines to fill the cache. The last two lines include a new field "zone" which
+ // should be added and appear in queries:
+ wbuf.write_lp(
+ NamespaceName::new(db_name).unwrap(),
+ format!(
+ "\
+ {tbl_name},game_id=1 type=\"shot\",player=\"mackinnon\"\n\
+ {tbl_name},game_id=2 type=\"shot\",player=\"matthews\"\n\
+ {tbl_name},game_id=3 type=\"hit\",player=\"tkachuk\",zone=\"away\"\n\
+ {tbl_name},game_id=4 type=\"save\",player=\"bobrovsky\",zone=\"home\"\n\
+ "
+ )
+ .as_str(),
+ Time::from_timestamp_nanos(1_000),
+ false,
+ Precision::Nanosecond,
+ )
+ .await
+ .unwrap();
+
+ struct TestCase<'a> {
+ predicates: &'a [Predicate],
+ expected: &'a [&'a str],
+ }
+
+ let test_cases = [
+ // Cache that has values in the zone columns should produce them:
+ TestCase {
+ predicates: &[Predicate::new("game_id", KeyValue::string("4"))],
+ expected: &[
+ "+-----------+-----------------------------+------+------+",
+ "| player | time | type | zone |",
+ "+-----------+-----------------------------+------+------+",
+ "| bobrovsky | 1970-01-01T00:00:00.000001Z | save | home |",
+ "+-----------+-----------------------------+------+------+",
+ ],
+ },
+ // Cache that does not have a zone column will produce it with nulls:
+ TestCase {
+ predicates: &[Predicate::new("game_id", KeyValue::string("1"))],
+ expected: &[
+ "+-----------+-----------------------------+------+------+",
+ "| player | time | type | zone |",
+ "+-----------+-----------------------------+------+------+",
+ "| mackinnon | 1970-01-01T00:00:00.000001Z | shot | |",
+ "+-----------+-----------------------------+------+------+",
+ ],
+ },
+ // Pulling from multiple caches will fill in with nulls:
+ TestCase {
+ predicates: &[],
+ expected: &[
+ "+---------+-----------+-----------------------------+------+------+",
+ "| game_id | player | time | type | zone |",
+ "+---------+-----------+-----------------------------+------+------+",
+ "| 1 | mackinnon | 1970-01-01T00:00:00.000001Z | shot | |",
+ "| 2 | matthews | 1970-01-01T00:00:00.000001Z | shot | |",
+ "| 3 | tkachuk | 1970-01-01T00:00:00.000001Z | hit | away |",
+ "| 4 | bobrovsky | 1970-01-01T00:00:00.000001Z | save | home |",
+ "+---------+-----------+-----------------------------+------+------+",
+ ],
+ },
+ ];
+
+ for t in test_cases {
+ let batches = wbuf
+ .last_cache()
+ .get_cache_record_batches(db_name, tbl_name, None, t.predicates)
+ .unwrap()
+ .unwrap();
+
+ assert_batches_sorted_eq!(t.expected, &batches);
+ }
+ }
+
+ #[tokio::test]
+ async fn new_field_ordering() {
+ let db_name = "db";
+ let tbl_name = "tbl";
+ let wbuf = setup_write_buffer().await;
+
+ // Do a write to setup catalog:
+ wbuf.write_lp(
+ NamespaceName::new(db_name).unwrap(),
+ format!(r#"{tbl_name},t1=a f1=1"#).as_str(),
+ Time::from_timestamp_nanos(500),
+ false,
+ Precision::Nanosecond,
+ )
+ .await
+ .unwrap();
+
+ // Create the last cache using the single `t1` tag column as key
+ // and using the default for fields, so that new fields will get added
+ // to the cache.
+ wbuf.create_last_cache(
+ db_name,
+ tbl_name,
+ None,
+ None, // use default cache size of 1
+ None,
+ Some(vec!["t1".to_string()]),
+ None,
+ )
+ .expect("create last cache");
+
+ // Write some lines to fill the cache. In this case, with just the existing
+ // columns in the table, i.e., t1 and f1
+ wbuf.write_lp(
+ NamespaceName::new(db_name).unwrap(),
+ format!(
+ "\
+ {tbl_name},t1=a f1=1
+ {tbl_name},t1=b f1=10
+ {tbl_name},t1=c f1=100
+ "
+ )
+ .as_str(),
+ Time::from_timestamp_nanos(1_000),
+ false,
+ Precision::Nanosecond,
+ )
+ .await
+ .unwrap();
+
+ // Write lines containing new fields f2 and f3, but with different orders for
+ // each key column value, i.e., t1=a and t1=b:
+ wbuf.write_lp(
+ NamespaceName::new(db_name).unwrap(),
+ format!(
+ "\
+ {tbl_name},t1=a f1=1,f2=2,f3=3,f4=4
+ {tbl_name},t1=b f1=10,f4=40,f3=30
+ {tbl_name},t1=c f1=100,f3=300,f2=200
+ "
+ )
+ .as_str(),
+ Time::from_timestamp_nanos(1_500),
+ false,
+ Precision::Nanosecond,
+ )
+ .await
+ .unwrap();
+
+ struct TestCase<'a> {
+ predicates: &'a [Predicate],
+ expected: &'a [&'a str],
+ }
+
+ let test_cases = [
+ // Can query on specific key column values:
+ TestCase {
+ predicates: &[Predicate::new("t1", KeyValue::string("a"))],
+ expected: &[
+ "+-----+--------------------------------+-----+-----+-----+",
+ "| f1 | time | f2 | f3 | f4 |",
+ "+-----+--------------------------------+-----+-----+-----+",
+ "| 1.0 | 1970-01-01T00:00:00.000001500Z | 2.0 | 3.0 | 4.0 |",
+ "+-----+--------------------------------+-----+-----+-----+",
+ ],
+ },
+ TestCase {
+ predicates: &[Predicate::new("t1", KeyValue::string("b"))],
+ expected: &[
+ "+------+--------------------------------+----+------+------+",
+ "| f1 | time | f2 | f3 | f4 |",
+ "+------+--------------------------------+----+------+------+",
+ "| 10.0 | 1970-01-01T00:00:00.000001500Z | | 30.0 | 40.0 |",
+ "+------+--------------------------------+----+------+------+",
+ ],
+ },
+ TestCase {
+ predicates: &[Predicate::new("t1", KeyValue::string("c"))],
+ expected: &[
+ "+-------+--------------------------------+-------+-------+----+",
+ "| f1 | time | f2 | f3 | f4 |",
+ "+-------+--------------------------------+-------+-------+----+",
+ "| 100.0 | 1970-01-01T00:00:00.000001500Z | 200.0 | 300.0 | |",
+ "+-------+--------------------------------+-------+-------+----+",
+ ],
+ },
+ // Can query accross key column values:
+ TestCase {
+ predicates: &[],
+ expected: &[
+ "+----+-------+--------------------------------+-------+-------+------+",
+ "| t1 | f1 | time | f2 | f3 | f4 |",
+ "+----+-------+--------------------------------+-------+-------+------+",
+ "| a | 1.0 | 1970-01-01T00:00:00.000001500Z | 2.0 | 3.0 | 4.0 |",
+ "| b | 10.0 | 1970-01-01T00:00:00.000001500Z | | 30.0 | 40.0 |",
+ "| c | 100.0 | 1970-01-01T00:00:00.000001500Z | 200.0 | 300.0 | |",
+ "+----+-------+--------------------------------+-------+-------+------+",
+ ],
+ },
+ ];
+
+ for t in test_cases {
+ let batches = wbuf
+ .last_cache()
+ .get_cache_record_batches(db_name, tbl_name, None, t.predicates)
+ .unwrap()
+ .unwrap();
+
+ assert_batches_sorted_eq!(t.expected, &batches);
+ }
+ }
}
|
d9d741969385f6362feceec543d55c7734763c5a
|
Stuart Carnie
|
2023-05-31 12:28:03
|
move time range logic to separate module
|
The `rewrite_expression` module was getting large, so made sense to
move time range logic to its own module.
| null |
refactor: move time range logic to separate module
The `rewrite_expression` module was getting large, so made sense to
move time range logic to its own module.
|
diff --git a/iox_query_influxql/src/plan/planner.rs b/iox_query_influxql/src/plan/planner.rs
index 301c95ddb7..0af1ffe9a7 100644
--- a/iox_query_influxql/src/plan/planner.rs
+++ b/iox_query_influxql/src/plan/planner.rs
@@ -1,5 +1,7 @@
mod rewrite_expression;
mod select;
+mod test_utils;
+mod time_range;
use crate::plan::error;
use crate::plan::influxql_time_range_expression::{
diff --git a/iox_query_influxql/src/plan/planner/rewrite_expression.rs b/iox_query_influxql/src/plan/planner/rewrite_expression.rs
index f90489a414..5353b3362d 100644
--- a/iox_query_influxql/src/plan/planner/rewrite_expression.rs
+++ b/iox_query_influxql/src/plan/planner/rewrite_expression.rs
@@ -121,25 +121,19 @@
//! [`Reduce`]: https://github.com/influxdata/influxql/blob/1ba470371ec093d57a726b143fe6ccbacf1b452b/ast.go#L4850-L4852
//! [`EvalBool`]: https://github.com/influxdata/influxql/blob/1ba470371ec093d57a726b143fe6ccbacf1b452b/ast.go#L4181-L4183
//! [`Eval`]: https://github.com/influxdata/influxql/blob/1ba470371ec093d57a726b143fe6ccbacf1b452b/ast.go#L4137
-use std::cmp::Ordering;
-use std::ops::Bound;
use std::sync::Arc;
-use crate::plan::error;
+use crate::plan::planner::time_range;
use crate::plan::util::Schemas;
use arrow::datatypes::DataType;
-use datafusion::common::tree_node::{
- Transformed, TreeNode, TreeNodeRewriter, TreeNodeVisitor, VisitRecursion,
-};
-use datafusion::common::{Column, Result, ScalarValue};
+use datafusion::common::tree_node::{Transformed, TreeNode, TreeNodeRewriter};
+use datafusion::common::{Result, ScalarValue};
use datafusion::logical_expr::{
binary_expr, cast, coalesce, lit, BinaryExpr, Expr, ExprSchemable, Operator,
};
use datafusion::optimizer::simplify_expressions::{ExprSimplifier, SimplifyContext};
-use datafusion::optimizer::utils::disjunction;
use datafusion::physical_expr::execution_props::ExecutionProps;
use datafusion::prelude::when;
-use datafusion_util::AsExpr;
use observability_deps::tracing::trace;
use predicate::rpc_predicate::{iox_expr_rewrite, simplify_predicate};
@@ -163,7 +157,7 @@ pub(super) fn rewrite_conditional_expr(
.and_then(|expr| expr.rewrite(&mut FixRegularExpressions { schemas }))
.map(|expr| log_rewrite(expr, "after fix_regular_expressions"))
// rewrite time predicates to behave like InfluxQL OG
- .and_then(|expr| rewrite_time_range_exprs(expr, &simplifier))
+ .and_then(|expr| time_range::rewrite_time_range_exprs(expr, &simplifier))
.map(|expr| log_rewrite(expr, "after rewrite_time_range_exprs"))
// rewrite exprs with incompatible operands to NULL or FALSE
// (seems like FixRegularExpressions could be combined into this pass)
@@ -220,620 +214,6 @@ pub(in crate::plan) fn rewrite_field_expr(expr: Expr, schemas: &Schemas) -> Resu
rewrite_expr(expr, schemas)
}
-/// Traverse `expr` and promote time range expressions to the root
-/// binary node on the left hand side and combined using the conjunction (`AND`)
-/// operator to ensure the time range is applied to the entire predicate.
-///
-/// Additionally, multiple `time = <timestamp>` expressions are combined
-/// using the disjunction (OR) operator, whereas, InfluxQL only supports
-/// a single `time = <timestamp>` expression.
-///
-/// # NOTE
-///
-/// Combining relational operators like `time > now() - 5s` and equality
-/// operators like `time = <timestamp>` with a disjunction (`OR`)
-/// will evaluate to false, like InfluxQL.
-///
-/// # Background
-///
-/// The InfluxQL query engine always promotes the time range expression to filter
-/// all results. It is misleading that time ranges are written in the `WHERE` clause,
-/// as the `WHERE` predicate is not evaluated in its entirety for each row. Rather,
-/// InfluxQL extracts the time range to form a time bound for the entire query and
-/// removes any time range expressions from the filter predicate. The time range
-/// is determined using the `>` and `≥` operators to form the lower bound and
-/// the `<` and `≤` operators to form the upper bound. When multiple instances of
-/// the lower or upper bound operators are found, the time bounds will form the
-/// intersection. For example
-///
-/// ```sql
-/// WHERE time >= 1000 AND time >= 2000 AND time < 10000 and time < 9000
-/// ```
-///
-/// is equivalent to
-///
-/// ```sql
-/// WHERE time >= 2000 AND time < 9000
-/// ```
-///
-/// Further, InfluxQL only allows a single `time = <value>` binary expression. Multiple
-/// occurrences result in an empty result set.
-///
-/// ## Examples
-///
-/// Lets illustrate how InfluxQL applies predicates with a typical example, using the
-/// `metrics.lp` data in the IOx repository:
-///
-/// ```sql
-/// SELECT cpu, usage_idle FROM cpu
-/// WHERE
-/// time > '2020-06-11T16:53:30Z' AND time < '2020-06-11T16:55:00Z' AND cpu = 'cpu0'
-/// ```
-///
-/// InfluxQL first filters rows based on the time range:
-///
-/// ```sql
-/// '2020-06-11T16:53:30Z' < time < '2020-06-11T16:55:00Z'
-/// ```
-///
-/// and then applies the predicate to the individual rows:
-///
-/// ```sql
-/// cpu = 'cpu0'
-/// ```
-///
-/// Producing the following result:
-///
-/// ```text
-/// name: cpu
-/// time cpu usage_idle
-/// ---- --- ----------
-/// 2020-06-11T16:53:40Z cpu0 90.29029029029029
-/// 2020-06-11T16:53:50Z cpu0 89.8
-/// 2020-06-11T16:54:00Z cpu0 90.09009009009009
-/// 2020-06-11T16:54:10Z cpu0 88.82235528942115
-/// ```
-///
-/// The following example is a little more complicated, but shows again how InfluxQL
-/// separates the time ranges from the predicate:
-///
-/// ```sql
-/// SELECT cpu, usage_idle FROM cpu
-/// WHERE
-/// time > '2020-06-11T16:53:30Z' AND time < '2020-06-11T16:55:00Z' AND cpu = 'cpu0' OR cpu = 'cpu1'
-/// ```
-///
-/// InfluxQL first filters rows based on the time range:
-///
-/// ```sql
-/// '2020-06-11T16:53:30Z' < time < '2020-06-11T16:55:00Z'
-/// ```
-///
-/// and then applies the predicate to the individual rows:
-///
-/// ```sql
-/// cpu = 'cpu0' OR cpu = 'cpu1'
-/// ```
-///
-/// This is certainly quite different to SQL, which would evaluate the predicate as:
-///
-/// ```sql
-/// SELECT cpu, usage_idle FROM cpu
-/// WHERE
-/// (time > '2020-06-11T16:53:30Z' AND time < '2020-06-11T16:55:00Z' AND cpu = 'cpu0') OR cpu = 'cpu1'
-/// ```
-///
-/// ## Time ranges are not normal
-///
-/// Here we demonstrate how the operators combining time ranges do not matter. Using the
-/// original query:
-///
-/// ```sql
-/// SELECT cpu, usage_idle FROM cpu
-/// WHERE
-/// time > '2020-06-11T16:53:30Z' AND time < '2020-06-11T16:55:00Z' AND cpu = 'cpu0'
-/// ```
-///
-/// we replace all `AND` operators with `OR`:
-///
-/// ```sql
-/// SELECT cpu, usage_idle FROM cpu
-/// WHERE
-/// time > '2020-06-11T16:53:30Z' OR time < '2020-06-11T16:55:00Z' OR cpu = 'cpu0'
-/// ```
-///
-/// This should return all rows, but yet it returns the same result 🤯:
-///
-/// ```text
-/// name: cpu
-/// time cpu usage_idle
-/// ---- --- ----------
-/// 2020-06-11T16:53:40Z cpu0 90.29029029029029
-/// 2020-06-11T16:53:50Z cpu0 89.8
-/// 2020-06-11T16:54:00Z cpu0 90.09009009009009
-/// 2020-06-11T16:54:10Z cpu0 88.82235528942115
-/// ```
-///
-/// It becomes clearer, if we again review at how InfluxQL OG evaluates the `WHERE`
-/// predicate, InfluxQL first filters rows based on the time range, which uses the
-/// rules previously defined by finding `>` and `≥` to determine the lower bound
-/// and `<` and `≤`:
-///
-/// ```sql
-/// '2020-06-11T16:53:30Z' < time < '2020-06-11T16:55:00Z'
-/// ```
-///
-/// and then applies the predicate to the individual rows:
-///
-/// ```sql
-/// cpu = 'cpu0'
-/// ```
-///
-/// ## How to think of time ranges intuitively
-///
-/// Imagine a slight variation of InfluxQL has a separate _time bounds clause_.
-/// It could have two forms, first as a `BETWEEN`
-///
-/// ```sql
-/// SELECT cpu, usage_idle FROM cpu
-/// WITH TIME BETWEEN '2020-06-11T16:53:30Z' AND '2020-06-11T16:55:00Z'
-/// WHERE
-/// cpu = 'cpu0'
-/// ```
-///
-/// or as an `IN` to select multiple points:
-///
-/// ```sql
-/// SELECT cpu, usage_idle FROM cpu
-/// WITH TIME IN ('2004-04-09T12:00:00Z', '2004-04-09T12:00:10Z', ...)
-/// WHERE
-/// cpu = 'cpu0'
-/// ```
-fn rewrite_time_range_exprs(
- expr: Expr,
- simplifier: &ExprSimplifier<SimplifyContext<'_>>,
-) -> Result<Expr> {
- let has_time_range = matches!(
- expr.apply(&mut |expr| Ok(match expr {
- expr @ Expr::BinaryExpr(_) if is_time_range(expr) => {
- VisitRecursion::Stop
- }
- _ => VisitRecursion::Continue,
- }))
- .expect("infallible"),
- VisitRecursion::Stop
- );
-
- // Nothing to do if there are no time range expressions
- if !has_time_range {
- return Ok(expr);
- }
-
- let mut rw = SeparateTimeRange::new(simplifier);
- expr.visit(&mut rw)?;
-
- // When `expr` contains both time expressions using relational
- // operators like > or <= and equality, such as
- //
- // WHERE time > now() - 5s OR time = '2004-04-09:12:00:00Z' AND cpu = 'cpu0'
- //
- // the entire expression evaluates to `false` to be consistent with InfluxQL.
- if !rw.time_range.is_unbounded() && !rw.equality.is_empty() {
- return Ok(lit(false));
- }
-
- let lhs = if let Some(expr) = rw.time_range.as_expr() {
- Some(expr)
- } else if !rw.equality.is_empty() {
- disjunction(rw.equality)
- } else {
- None
- };
-
- let rhs = rw
- .stack
- .pop()
- .ok_or_else(|| error::map::internal("expected expression on stack"))?;
-
- Ok(match (lhs, rhs) {
- (Some(lhs), Some(rhs)) => binary_expr(lhs, Operator::And, rhs),
- (Some(expr), None) | (None, Some(expr)) => expr,
- (None, None) => lit(true),
- })
-}
-
-/// Returns `true` if `expr` refers to the `time` column.
-fn is_time_column(expr: &Expr) -> bool {
- matches!(expr, Expr::Column(Column{ name, .. }) if name == "time")
-}
-
-/// Returns `true` if `expr` is a time range expression
-///
-/// Examples include:
-///
-/// ```text
-/// time = '2004-04-09T12:00:00Z'
-/// ```
-///
-/// or
-///
-/// ```text
-/// time > now() - 5m
-/// ```
-fn is_time_range(expr: &Expr) -> bool {
- use Operator::*;
- match expr {
- Expr::BinaryExpr(BinaryExpr {
- left,
- op: Eq | NotEq | Gt | Lt | GtEq | LtEq,
- right,
- }) => is_time_column(left) || is_time_column(right),
- _ => false,
- }
-}
-
-/// Represents the lower bound, in nanoseconds, of a [`TimeRange`].
-struct LowerBound(Bound<i64>);
-
-impl LowerBound {
- /// Create a new, time bound that is unbounded
- fn unbounded() -> Self {
- Self(Bound::Unbounded)
- }
-
- /// Create a new, time bound that includes `v`
- fn included(v: i64) -> Self {
- Self(Bound::Included(v))
- }
-
- /// Create a new, time bound that excludes `v`
- fn excluded(v: i64) -> Self {
- Self(Bound::Excluded(v))
- }
-
- /// Returns `true` if the receiver is unbounded.
- fn is_unbounded(&self) -> bool {
- matches!(self.0, Bound::Unbounded)
- }
-
- fn as_expr(&self) -> Option<Expr> {
- match self.0 {
- Bound::Included(ts) => Some(
- "time"
- .as_expr()
- .gt_eq(lit(ScalarValue::TimestampNanosecond(Some(ts), None))),
- ),
- Bound::Excluded(ts) => Some(
- "time"
- .as_expr()
- .gt(lit(ScalarValue::TimestampNanosecond(Some(ts), None))),
- ),
- Bound::Unbounded => None,
- }
- }
-}
-
-impl Default for LowerBound {
- fn default() -> Self {
- Self::unbounded()
- }
-}
-
-impl Eq for LowerBound {}
-
-impl PartialEq<Self> for LowerBound {
- fn eq(&self, other: &Self) -> bool {
- self.cmp(other) == Ordering::Equal
- }
-}
-
-impl PartialOrd<Self> for LowerBound {
- fn partial_cmp(&self, other: &Self) -> Option<Ordering> {
- Some(self.cmp(other))
- }
-}
-
-impl Ord for LowerBound {
- fn cmp(&self, other: &Self) -> Ordering {
- match (self.0, other.0) {
- (Bound::Unbounded, Bound::Unbounded) => Ordering::Equal,
- (Bound::Unbounded, _) => Ordering::Less,
- (_, Bound::Unbounded) => Ordering::Greater,
- (Bound::Included(a), Bound::Included(b)) | (Bound::Excluded(a), Bound::Excluded(b)) => {
- a.cmp(&b)
- }
- (Bound::Included(a), Bound::Excluded(b)) => match a.cmp(&b) {
- Ordering::Equal => Ordering::Less,
- // We know that if a > b, b + 1 is safe from overflow
- Ordering::Greater if a == b + 1 => Ordering::Equal,
- ordering => ordering,
- },
- (Bound::Excluded(a), Bound::Included(b)) => match a.cmp(&b) {
- Ordering::Equal => Ordering::Greater,
- // We know that if a < b, a + 1 is safe from overflow
- Ordering::Less if a + 1 == b => Ordering::Equal,
- ordering => ordering,
- },
- }
- }
-}
-
-/// Represents the upper bound, in nanoseconds, of a [`TimeRange`].
-struct UpperBound(Bound<i64>);
-
-impl UpperBound {
- /// Create a new, unbounded upper bound.
- fn unbounded() -> Self {
- Self(Bound::Unbounded)
- }
-
- /// Create a new, upper bound that includes `v`
- fn included(v: i64) -> Self {
- Self(Bound::Included(v))
- }
-
- /// Create a new, upper bound that excludes `v`
- fn excluded(v: i64) -> Self {
- Self(Bound::Excluded(v))
- }
-
- /// Returns `true` if the receiver is unbounded.
- fn is_unbounded(&self) -> bool {
- matches!(self.0, Bound::Unbounded)
- }
-
- fn as_expr(&self) -> Option<Expr> {
- match self.0 {
- Bound::Included(ts) => Some(
- "time"
- .as_expr()
- .lt_eq(lit(ScalarValue::TimestampNanosecond(Some(ts), None))),
- ),
- Bound::Excluded(ts) => Some(
- "time"
- .as_expr()
- .lt(lit(ScalarValue::TimestampNanosecond(Some(ts), None))),
- ),
- Bound::Unbounded => None,
- }
- }
-}
-
-impl Default for UpperBound {
- fn default() -> Self {
- Self::unbounded()
- }
-}
-
-impl Eq for UpperBound {}
-
-impl PartialEq<Self> for UpperBound {
- fn eq(&self, other: &Self) -> bool {
- self.cmp(other) == Ordering::Equal
- }
-}
-
-impl PartialOrd<Self> for UpperBound {
- fn partial_cmp(&self, other: &Self) -> Option<Ordering> {
- Some(self.cmp(other))
- }
-}
-
-impl Ord for UpperBound {
- fn cmp(&self, other: &Self) -> Ordering {
- match (self.0, other.0) {
- (Bound::Unbounded, Bound::Unbounded) => Ordering::Equal,
- (Bound::Unbounded, _) => Ordering::Greater,
- (_, Bound::Unbounded) => Ordering::Less,
- (Bound::Included(a), Bound::Included(b)) | (Bound::Excluded(a), Bound::Excluded(b)) => {
- a.cmp(&b)
- }
- (Bound::Included(a), Bound::Excluded(b)) => match a.cmp(&b) {
- Ordering::Equal => Ordering::Greater,
- // We know that if a < b, b - 1 is safe from underflow
- Ordering::Less if a == b - 1 => Ordering::Equal,
- ordering => ordering,
- },
- (Bound::Excluded(a), Bound::Included(b)) => match a.cmp(&b) {
- Ordering::Equal => Ordering::Less,
- // We know that if a > b, a - 1 is safe from overflow
- Ordering::Greater if a - 1 == b => Ordering::Equal,
- ordering => ordering,
- },
- }
- }
-}
-
-/// Represents a time range, with a single lower and upper bound.
-#[derive(Default, PartialEq, Eq)]
-struct TimeRange {
- lower: LowerBound,
- upper: UpperBound,
-}
-
-impl TimeRange {
- /// Returns `true` if the time range is unbounded.
- fn is_unbounded(&self) -> bool {
- self.lower.is_unbounded() && self.upper.is_unbounded()
- }
-
- /// Returns the time range as a conditional expression.
- fn as_expr(&self) -> Option<Expr> {
- match (self.lower.as_expr(), self.upper.as_expr()) {
- (None, None) => None,
- (Some(e), None) | (None, Some(e)) => Some(e),
- (Some(lower), Some(upper)) => Some(lower.and(upper)),
- }
- }
-}
-
-struct SeparateTimeRange<'a> {
- simplifier: &'a ExprSimplifier<SimplifyContext<'a>>,
- stack: Vec<Option<Expr>>,
- time_range: TimeRange,
-
- /// Equality time range expressions, such as:
- ///
- /// ```sql
- /// time = '2004-04-09T12:00:00Z'
- equality: Vec<Expr>,
-}
-
-impl<'a> SeparateTimeRange<'a> {
- fn new(simplifier: &'a ExprSimplifier<SimplifyContext<'_>>) -> Self {
- Self {
- simplifier,
- stack: vec![],
- time_range: Default::default(),
- equality: vec![],
- }
- }
-}
-
-impl<'a> TreeNodeVisitor for SeparateTimeRange<'a> {
- type N = Expr;
-
- fn pre_visit(&mut self, node: &Self::N) -> Result<VisitRecursion> {
- if matches!(node, Expr::BinaryExpr(_)) {
- Ok(VisitRecursion::Continue)
- } else {
- Ok(VisitRecursion::Skip)
- }
- }
-
- fn post_visit(&mut self, node: &Self::N) -> Result<VisitRecursion> {
- use Operator::*;
-
- match node {
- // A binary expression where either the left or right
- // expression refers to the "time" column.
- //
- // "time" OP expression
- // expression OP "time"
- //
- Expr::BinaryExpr(BinaryExpr {
- left,
- op: op @ (Eq | NotEq | Gt | Lt | GtEq | LtEq),
- right,
- }) if is_time_column(left) | is_time_column(right) => {
- self.stack.push(None);
-
- if matches!(op, Eq | NotEq) {
- let node = self.simplifier.simplify(node.clone())?;
- self.equality.push(node);
- return Ok(VisitRecursion::Continue);
- }
-
- /// Op is the limited set of operators expected from here on,
- /// to avoid repeated wildcard match arms with unreachable!().
- enum Op {
- Gt,
- GtEq,
- Lt,
- LtEq,
- }
-
- // Map the DataFusion Operator to Op
- let op = match op {
- Gt => Op::Gt,
- GtEq => Op::GtEq,
- Lt => Op::Lt,
- LtEq => Op::LtEq,
- _ => unreachable!("expected: Gt | Lt | GtEq | LtEq"),
- };
-
- let (expr, op) = if is_time_column(left) {
- (right, op)
- } else {
- // swap the operators when the conditional is `expression OP "time"`
- (
- left,
- match op {
- Op::Gt => Op::Lt,
- Op::GtEq => Op::LtEq,
- Op::Lt => Op::Gt,
- Op::LtEq => Op::GtEq,
- },
- )
- };
-
- // resolve `now()` and reduce binary expressions to a single constant
- let expr = self.simplifier.simplify(*expr.clone())?;
-
- let ts = match expr {
- Expr::Literal(ScalarValue::TimestampNanosecond(Some(ts), _)) => ts,
- expr => {
- return error::internal(format!(
- "expected TimestampNanosecond, got: {}",
- expr
- ))
- }
- };
-
- match op {
- Op::Gt => {
- let ts = LowerBound::excluded(ts);
- if ts > self.time_range.lower {
- self.time_range.lower = ts;
- }
- }
- Op::GtEq => {
- let ts = LowerBound::included(ts);
- if ts > self.time_range.lower {
- self.time_range.lower = ts;
- }
- }
- Op::Lt => {
- let ts = UpperBound::excluded(ts);
- if ts < self.time_range.upper {
- self.time_range.upper = ts;
- }
- }
- Op::LtEq => {
- let ts = UpperBound::included(ts);
- if ts < self.time_range.upper {
- self.time_range.upper = ts;
- }
- }
- }
-
- Ok(VisitRecursion::Continue)
- }
-
- node @ Expr::BinaryExpr(BinaryExpr {
- op:
- Eq | NotEq | Gt | GtEq | Lt | LtEq | RegexMatch | RegexNotMatch | RegexIMatch
- | RegexNotIMatch,
- ..
- }) => {
- self.stack.push(Some(node.clone()));
- Ok(VisitRecursion::Continue)
- }
- Expr::BinaryExpr(BinaryExpr {
- op: op @ (And | Or),
- ..
- }) => {
- let right = self
- .stack
- .pop()
- .ok_or_else(|| error::map::internal("invalid expr stack"))?;
- let left = self
- .stack
- .pop()
- .ok_or_else(|| error::map::internal("invalid expr stack"))?;
- self.stack.push(match (left, right) {
- (Some(left), Some(right)) => Some(binary_expr(left, *op, right)),
- (None, Some(node)) | (Some(node), None) => Some(node),
- (None, None) => None,
- });
-
- Ok(VisitRecursion::Continue)
- }
- _ => Ok(VisitRecursion::Continue),
- }
- }
-}
-
/// The expression was rewritten
fn yes(expr: Expr) -> Result<Transformed<Expr>> {
Ok(Transformed::Yes(expr))
@@ -1156,188 +536,10 @@ fn rewrite_tag_columns(
#[cfg(test)]
mod test {
use super::*;
- use chrono::{DateTime, NaiveDate, Utc};
- use datafusion::common::{DFSchemaRef, ToDFSchema};
- use datafusion::logical_expr::{lit_timestamp_nano, now};
+ use crate::plan::planner::test_utils::{execution_props, new_schemas};
+ use datafusion::logical_expr::lit_timestamp_nano;
use datafusion::prelude::col;
use datafusion_util::AsExpr;
- use schema::{InfluxFieldType, SchemaBuilder};
- use std::sync::Arc;
-
- fn new_schemas() -> (Schemas, DataSourceSchema<'static>) {
- let iox_schema = SchemaBuilder::new()
- .measurement("m0")
- .timestamp()
- .tag("tag0")
- .tag("tag1")
- .influx_field("float_field", InfluxFieldType::Float)
- .influx_field("integer_field", InfluxFieldType::Integer)
- .influx_field("unsigned_field", InfluxFieldType::UInteger)
- .influx_field("string_field", InfluxFieldType::String)
- .influx_field("boolean_field", InfluxFieldType::Boolean)
- .build()
- .expect("schema failed");
- let df_schema: DFSchemaRef = Arc::clone(iox_schema.inner()).to_dfschema_ref().unwrap();
- (Schemas { df_schema }, DataSourceSchema::Table(iox_schema))
- }
-
- #[test]
- fn test_rewrite_time_range_exprs() {
- use datafusion::common::ScalarValue as V;
-
- test_helpers::maybe_start_logging();
-
- let props = execution_props();
- let (schemas, _) = new_schemas();
- let simplify_context =
- SimplifyContext::new(&props).with_schema(Arc::clone(&schemas.df_schema));
- let simplifier = ExprSimplifier::new(simplify_context);
-
- let rewrite = |expr| {
- rewrite_time_range_exprs(expr, &simplifier)
- .unwrap()
- .to_string()
- };
-
- let expr = "time"
- .as_expr()
- .gt_eq(now() - lit(V::new_interval_dt(0, 1000)));
- assert_eq!(
- rewrite(expr),
- r#"time >= TimestampNanosecond(1672531199000000000, None)"#
- );
-
- // reduces the lower bound to a single expression
- let expr = "time"
- .as_expr()
- .gt_eq(now() - lit(V::new_interval_dt(0, 1000)))
- .and(
- "time"
- .as_expr()
- .gt_eq(now() - lit(V::new_interval_dt(0, 500))),
- );
- assert_eq!(
- rewrite(expr),
- r#"time >= TimestampNanosecond(1672531199500000000, None)"#
- );
-
- let expr = "time"
- .as_expr()
- .lt_eq(now() - lit(V::new_interval_dt(0, 1000)));
- assert_eq!(
- rewrite(expr),
- r#"time <= TimestampNanosecond(1672531199000000000, None)"#
- );
-
- // reduces the upper bound to a single expression
- let expr = "time"
- .as_expr()
- .lt_eq(now() + lit(V::new_interval_dt(0, 1000)))
- .and(
- "time"
- .as_expr()
- .lt_eq(now() + lit(V::new_interval_dt(0, 500))),
- );
- assert_eq!(
- rewrite(expr),
- r#"time <= TimestampNanosecond(1672531200500000000, None)"#
- );
-
- let expr = "time"
- .as_expr()
- .gt_eq(now() - lit(V::new_interval_dt(0, 1000)))
- .and("time".as_expr().lt(now()));
- assert_eq!(
- rewrite(expr),
- r#"time >= TimestampNanosecond(1672531199000000000, None) AND time < TimestampNanosecond(1672531200000000000, None)"#
- );
-
- let expr = "time"
- .as_expr()
- .gt_eq(now() - lit(V::new_interval_dt(0, 1000)))
- .and("cpu".as_expr().eq(lit("cpu0")));
- assert_eq!(
- rewrite(expr),
- r#"time >= TimestampNanosecond(1672531199000000000, None) AND cpu = Utf8("cpu0")"#
- );
-
- let expr = "time".as_expr().eq(lit_timestamp_nano(0));
- assert_eq!(rewrite(expr), r#"time = TimestampNanosecond(0, None)"#);
-
- let expr = "instance"
- .as_expr()
- .eq(lit("instance-01"))
- .or("instance".as_expr().eq(lit("instance-02")))
- .and(
- "time"
- .as_expr()
- .gt_eq(now() - lit(V::new_interval_dt(0, 60_000))),
- );
- assert_eq!(
- rewrite(expr),
- r#"time >= TimestampNanosecond(1672531140000000000, None) AND (instance = Utf8("instance-01") OR instance = Utf8("instance-02"))"#
- );
-
- let expr = "time"
- .as_expr()
- .gt_eq(now() - lit(V::new_interval_dt(0, 60_000)))
- .and("time".as_expr().lt(now()))
- .and(
- "cpu"
- .as_expr()
- .eq(lit("cpu0"))
- .or("cpu".as_expr().eq(lit("cpu1"))),
- );
- assert_eq!(
- rewrite(expr),
- r#"time >= TimestampNanosecond(1672531140000000000, None) AND time < TimestampNanosecond(1672531200000000000, None) AND (cpu = Utf8("cpu0") OR cpu = Utf8("cpu1"))"#
- );
-
- // time >= now - 60s AND time < now() OR cpu = 'cpu0' OR cpu = 'cpu1'
- //
- // Expects the time range to be combined with a conjunction (AND)
- let expr = "time"
- .as_expr()
- .gt_eq(now() - lit(V::new_interval_dt(0, 60_000)))
- .and("time".as_expr().lt(now()))
- .or("cpu"
- .as_expr()
- .eq(lit("cpu0"))
- .or("cpu".as_expr().eq(lit("cpu1"))));
- assert_eq!(
- rewrite(expr),
- r#"time >= TimestampNanosecond(1672531140000000000, None) AND time < TimestampNanosecond(1672531200000000000, None) AND (cpu = Utf8("cpu0") OR cpu = Utf8("cpu1"))"#
- );
-
- // time = 0 OR time = 10 AND cpu = 'cpu0'
- let expr = "time".as_expr().eq(lit_timestamp_nano(0)).or("time"
- .as_expr()
- .eq(lit_timestamp_nano(10))
- .and("cpu".as_expr().eq(lit("cpu0"))));
- assert_eq!(
- rewrite(expr),
- r#"(time = TimestampNanosecond(0, None) OR time = TimestampNanosecond(10, None)) AND cpu = Utf8("cpu0")"#
- );
-
- // no time
- let expr = "f64".as_expr().gt_eq(lit(19.5_f64)).or(binary_expr(
- "f64".as_expr(),
- Operator::RegexMatch,
- lit("foo"),
- ));
- assert_eq!(
- rewrite(expr),
- "f64 >= Float64(19.5) OR (f64 ~ Utf8(\"foo\"))"
- );
-
- // fallible
-
- let expr = "time"
- .as_expr()
- .eq(lit_timestamp_nano(0))
- .or("time".as_expr().gt(now()));
- assert_eq!(rewrite(expr), "Boolean(false)");
- }
/// Tests which validate that division is coalesced to `0`, to handle division by zero,
/// which normally returns a `NULL`, but presents as `0` for InfluxQL.
@@ -1430,17 +632,6 @@ mod test {
assert_eq!(rewrite(expr), r#"tag0 !~ Utf8("foo")"#);
}
- fn execution_props() -> ExecutionProps {
- let start_time = NaiveDate::from_ymd_opt(2023, 1, 1)
- .unwrap()
- .and_hms_opt(0, 0, 0)
- .unwrap();
- let start_time = DateTime::<Utc>::from_utc(start_time, Utc);
- let mut props = ExecutionProps::new();
- props.query_execution_start_time = start_time;
- props
- }
-
#[test]
fn test_string_operations() {
let props = execution_props();
@@ -1733,119 +924,4 @@ mod test {
let expr = col("string_field").not_eq(lit("foo"));
assert_eq!(rewrite(expr), r#"string_field != Utf8("foo")"#);
}
-
- #[test]
- fn test_lower_bound_cmp() {
- let (a, b) = (LowerBound::unbounded(), LowerBound::unbounded());
- assert!(a == b);
-
- let (a, b) = (LowerBound::included(5), LowerBound::included(5));
- assert!(a == b);
-
- let (a, b) = (LowerBound::included(5), LowerBound::included(6));
- assert!(a < b);
-
- // a >= 6 gt a >= 5
- let (a, b) = (LowerBound::included(6), LowerBound::included(5));
- assert!(a > b);
-
- let (a, b) = (LowerBound::excluded(5), LowerBound::excluded(5));
- assert!(a == b);
-
- let (a, b) = (LowerBound::excluded(5), LowerBound::excluded(6));
- assert!(a < b);
-
- let (a, b) = (LowerBound::excluded(6), LowerBound::excluded(5));
- assert!(a > b);
-
- let (a, b) = (LowerBound::unbounded(), LowerBound::included(5));
- assert!(a < b);
-
- let (a, b) = (LowerBound::unbounded(), LowerBound::excluded(5));
- assert!(a < b);
-
- let (a, b) = (LowerBound::included(5), LowerBound::unbounded());
- assert!(a > b);
-
- let (a, b) = (LowerBound::excluded(5), LowerBound::unbounded());
- assert!(a > b);
-
- let (a, b) = (LowerBound::included(5), LowerBound::excluded(5));
- assert!(a < b);
-
- let (a, b) = (LowerBound::included(5), LowerBound::excluded(4));
- assert!(a == b);
-
- let (a, b) = (LowerBound::included(5), LowerBound::excluded(6));
- assert!(a < b);
-
- let (a, b) = (LowerBound::included(6), LowerBound::excluded(5));
- assert!(a == b);
-
- let (a, b) = (LowerBound::excluded(5), LowerBound::included(5));
- assert!(a > b);
-
- let (a, b) = (LowerBound::excluded(5), LowerBound::included(6));
- assert!(a == b);
-
- let (a, b) = (LowerBound::excluded(6), LowerBound::included(5));
- assert!(a > b);
- }
-
- #[test]
- fn test_upper_bound_cmp() {
- let (a, b) = (UpperBound::unbounded(), UpperBound::unbounded());
- assert!(a == b);
-
- let (a, b) = (UpperBound::included(5), UpperBound::included(5));
- assert!(a == b);
-
- let (a, b) = (UpperBound::included(5), UpperBound::included(6));
- assert!(a < b);
-
- let (a, b) = (UpperBound::included(6), UpperBound::included(5));
- assert!(a > b);
-
- let (a, b) = (UpperBound::excluded(5), UpperBound::excluded(5));
- assert!(a == b);
-
- let (a, b) = (UpperBound::excluded(5), UpperBound::excluded(6));
- assert!(a < b);
-
- let (a, b) = (UpperBound::excluded(6), UpperBound::excluded(5));
- assert!(a > b);
-
- let (a, b) = (UpperBound::unbounded(), UpperBound::included(5));
- assert!(a > b);
-
- let (a, b) = (UpperBound::unbounded(), UpperBound::excluded(5));
- assert!(a > b);
-
- let (a, b) = (UpperBound::included(5), UpperBound::unbounded());
- assert!(a < b);
-
- let (a, b) = (UpperBound::excluded(5), UpperBound::unbounded());
- assert!(a < b);
-
- let (a, b) = (UpperBound::included(5), UpperBound::excluded(5));
- assert!(a > b);
-
- let (a, b) = (UpperBound::included(5), UpperBound::excluded(4));
- assert!(a > b);
-
- let (a, b) = (UpperBound::included(5), UpperBound::excluded(6));
- assert!(a == b);
-
- let (a, b) = (UpperBound::included(5), UpperBound::excluded(7));
- assert!(a < b);
-
- let (a, b) = (UpperBound::excluded(5), UpperBound::included(5));
- assert!(a < b);
-
- let (a, b) = (UpperBound::excluded(5), UpperBound::included(6));
- assert!(a < b);
-
- let (a, b) = (UpperBound::excluded(5), UpperBound::included(4));
- assert!(a == b);
- }
}
diff --git a/iox_query_influxql/src/plan/planner/test_utils.rs b/iox_query_influxql/src/plan/planner/test_utils.rs
new file mode 100644
index 0000000000..1df2de9d5f
--- /dev/null
+++ b/iox_query_influxql/src/plan/planner/test_utils.rs
@@ -0,0 +1,38 @@
+//! APIs for testing.
+#![cfg(test)]
+
+use crate::plan::ir::DataSourceSchema;
+use crate::plan::util::Schemas;
+use chrono::{DateTime, NaiveDate, Utc};
+use datafusion::common::{DFSchemaRef, ToDFSchema};
+use datafusion::execution::context::ExecutionProps;
+use schema::{InfluxFieldType, SchemaBuilder};
+use std::sync::Arc;
+
+pub(super) fn new_schemas() -> (Schemas, DataSourceSchema<'static>) {
+ let iox_schema = SchemaBuilder::new()
+ .measurement("m0")
+ .timestamp()
+ .tag("tag0")
+ .tag("tag1")
+ .influx_field("float_field", InfluxFieldType::Float)
+ .influx_field("integer_field", InfluxFieldType::Integer)
+ .influx_field("unsigned_field", InfluxFieldType::UInteger)
+ .influx_field("string_field", InfluxFieldType::String)
+ .influx_field("boolean_field", InfluxFieldType::Boolean)
+ .build()
+ .expect("schema failed");
+ let df_schema: DFSchemaRef = Arc::clone(iox_schema.inner()).to_dfschema_ref().unwrap();
+ (Schemas { df_schema }, DataSourceSchema::Table(iox_schema))
+}
+
+pub(super) fn execution_props() -> ExecutionProps {
+ let start_time = NaiveDate::from_ymd_opt(2023, 1, 1)
+ .unwrap()
+ .and_hms_opt(0, 0, 0)
+ .unwrap();
+ let start_time = DateTime::<Utc>::from_utc(start_time, Utc);
+ let mut props = ExecutionProps::new();
+ props.query_execution_start_time = start_time;
+ props
+}
diff --git a/iox_query_influxql/src/plan/planner/time_range.rs b/iox_query_influxql/src/plan/planner/time_range.rs
new file mode 100644
index 0000000000..193d7d734a
--- /dev/null
+++ b/iox_query_influxql/src/plan/planner/time_range.rs
@@ -0,0 +1,909 @@
+use crate::plan::error;
+use datafusion::common;
+use datafusion::common::tree_node::{TreeNode, TreeNodeVisitor, VisitRecursion};
+use datafusion::common::{Column, ScalarValue};
+use datafusion::logical_expr::{binary_expr, lit, Expr, Operator};
+use datafusion::optimizer::simplify_expressions::{ExprSimplifier, SimplifyContext};
+use datafusion::optimizer::utils::disjunction;
+use datafusion_util::AsExpr;
+use std::cmp::Ordering;
+use std::collections::Bound;
+
+/// Traverse `expr` and promote time range expressions to the root
+/// binary node on the left hand side and combined using the conjunction (`AND`)
+/// operator to ensure the time range is applied to the entire predicate.
+///
+/// Additionally, multiple `time = <timestamp>` expressions are combined
+/// using the disjunction (OR) operator, whereas, InfluxQL only supports
+/// a single `time = <timestamp>` expression.
+///
+/// # NOTE
+///
+/// Combining relational operators like `time > now() - 5s` and equality
+/// operators like `time = <timestamp>` with a disjunction (`OR`)
+/// will evaluate to false, like InfluxQL.
+///
+/// # Background
+///
+/// The InfluxQL query engine always promotes the time range expression to filter
+/// all results. It is misleading that time ranges are written in the `WHERE` clause,
+/// as the `WHERE` predicate is not evaluated in its entirety for each row. Rather,
+/// InfluxQL extracts the time range to form a time bound for the entire query and
+/// removes any time range expressions from the filter predicate. The time range
+/// is determined using the `>` and `≥` operators to form the lower bound and
+/// the `<` and `≤` operators to form the upper bound. When multiple instances of
+/// the lower or upper bound operators are found, the time bounds will form the
+/// intersection. For example
+///
+/// ```sql
+/// WHERE time >= 1000 AND time >= 2000 AND time < 10000 and time < 9000
+/// ```
+///
+/// is equivalent to
+///
+/// ```sql
+/// WHERE time >= 2000 AND time < 9000
+/// ```
+///
+/// Further, InfluxQL only allows a single `time = <value>` binary expression. Multiple
+/// occurrences result in an empty result set.
+///
+/// ## Examples
+///
+/// Lets illustrate how InfluxQL applies predicates with a typical example, using the
+/// `metrics.lp` data in the IOx repository:
+///
+/// ```sql
+/// SELECT cpu, usage_idle FROM cpu
+/// WHERE
+/// time > '2020-06-11T16:53:30Z' AND time < '2020-06-11T16:55:00Z' AND cpu = 'cpu0'
+/// ```
+///
+/// InfluxQL first filters rows based on the time range:
+///
+/// ```sql
+/// '2020-06-11T16:53:30Z' < time < '2020-06-11T16:55:00Z'
+/// ```
+///
+/// and then applies the predicate to the individual rows:
+///
+/// ```sql
+/// cpu = 'cpu0'
+/// ```
+///
+/// Producing the following result:
+///
+/// ```text
+/// name: cpu
+/// time cpu usage_idle
+/// ---- --- ----------
+/// 2020-06-11T16:53:40Z cpu0 90.29029029029029
+/// 2020-06-11T16:53:50Z cpu0 89.8
+/// 2020-06-11T16:54:00Z cpu0 90.09009009009009
+/// 2020-06-11T16:54:10Z cpu0 88.82235528942115
+/// ```
+///
+/// The following example is a little more complicated, but shows again how InfluxQL
+/// separates the time ranges from the predicate:
+///
+/// ```sql
+/// SELECT cpu, usage_idle FROM cpu
+/// WHERE
+/// time > '2020-06-11T16:53:30Z' AND time < '2020-06-11T16:55:00Z' AND cpu = 'cpu0' OR cpu = 'cpu1'
+/// ```
+///
+/// InfluxQL first filters rows based on the time range:
+///
+/// ```sql
+/// '2020-06-11T16:53:30Z' < time < '2020-06-11T16:55:00Z'
+/// ```
+///
+/// and then applies the predicate to the individual rows:
+///
+/// ```sql
+/// cpu = 'cpu0' OR cpu = 'cpu1'
+/// ```
+///
+/// This is certainly quite different to SQL, which would evaluate the predicate as:
+///
+/// ```sql
+/// SELECT cpu, usage_idle FROM cpu
+/// WHERE
+/// (time > '2020-06-11T16:53:30Z' AND time < '2020-06-11T16:55:00Z' AND cpu = 'cpu0') OR cpu = 'cpu1'
+/// ```
+///
+/// ## Time ranges are not normal
+///
+/// Here we demonstrate how the operators combining time ranges do not matter. Using the
+/// original query:
+///
+/// ```sql
+/// SELECT cpu, usage_idle FROM cpu
+/// WHERE
+/// time > '2020-06-11T16:53:30Z' AND time < '2020-06-11T16:55:00Z' AND cpu = 'cpu0'
+/// ```
+///
+/// we replace all `AND` operators with `OR`:
+///
+/// ```sql
+/// SELECT cpu, usage_idle FROM cpu
+/// WHERE
+/// time > '2020-06-11T16:53:30Z' OR time < '2020-06-11T16:55:00Z' OR cpu = 'cpu0'
+/// ```
+///
+/// This should return all rows, but yet it returns the same result 🤯:
+///
+/// ```text
+/// name: cpu
+/// time cpu usage_idle
+/// ---- --- ----------
+/// 2020-06-11T16:53:40Z cpu0 90.29029029029029
+/// 2020-06-11T16:53:50Z cpu0 89.8
+/// 2020-06-11T16:54:00Z cpu0 90.09009009009009
+/// 2020-06-11T16:54:10Z cpu0 88.82235528942115
+/// ```
+///
+/// It becomes clearer, if we again review at how InfluxQL OG evaluates the `WHERE`
+/// predicate, InfluxQL first filters rows based on the time range, which uses the
+/// rules previously defined by finding `>` and `≥` to determine the lower bound
+/// and `<` and `≤`:
+///
+/// ```sql
+/// '2020-06-11T16:53:30Z' < time < '2020-06-11T16:55:00Z'
+/// ```
+///
+/// and then applies the predicate to the individual rows:
+///
+/// ```sql
+/// cpu = 'cpu0'
+/// ```
+///
+/// ## How to think of time ranges intuitively
+///
+/// Imagine a slight variation of InfluxQL has a separate _time bounds clause_.
+/// It could have two forms, first as a `BETWEEN`
+///
+/// ```sql
+/// SELECT cpu, usage_idle FROM cpu
+/// WITH TIME BETWEEN '2020-06-11T16:53:30Z' AND '2020-06-11T16:55:00Z'
+/// WHERE
+/// cpu = 'cpu0'
+/// ```
+///
+/// or as an `IN` to select multiple points:
+///
+/// ```sql
+/// SELECT cpu, usage_idle FROM cpu
+/// WITH TIME IN ('2004-04-09T12:00:00Z', '2004-04-09T12:00:10Z', ...)
+/// WHERE
+/// cpu = 'cpu0'
+/// ```
+pub fn rewrite_time_range_exprs(
+ expr: Expr,
+ simplifier: &ExprSimplifier<SimplifyContext<'_>>,
+) -> common::Result<Expr> {
+ let has_time_range = matches!(
+ expr.apply(&mut |expr| Ok(match expr {
+ expr @ Expr::BinaryExpr(_) if is_time_range(expr) => {
+ VisitRecursion::Stop
+ }
+ _ => VisitRecursion::Continue,
+ }))
+ .expect("infallible"),
+ VisitRecursion::Stop
+ );
+
+ // Nothing to do if there are no time range expressions
+ if !has_time_range {
+ return Ok(expr);
+ }
+
+ let mut rw = SeparateTimeRange::new(simplifier);
+ expr.visit(&mut rw)?;
+
+ // When `expr` contains both time expressions using relational
+ // operators like > or <= and equality, such as
+ //
+ // WHERE time > now() - 5s OR time = '2004-04-09:12:00:00Z' AND cpu = 'cpu0'
+ //
+ // the entire expression evaluates to `false` to be consistent with InfluxQL.
+ if !rw.time_range.is_unbounded() && !rw.equality.is_empty() {
+ return Ok(lit(false));
+ }
+
+ let lhs = if let Some(expr) = rw.time_range.as_expr() {
+ Some(expr)
+ } else if !rw.equality.is_empty() {
+ disjunction(rw.equality)
+ } else {
+ None
+ };
+
+ let rhs = rw
+ .stack
+ .pop()
+ .ok_or_else(|| error::map::internal("expected expression on stack"))?;
+
+ Ok(match (lhs, rhs) {
+ (Some(lhs), Some(rhs)) => binary_expr(lhs, Operator::And, rhs),
+ (Some(expr), None) | (None, Some(expr)) => expr,
+ (None, None) => lit(true),
+ })
+}
+
+/// Returns `true` if `expr` refers to the `time` column.
+fn is_time_column(expr: &Expr) -> bool {
+ matches!(expr, Expr::Column(Column{ name, .. }) if name == "time")
+}
+
+/// Returns `true` if `expr` is a time range expression
+///
+/// Examples include:
+///
+/// ```text
+/// time = '2004-04-09T12:00:00Z'
+/// ```
+///
+/// or
+///
+/// ```text
+/// time > now() - 5m
+/// ```
+fn is_time_range(expr: &Expr) -> bool {
+ use datafusion::logical_expr::BinaryExpr;
+ use datafusion::logical_expr::Operator::*;
+ match expr {
+ Expr::BinaryExpr(BinaryExpr {
+ left,
+ op: Eq | NotEq | Gt | Lt | GtEq | LtEq,
+ right,
+ }) => is_time_column(left) || is_time_column(right),
+ _ => false,
+ }
+}
+
+/// Represents the lower bound, in nanoseconds, of a [`TimeRange`].
+pub struct LowerBound(Bound<i64>);
+
+impl LowerBound {
+ /// Create a new, time bound that is unbounded
+ fn unbounded() -> Self {
+ Self(Bound::Unbounded)
+ }
+
+ /// Create a new, time bound that includes `v`
+ fn included(v: i64) -> Self {
+ Self(Bound::Included(v))
+ }
+
+ /// Create a new, time bound that excludes `v`
+ fn excluded(v: i64) -> Self {
+ Self(Bound::Excluded(v))
+ }
+
+ /// Returns `true` if the receiver is unbounded.
+ fn is_unbounded(&self) -> bool {
+ matches!(self.0, Bound::Unbounded)
+ }
+
+ fn as_expr(&self) -> Option<Expr> {
+ match self.0 {
+ Bound::Included(ts) => Some(
+ "time"
+ .as_expr()
+ .gt_eq(lit(ScalarValue::TimestampNanosecond(Some(ts), None))),
+ ),
+ Bound::Excluded(ts) => Some(
+ "time"
+ .as_expr()
+ .gt(lit(ScalarValue::TimestampNanosecond(Some(ts), None))),
+ ),
+ Bound::Unbounded => None,
+ }
+ }
+}
+
+impl Default for LowerBound {
+ fn default() -> Self {
+ Self::unbounded()
+ }
+}
+
+impl Eq for LowerBound {}
+
+impl PartialEq<Self> for LowerBound {
+ fn eq(&self, other: &Self) -> bool {
+ self.cmp(other) == Ordering::Equal
+ }
+}
+
+impl PartialOrd<Self> for LowerBound {
+ fn partial_cmp(&self, other: &Self) -> Option<Ordering> {
+ Some(self.cmp(other))
+ }
+}
+
+impl Ord for LowerBound {
+ fn cmp(&self, other: &Self) -> Ordering {
+ match (self.0, other.0) {
+ (Bound::Unbounded, Bound::Unbounded) => Ordering::Equal,
+ (Bound::Unbounded, _) => Ordering::Less,
+ (_, Bound::Unbounded) => Ordering::Greater,
+ (Bound::Included(a), Bound::Included(b)) | (Bound::Excluded(a), Bound::Excluded(b)) => {
+ a.cmp(&b)
+ }
+ (Bound::Included(a), Bound::Excluded(b)) => match a.cmp(&b) {
+ Ordering::Equal => Ordering::Less,
+ // We know that if a > b, b + 1 is safe from overflow
+ Ordering::Greater if a == b + 1 => Ordering::Equal,
+ ordering => ordering,
+ },
+ (Bound::Excluded(a), Bound::Included(b)) => match a.cmp(&b) {
+ Ordering::Equal => Ordering::Greater,
+ // We know that if a < b, a + 1 is safe from overflow
+ Ordering::Less if a + 1 == b => Ordering::Equal,
+ ordering => ordering,
+ },
+ }
+ }
+}
+
+/// Represents the upper bound, in nanoseconds, of a [`TimeRange`].
+pub struct UpperBound(Bound<i64>);
+
+impl UpperBound {
+ /// Create a new, unbounded upper bound.
+ fn unbounded() -> Self {
+ Self(Bound::Unbounded)
+ }
+
+ /// Create a new, upper bound that includes `v`
+ fn included(v: i64) -> Self {
+ Self(Bound::Included(v))
+ }
+
+ /// Create a new, upper bound that excludes `v`
+ fn excluded(v: i64) -> Self {
+ Self(Bound::Excluded(v))
+ }
+
+ /// Returns `true` if the receiver is unbounded.
+ fn is_unbounded(&self) -> bool {
+ matches!(self.0, Bound::Unbounded)
+ }
+
+ fn as_expr(&self) -> Option<Expr> {
+ match self.0 {
+ Bound::Included(ts) => Some(
+ "time"
+ .as_expr()
+ .lt_eq(lit(ScalarValue::TimestampNanosecond(Some(ts), None))),
+ ),
+ Bound::Excluded(ts) => Some(
+ "time"
+ .as_expr()
+ .lt(lit(ScalarValue::TimestampNanosecond(Some(ts), None))),
+ ),
+ Bound::Unbounded => None,
+ }
+ }
+}
+
+impl Default for UpperBound {
+ fn default() -> Self {
+ Self::unbounded()
+ }
+}
+
+impl Eq for UpperBound {}
+
+impl PartialEq<Self> for UpperBound {
+ fn eq(&self, other: &Self) -> bool {
+ self.cmp(other) == Ordering::Equal
+ }
+}
+
+impl PartialOrd<Self> for UpperBound {
+ fn partial_cmp(&self, other: &Self) -> Option<Ordering> {
+ Some(self.cmp(other))
+ }
+}
+
+impl Ord for UpperBound {
+ fn cmp(&self, other: &Self) -> Ordering {
+ match (self.0, other.0) {
+ (Bound::Unbounded, Bound::Unbounded) => Ordering::Equal,
+ (Bound::Unbounded, _) => Ordering::Greater,
+ (_, Bound::Unbounded) => Ordering::Less,
+ (Bound::Included(a), Bound::Included(b)) | (Bound::Excluded(a), Bound::Excluded(b)) => {
+ a.cmp(&b)
+ }
+ (Bound::Included(a), Bound::Excluded(b)) => match a.cmp(&b) {
+ Ordering::Equal => Ordering::Greater,
+ // We know that if a < b, b - 1 is safe from underflow
+ Ordering::Less if a == b - 1 => Ordering::Equal,
+ ordering => ordering,
+ },
+ (Bound::Excluded(a), Bound::Included(b)) => match a.cmp(&b) {
+ Ordering::Equal => Ordering::Less,
+ // We know that if a > b, a - 1 is safe from overflow
+ Ordering::Greater if a - 1 == b => Ordering::Equal,
+ ordering => ordering,
+ },
+ }
+ }
+}
+
+/// Represents a time range, with a single lower and upper bound.
+#[derive(Default, PartialEq, Eq)]
+struct TimeRange {
+ lower: LowerBound,
+ upper: UpperBound,
+}
+
+impl TimeRange {
+ /// Returns `true` if the time range is unbounded.
+ fn is_unbounded(&self) -> bool {
+ self.lower.is_unbounded() && self.upper.is_unbounded()
+ }
+
+ /// Returns the time range as a conditional expression.
+ fn as_expr(&self) -> Option<Expr> {
+ match (self.lower.as_expr(), self.upper.as_expr()) {
+ (None, None) => None,
+ (Some(e), None) | (None, Some(e)) => Some(e),
+ (Some(lower), Some(upper)) => Some(lower.and(upper)),
+ }
+ }
+}
+
+struct SeparateTimeRange<'a> {
+ simplifier: &'a ExprSimplifier<SimplifyContext<'a>>,
+ stack: Vec<Option<Expr>>,
+ time_range: TimeRange,
+
+ /// Equality time range expressions, such as:
+ ///
+ /// ```sql
+ /// time = '2004-04-09T12:00:00Z'
+ equality: Vec<Expr>,
+}
+
+impl<'a> SeparateTimeRange<'a> {
+ fn new(simplifier: &'a ExprSimplifier<SimplifyContext<'_>>) -> Self {
+ Self {
+ simplifier,
+ stack: vec![],
+ time_range: Default::default(),
+ equality: vec![],
+ }
+ }
+}
+
+impl<'a> TreeNodeVisitor for SeparateTimeRange<'a> {
+ type N = Expr;
+
+ fn pre_visit(&mut self, node: &Self::N) -> common::Result<VisitRecursion> {
+ if matches!(node, Expr::BinaryExpr(_)) {
+ Ok(VisitRecursion::Continue)
+ } else {
+ Ok(VisitRecursion::Skip)
+ }
+ }
+
+ fn post_visit(&mut self, node: &Self::N) -> common::Result<VisitRecursion> {
+ use datafusion::logical_expr::BinaryExpr;
+ use datafusion::logical_expr::Operator::*;
+
+ match node {
+ // A binary expression where either the left or right
+ // expression refers to the "time" column.
+ //
+ // "time" OP expression
+ // expression OP "time"
+ //
+ Expr::BinaryExpr(BinaryExpr {
+ left,
+ op: op @ (Eq | NotEq | Gt | Lt | GtEq | LtEq),
+ right,
+ }) if is_time_column(left) | is_time_column(right) => {
+ self.stack.push(None);
+
+ if matches!(op, Eq | NotEq) {
+ let node = self.simplifier.simplify(node.clone())?;
+ self.equality.push(node);
+ return Ok(VisitRecursion::Continue);
+ }
+
+ /// Op is the limited set of operators expected from here on,
+ /// to avoid repeated wildcard match arms with unreachable!().
+ enum Op {
+ Gt,
+ GtEq,
+ Lt,
+ LtEq,
+ }
+
+ // Map the DataFusion Operator to Op
+ let op = match op {
+ Gt => Op::Gt,
+ GtEq => Op::GtEq,
+ Lt => Op::Lt,
+ LtEq => Op::LtEq,
+ _ => unreachable!("expected: Gt | Lt | GtEq | LtEq"),
+ };
+
+ let (expr, op) = if is_time_column(left) {
+ (right, op)
+ } else {
+ // swap the operators when the conditional is `expression OP "time"`
+ (
+ left,
+ match op {
+ Op::Gt => Op::Lt,
+ Op::GtEq => Op::LtEq,
+ Op::Lt => Op::Gt,
+ Op::LtEq => Op::GtEq,
+ },
+ )
+ };
+
+ // resolve `now()` and reduce binary expressions to a single constant
+ let expr = self.simplifier.simplify(*expr.clone())?;
+
+ let ts = match expr {
+ Expr::Literal(ScalarValue::TimestampNanosecond(Some(ts), _)) => ts,
+ expr => {
+ return error::internal(format!(
+ "expected TimestampNanosecond, got: {}",
+ expr
+ ))
+ }
+ };
+
+ match op {
+ Op::Gt => {
+ let ts = LowerBound::excluded(ts);
+ if ts > self.time_range.lower {
+ self.time_range.lower = ts;
+ }
+ }
+ Op::GtEq => {
+ let ts = LowerBound::included(ts);
+ if ts > self.time_range.lower {
+ self.time_range.lower = ts;
+ }
+ }
+ Op::Lt => {
+ let ts = UpperBound::excluded(ts);
+ if ts < self.time_range.upper {
+ self.time_range.upper = ts;
+ }
+ }
+ Op::LtEq => {
+ let ts = UpperBound::included(ts);
+ if ts < self.time_range.upper {
+ self.time_range.upper = ts;
+ }
+ }
+ }
+
+ Ok(VisitRecursion::Continue)
+ }
+
+ node @ Expr::BinaryExpr(BinaryExpr {
+ op:
+ Eq | NotEq | Gt | GtEq | Lt | LtEq | RegexMatch | RegexNotMatch | RegexIMatch
+ | RegexNotIMatch,
+ ..
+ }) => {
+ self.stack.push(Some(node.clone()));
+ Ok(VisitRecursion::Continue)
+ }
+ Expr::BinaryExpr(BinaryExpr {
+ op: op @ (And | Or),
+ ..
+ }) => {
+ let right = self
+ .stack
+ .pop()
+ .ok_or_else(|| error::map::internal("invalid expr stack"))?;
+ let left = self
+ .stack
+ .pop()
+ .ok_or_else(|| error::map::internal("invalid expr stack"))?;
+ self.stack.push(match (left, right) {
+ (Some(left), Some(right)) => Some(binary_expr(left, *op, right)),
+ (None, Some(node)) | (Some(node), None) => Some(node),
+ (None, None) => None,
+ });
+
+ Ok(VisitRecursion::Continue)
+ }
+ _ => Ok(VisitRecursion::Continue),
+ }
+ }
+}
+
+#[cfg(test)]
+mod test {
+ use crate::plan::planner::test_utils::{execution_props, new_schemas};
+ use crate::plan::planner::time_range::{LowerBound, UpperBound};
+ use datafusion::logical_expr::{binary_expr, lit, lit_timestamp_nano, now, Operator};
+ use datafusion::optimizer::simplify_expressions::{ExprSimplifier, SimplifyContext};
+ use datafusion_util::AsExpr;
+ use std::sync::Arc;
+
+ #[test]
+ fn test_rewrite_time_range_exprs() {
+ use crate::plan::planner::time_range::rewrite_time_range_exprs;
+ use datafusion::common::ScalarValue as V;
+
+ test_helpers::maybe_start_logging();
+
+ let props = execution_props();
+ let (schemas, _) = new_schemas();
+ let simplify_context =
+ SimplifyContext::new(&props).with_schema(Arc::clone(&schemas.df_schema));
+ let simplifier = ExprSimplifier::new(simplify_context);
+
+ let rewrite = |expr| {
+ rewrite_time_range_exprs(expr, &simplifier)
+ .unwrap()
+ .to_string()
+ };
+
+ let expr = "time"
+ .as_expr()
+ .gt_eq(now() - lit(V::new_interval_dt(0, 1000)));
+ assert_eq!(
+ rewrite(expr),
+ r#"time >= TimestampNanosecond(1672531199000000000, None)"#
+ );
+
+ // reduces the lower bound to a single expression
+ let expr = "time"
+ .as_expr()
+ .gt_eq(now() - lit(V::new_interval_dt(0, 1000)))
+ .and(
+ "time"
+ .as_expr()
+ .gt_eq(now() - lit(V::new_interval_dt(0, 500))),
+ );
+ assert_eq!(
+ rewrite(expr),
+ r#"time >= TimestampNanosecond(1672531199500000000, None)"#
+ );
+
+ let expr = "time"
+ .as_expr()
+ .lt_eq(now() - lit(V::new_interval_dt(0, 1000)));
+ assert_eq!(
+ rewrite(expr),
+ r#"time <= TimestampNanosecond(1672531199000000000, None)"#
+ );
+
+ // reduces the upper bound to a single expression
+ let expr = "time"
+ .as_expr()
+ .lt_eq(now() + lit(V::new_interval_dt(0, 1000)))
+ .and(
+ "time"
+ .as_expr()
+ .lt_eq(now() + lit(V::new_interval_dt(0, 500))),
+ );
+ assert_eq!(
+ rewrite(expr),
+ r#"time <= TimestampNanosecond(1672531200500000000, None)"#
+ );
+
+ let expr = "time"
+ .as_expr()
+ .gt_eq(now() - lit(V::new_interval_dt(0, 1000)))
+ .and("time".as_expr().lt(now()));
+ assert_eq!(
+ rewrite(expr),
+ r#"time >= TimestampNanosecond(1672531199000000000, None) AND time < TimestampNanosecond(1672531200000000000, None)"#
+ );
+
+ let expr = "time"
+ .as_expr()
+ .gt_eq(now() - lit(V::new_interval_dt(0, 1000)))
+ .and("cpu".as_expr().eq(lit("cpu0")));
+ assert_eq!(
+ rewrite(expr),
+ r#"time >= TimestampNanosecond(1672531199000000000, None) AND cpu = Utf8("cpu0")"#
+ );
+
+ let expr = "time".as_expr().eq(lit_timestamp_nano(0));
+ assert_eq!(rewrite(expr), r#"time = TimestampNanosecond(0, None)"#);
+
+ let expr = "instance"
+ .as_expr()
+ .eq(lit("instance-01"))
+ .or("instance".as_expr().eq(lit("instance-02")))
+ .and(
+ "time"
+ .as_expr()
+ .gt_eq(now() - lit(V::new_interval_dt(0, 60_000))),
+ );
+ assert_eq!(
+ rewrite(expr),
+ r#"time >= TimestampNanosecond(1672531140000000000, None) AND (instance = Utf8("instance-01") OR instance = Utf8("instance-02"))"#
+ );
+
+ let expr = "time"
+ .as_expr()
+ .gt_eq(now() - lit(V::new_interval_dt(0, 60_000)))
+ .and("time".as_expr().lt(now()))
+ .and(
+ "cpu"
+ .as_expr()
+ .eq(lit("cpu0"))
+ .or("cpu".as_expr().eq(lit("cpu1"))),
+ );
+ assert_eq!(
+ rewrite(expr),
+ r#"time >= TimestampNanosecond(1672531140000000000, None) AND time < TimestampNanosecond(1672531200000000000, None) AND (cpu = Utf8("cpu0") OR cpu = Utf8("cpu1"))"#
+ );
+
+ // time >= now - 60s AND time < now() OR cpu = 'cpu0' OR cpu = 'cpu1'
+ //
+ // Expects the time range to be combined with a conjunction (AND)
+ let expr = "time"
+ .as_expr()
+ .gt_eq(now() - lit(V::new_interval_dt(0, 60_000)))
+ .and("time".as_expr().lt(now()))
+ .or("cpu"
+ .as_expr()
+ .eq(lit("cpu0"))
+ .or("cpu".as_expr().eq(lit("cpu1"))));
+ assert_eq!(
+ rewrite(expr),
+ r#"time >= TimestampNanosecond(1672531140000000000, None) AND time < TimestampNanosecond(1672531200000000000, None) AND (cpu = Utf8("cpu0") OR cpu = Utf8("cpu1"))"#
+ );
+
+ // time = 0 OR time = 10 AND cpu = 'cpu0'
+ let expr = "time".as_expr().eq(lit_timestamp_nano(0)).or("time"
+ .as_expr()
+ .eq(lit_timestamp_nano(10))
+ .and("cpu".as_expr().eq(lit("cpu0"))));
+ assert_eq!(
+ rewrite(expr),
+ r#"(time = TimestampNanosecond(0, None) OR time = TimestampNanosecond(10, None)) AND cpu = Utf8("cpu0")"#
+ );
+
+ // no time
+ let expr = "f64".as_expr().gt_eq(lit(19.5_f64)).or(binary_expr(
+ "f64".as_expr(),
+ Operator::RegexMatch,
+ lit("foo"),
+ ));
+ assert_eq!(
+ rewrite(expr),
+ "f64 >= Float64(19.5) OR (f64 ~ Utf8(\"foo\"))"
+ );
+
+ // fallible
+
+ let expr = "time"
+ .as_expr()
+ .eq(lit_timestamp_nano(0))
+ .or("time".as_expr().gt(now()));
+ assert_eq!(rewrite(expr), "Boolean(false)");
+ }
+ #[test]
+ fn test_lower_bound_cmp() {
+ let (a, b) = (LowerBound::unbounded(), LowerBound::unbounded());
+ assert!(a == b);
+
+ let (a, b) = (LowerBound::included(5), LowerBound::included(5));
+ assert!(a == b);
+
+ let (a, b) = (LowerBound::included(5), LowerBound::included(6));
+ assert!(a < b);
+
+ // a >= 6 gt a >= 5
+ let (a, b) = (LowerBound::included(6), LowerBound::included(5));
+ assert!(a > b);
+
+ let (a, b) = (LowerBound::excluded(5), LowerBound::excluded(5));
+ assert!(a == b);
+
+ let (a, b) = (LowerBound::excluded(5), LowerBound::excluded(6));
+ assert!(a < b);
+
+ let (a, b) = (LowerBound::excluded(6), LowerBound::excluded(5));
+ assert!(a > b);
+
+ let (a, b) = (LowerBound::unbounded(), LowerBound::included(5));
+ assert!(a < b);
+
+ let (a, b) = (LowerBound::unbounded(), LowerBound::excluded(5));
+ assert!(a < b);
+
+ let (a, b) = (LowerBound::included(5), LowerBound::unbounded());
+ assert!(a > b);
+
+ let (a, b) = (LowerBound::excluded(5), LowerBound::unbounded());
+ assert!(a > b);
+
+ let (a, b) = (LowerBound::included(5), LowerBound::excluded(5));
+ assert!(a < b);
+
+ let (a, b) = (LowerBound::included(5), LowerBound::excluded(4));
+ assert!(a == b);
+
+ let (a, b) = (LowerBound::included(5), LowerBound::excluded(6));
+ assert!(a < b);
+
+ let (a, b) = (LowerBound::included(6), LowerBound::excluded(5));
+ assert!(a == b);
+
+ let (a, b) = (LowerBound::excluded(5), LowerBound::included(5));
+ assert!(a > b);
+
+ let (a, b) = (LowerBound::excluded(5), LowerBound::included(6));
+ assert!(a == b);
+
+ let (a, b) = (LowerBound::excluded(6), LowerBound::included(5));
+ assert!(a > b);
+ }
+
+ #[test]
+ fn test_upper_bound_cmp() {
+ let (a, b) = (UpperBound::unbounded(), UpperBound::unbounded());
+ assert!(a == b);
+
+ let (a, b) = (UpperBound::included(5), UpperBound::included(5));
+ assert!(a == b);
+
+ let (a, b) = (UpperBound::included(5), UpperBound::included(6));
+ assert!(a < b);
+
+ let (a, b) = (UpperBound::included(6), UpperBound::included(5));
+ assert!(a > b);
+
+ let (a, b) = (UpperBound::excluded(5), UpperBound::excluded(5));
+ assert!(a == b);
+
+ let (a, b) = (UpperBound::excluded(5), UpperBound::excluded(6));
+ assert!(a < b);
+
+ let (a, b) = (UpperBound::excluded(6), UpperBound::excluded(5));
+ assert!(a > b);
+
+ let (a, b) = (UpperBound::unbounded(), UpperBound::included(5));
+ assert!(a > b);
+
+ let (a, b) = (UpperBound::unbounded(), UpperBound::excluded(5));
+ assert!(a > b);
+
+ let (a, b) = (UpperBound::included(5), UpperBound::unbounded());
+ assert!(a < b);
+
+ let (a, b) = (UpperBound::excluded(5), UpperBound::unbounded());
+ assert!(a < b);
+
+ let (a, b) = (UpperBound::included(5), UpperBound::excluded(5));
+ assert!(a > b);
+
+ let (a, b) = (UpperBound::included(5), UpperBound::excluded(4));
+ assert!(a > b);
+
+ let (a, b) = (UpperBound::included(5), UpperBound::excluded(6));
+ assert!(a == b);
+
+ let (a, b) = (UpperBound::included(5), UpperBound::excluded(7));
+ assert!(a < b);
+
+ let (a, b) = (UpperBound::excluded(5), UpperBound::included(5));
+ assert!(a < b);
+
+ let (a, b) = (UpperBound::excluded(5), UpperBound::included(6));
+ assert!(a < b);
+
+ let (a, b) = (UpperBound::excluded(5), UpperBound::included(4));
+ assert!(a == b);
+ }
+}
|
8e7e22d16783c7548d0870bd9f04af56c3ff817f
|
Phil Bracikowski
|
2023-04-24 09:57:18
|
info logging for deleting parquet file (#7638)
|
* for influxdata/idpe#17451
* follow up to #7562
| null |
chore(garbage collector): info logging for deleting parquet file (#7638)
* for influxdata/idpe#17451
* follow up to #7562
|
diff --git a/garbage_collector/src/objectstore/deleter.rs b/garbage_collector/src/objectstore/deleter.rs
index abc5963e0d..a1255ca426 100644
--- a/garbage_collector/src/objectstore/deleter.rs
+++ b/garbage_collector/src/objectstore/deleter.rs
@@ -1,6 +1,6 @@
use futures::{StreamExt, TryStreamExt};
use object_store::{DynObjectStore, ObjectMeta};
-use observability_deps::tracing::{debug, info};
+use observability_deps::tracing::info;
use snafu::prelude::*;
use std::sync::Arc;
use tokio::sync::mpsc;
@@ -23,7 +23,7 @@ pub(crate) async fn perform(
info!(?path, "Not deleting due to dry run");
Ok(())
} else {
- debug!("Deleting {path}");
+ info!("Deleting {path}");
object_store
.delete(&path)
.await
|
adad6bb631102129584c20ca20a5a765d8a4a9ac
|
Dom Dwyer
|
2023-08-02 12:59:47
|
must_use annotation for gossip::Builder
|
Not all use cases will involve sending messages (some will only want to
subscribe to messages) which might result in someone dropping the handle
they're not expecting to use.
| null |
refactor: must_use annotation for gossip::Builder
Not all use cases will involve sending messages (some will only want to
subscribe to messages) which might result in someone dropping the handle
they're not expecting to use.
|
diff --git a/gossip/src/builder.rs b/gossip/src/builder.rs
index 35d7ebab83..3bd257a78a 100644
--- a/gossip/src/builder.rs
+++ b/gossip/src/builder.rs
@@ -40,6 +40,7 @@ where
///
/// This call spawns a tokio task, and as such must be called from within a
/// tokio runtime.
+ #[must_use = "gossip reactor stops when handle drops"]
pub fn build(self, socket: UdpSocket) -> GossipHandle {
// Obtain a channel to communicate between the actor, and all handles
let (tx, rx) = mpsc::channel(1000);
|
61fb92b85c11587bb9eb881b8f494156be098a6a
|
Dom Dwyer
|
2023-02-10 16:16:28
|
soft-delete RPC handler
|
This implements the RPC "delete_namespace" handler, allowing a namespace
to be soft-deleted.
Adds unit coverage for all handlers & e2e test coverage for the new
handler (the rest were already covered).
The tests also highlight the caching issue documented here:
|
https://github.com/influxdata/influxdb_iox/issues/6175
|
feat(router): soft-delete RPC handler
This implements the RPC "delete_namespace" handler, allowing a namespace
to be soft-deleted.
Adds unit coverage for all handlers & e2e test coverage for the new
handler (the rest were already covered).
The tests also highlight the caching issue documented here:
https://github.com/influxdata/influxdb_iox/issues/6175
|
diff --git a/router/tests/grpc.rs b/router/tests/grpc.rs
index 4350703793..cee23ae581 100644
--- a/router/tests/grpc.rs
+++ b/router/tests/grpc.rs
@@ -134,6 +134,138 @@ async fn test_namespace_create() {
assert_eq!(response.status(), StatusCode::NO_CONTENT);
}
+/// Ensure invoking the gRPC NamespaceService to delete a namespace propagates
+/// the catalog and denies writes after the cache has converged / router
+/// restarted.
+#[tokio::test]
+async fn test_namespace_delete() {
+ // Initialise a TestContext requiring explicit namespace creation.
+ let ctx = TestContext::new(true, None).await;
+
+ const RETENTION: i64 = Duration::from_secs(42 * 60 * 60).as_nanos() as _;
+
+ // Explicitly create the namespace.
+ let req = CreateNamespaceRequest {
+ name: "bananas_test".to_string(),
+ retention_period_ns: Some(RETENTION),
+ };
+ let got = ctx
+ .grpc_delegate()
+ .namespace_service()
+ .create_namespace(Request::new(req))
+ .await
+ .expect("failed to create namespace")
+ .into_inner()
+ .namespace
+ .expect("no namespace in response");
+
+ assert_eq!(got.name, "bananas_test");
+ assert_eq!(got.id, 1);
+ assert_eq!(got.retention_period_ns, Some(RETENTION));
+
+ // The namespace is usable.
+ let now = SystemProvider::default()
+ .now()
+ .timestamp_nanos()
+ .to_string();
+ let lp = "platanos,tag1=A,tag2=B val=42i ".to_string() + &now;
+ let response = ctx
+ .write_lp("bananas", "test", &lp)
+ .await
+ .expect("write failed");
+ assert_eq!(response.status(), StatusCode::NO_CONTENT);
+
+ // The RPC endpoint must not return the namespace.
+ {
+ let current = ctx
+ .grpc_delegate()
+ .namespace_service()
+ .get_namespaces(Request::new(Default::default()))
+ .await
+ .expect("must return namespaces")
+ .into_inner();
+ assert!(!current.namespaces.is_empty());
+ }
+
+ // Delete the namespace
+ {
+ let _resp = ctx
+ .grpc_delegate()
+ .namespace_service()
+ .delete_namespace(Request::new(DeleteNamespaceRequest {
+ name: "bananas_test".to_string(),
+ }))
+ .await
+ .expect("must delete");
+ }
+
+ // The RPC endpoint must not return the namespace.
+ {
+ let current = ctx
+ .grpc_delegate()
+ .namespace_service()
+ .get_namespaces(Request::new(Default::default()))
+ .await
+ .expect("must return namespaces")
+ .into_inner();
+ assert!(current.namespaces.is_empty());
+ }
+
+ // The catalog should contain the namespace, but "soft-deleted".
+ {
+ let db_list = ctx
+ .catalog()
+ .repositories()
+ .await
+ .namespaces()
+ .list(SoftDeletedRows::ExcludeDeleted)
+ .await
+ .expect("query failure");
+ assert!(db_list.is_empty());
+
+ let db_list = ctx
+ .catalog()
+ .repositories()
+ .await
+ .namespaces()
+ .list(SoftDeletedRows::OnlyDeleted)
+ .await
+ .expect("query failure");
+ assert_matches!(db_list.as_slice(), [ns] => {
+ assert_eq!(ns.id.get(), got.id);
+ assert_eq!(ns.name, got.name);
+ assert_eq!(ns.retention_period_ns, got.retention_period_ns);
+ assert!(ns.deleted_at.is_some());
+ });
+ }
+
+ // The cached entry is not affected, and writes continue to be validated
+ // against cached entry.
+ //
+ // https://github.com/influxdata/influxdb_iox/issues/6175
+
+ let response = ctx
+ .write_lp("bananas", "test", &lp)
+ .await
+ .expect("write failed");
+ assert_eq!(response.status(), StatusCode::NO_CONTENT);
+
+ // The router restarts, and writes are no longer accepted for the
+ // soft-deleted bucket.
+ let ctx = ctx.restart();
+
+ let err = ctx
+ .write_lp("bananas", "test", lp)
+ .await
+ .expect_err("write should fail");
+ assert_matches!(
+ err,
+ router::server::http::Error::NamespaceResolver(router::namespace_resolver::Error::Lookup(
+ iox_catalog::interface::Error::NamespaceNotFoundByName { .. }
+ ))
+ );
+}
+
/// Ensure creating a namespace with a retention period of 0 maps to "infinite"
/// and not "none".
#[tokio::test]
diff --git a/service_grpc_namespace/src/lib.rs b/service_grpc_namespace/src/lib.rs
index 876a7f6ab5..da47fe3b3b 100644
--- a/service_grpc_namespace/src/lib.rs
+++ b/service_grpc_namespace/src/lib.rs
@@ -97,12 +97,24 @@ impl namespace_service_server::NamespaceService for NamespaceService {
async fn delete_namespace(
&self,
- _request: Request<DeleteNamespaceRequest>,
+ request: Request<DeleteNamespaceRequest>,
) -> Result<Response<DeleteNamespaceResponse>, Status> {
- warn!("call to namespace delete - unimplemented");
- Err(Status::unimplemented(
- "namespace delete is not yet supported",
- ))
+ let namespace_name = request.into_inner().name;
+
+ self.catalog
+ .repositories()
+ .await
+ .namespaces()
+ .soft_delete(&namespace_name)
+ .await
+ .map_err(|e| {
+ warn!(error=%e, %namespace_name, "failed to soft-delete namespace");
+ Status::internal(e.to_string())
+ })?;
+
+ info!(namespace_name, "soft-deleted namespace");
+
+ Ok(Response::new(Default::default()))
}
async fn update_namespace_retention(
@@ -179,21 +191,138 @@ fn map_retention_period(v: Option<i64>) -> Result<Option<i64>, Status> {
#[cfg(test)]
mod tests {
+ use std::time::Duration;
+
+ use assert_matches::assert_matches;
+ use generated_types::influxdata::iox::namespace::v1::namespace_service_server::NamespaceService as _;
+ use iox_catalog::mem::MemCatalog;
use tonic::Code;
use super::*;
+ const RETENTION: i64 = Duration::from_secs(42 * 60 * 60).as_nanos() as _;
+ const NS_NAME: &str = "bananas";
+
#[test]
fn test_retention_mapping() {
- assert_matches::assert_matches!(map_retention_period(None), Ok(None));
- assert_matches::assert_matches!(map_retention_period(Some(0)), Ok(None));
- assert_matches::assert_matches!(map_retention_period(Some(1)), Ok(Some(1)));
- assert_matches::assert_matches!(map_retention_period(Some(42)), Ok(Some(42)));
- assert_matches::assert_matches!(map_retention_period(Some(-1)), Err(e) => {
+ assert_matches!(map_retention_period(None), Ok(None));
+ assert_matches!(map_retention_period(Some(0)), Ok(None));
+ assert_matches!(map_retention_period(Some(1)), Ok(Some(1)));
+ assert_matches!(map_retention_period(Some(42)), Ok(Some(42)));
+ assert_matches!(map_retention_period(Some(-1)), Err(e) => {
assert_eq!(e.code(), Code::InvalidArgument)
});
- assert_matches::assert_matches!(map_retention_period(Some(-42)), Err(e) => {
+ assert_matches!(map_retention_period(Some(-42)), Err(e) => {
assert_eq!(e.code(), Code::InvalidArgument)
});
}
+
+ #[tokio::test]
+ async fn test_crud() {
+ let catalog: Arc<dyn Catalog> =
+ Arc::new(MemCatalog::new(Arc::new(metric::Registry::default())));
+
+ let topic = catalog
+ .repositories()
+ .await
+ .topics()
+ .create_or_get("kafka-topic")
+ .await
+ .unwrap();
+ let query_pool = catalog
+ .repositories()
+ .await
+ .query_pools()
+ .create_or_get("query-pool")
+ .await
+ .unwrap();
+
+ let handler = NamespaceService::new(catalog, Some(topic.id), Some(query_pool.id));
+
+ // There should be no namespaces to start with.
+ {
+ let current = handler
+ .get_namespaces(Request::new(Default::default()))
+ .await
+ .expect("must return namespaces")
+ .into_inner()
+ .namespaces;
+ assert!(current.is_empty());
+ }
+
+ let req = CreateNamespaceRequest {
+ name: NS_NAME.to_string(),
+ retention_period_ns: Some(RETENTION),
+ };
+ let created_ns = handler
+ .create_namespace(Request::new(req))
+ .await
+ .expect("failed to create namespace")
+ .into_inner()
+ .namespace
+ .expect("no namespace in response");
+ assert_eq!(created_ns.name, NS_NAME);
+ assert_eq!(created_ns.retention_period_ns, Some(RETENTION));
+
+ // There should now be one namespace
+ {
+ let current = handler
+ .get_namespaces(Request::new(Default::default()))
+ .await
+ .expect("must return namespaces")
+ .into_inner()
+ .namespaces;
+ assert_matches!(current.as_slice(), [ns] => {
+ assert_eq!(ns, &created_ns);
+ })
+ }
+
+ // Update the retention period
+ let updated_ns = handler
+ .update_namespace_retention(Request::new(UpdateNamespaceRetentionRequest {
+ name: NS_NAME.to_string(),
+ retention_period_ns: Some(0), // A zero!
+ }))
+ .await
+ .expect("failed to create namespace")
+ .into_inner()
+ .namespace
+ .expect("no namespace in response");
+ assert_eq!(updated_ns.name, created_ns.name);
+ assert_eq!(updated_ns.id, created_ns.id);
+ assert_eq!(created_ns.retention_period_ns, Some(42));
+ assert_eq!(updated_ns.retention_period_ns, None);
+
+ // Listing the namespaces should return the updated namespace
+ {
+ let current = handler
+ .get_namespaces(Request::new(Default::default()))
+ .await
+ .expect("must return namespaces")
+ .into_inner()
+ .namespaces;
+ assert_matches!(current.as_slice(), [ns] => {
+ assert_eq!(ns, &updated_ns);
+ })
+ }
+
+ // Deleting the namespace should cause it to disappear
+ handler
+ .delete_namespace(Request::new(DeleteNamespaceRequest {
+ name: NS_NAME.to_string(),
+ }))
+ .await
+ .expect("must delete");
+
+ // Listing the namespaces should now return nothing.
+ {
+ let current = handler
+ .get_namespaces(Request::new(Default::default()))
+ .await
+ .expect("must return namespaces")
+ .into_inner()
+ .namespaces;
+ assert_matches!(current.as_slice(), []);
+ }
+ }
}
|
2ac986ae8a5182ffa8a32d3c63bff063e41e4a5b
|
Paul Dix
|
2024-05-21 10:45:35
|
Add last_write_time and table buffer size (#25017)
|
This adds tracking of the instant of the last write to open buffer segment and methods to the table buffer to compute the estimated memory size of it.
These will be used by a background task that will continuously check to see if tables should be persisted ahead of time to free up buffer memory space.
Originally, I had hoped to have the size tracking happen as the buffer was built so that returning the size would be zero cost (i.e. just returning a value), but I found in different kinds of testing that I wasn't able to get something that was even close to accurate. So for now it will use this more expensive computed method and we'll check on this periodically (every couple of seconds) to see when to persist.
| null |
feat: Add last_write_time and table buffer size (#25017)
This adds tracking of the instant of the last write to open buffer segment and methods to the table buffer to compute the estimated memory size of it.
These will be used by a background task that will continuously check to see if tables should be persisted ahead of time to free up buffer memory space.
Originally, I had hoped to have the size tracking happen as the buffer was built so that returning the size would be zero cost (i.e. just returning a value), but I found in different kinds of testing that I wasn't able to get something that was even close to accurate. So for now it will use this more expensive computed method and we'll check on this periodically (every couple of seconds) to see when to persist.
|
diff --git a/influxdb3_write/src/write_buffer/buffer_segment.rs b/influxdb3_write/src/write_buffer/buffer_segment.rs
index cdba670680..0884b302fb 100644
--- a/influxdb3_write/src/write_buffer/buffer_segment.rs
+++ b/influxdb3_write/src/write_buffer/buffer_segment.rs
@@ -32,7 +32,7 @@ use iox_time::Time;
use schema::sort::SortKey;
use std::collections::HashMap;
use std::sync::Arc;
-use std::time::Duration;
+use std::time::{Duration, Instant};
use tokio::sync::oneshot;
#[derive(Debug)]
@@ -50,6 +50,7 @@ pub struct OpenBufferSegment {
// TODO: This is temporarily just the number of rows in the segment. When the buffer gets refactored to use
// different structures, we want this to be a representation of approximate memory usage.
segment_size: usize,
+ last_write_time: Instant,
}
impl OpenBufferSegment {
@@ -77,6 +78,7 @@ impl OpenBufferSegment {
starting_catalog_sequence_number,
segment_size,
buffered_data,
+ last_write_time: Instant::now(),
}
}
@@ -126,6 +128,8 @@ impl OpenBufferSegment {
}
}
+ self.last_write_time = Instant::now();
+
Ok(())
}
@@ -854,6 +858,40 @@ pub(crate) mod tests {
assert!(segment.should_persist(Time::from_timestamp(500 + 31, 0).unwrap()));
}
+ #[test]
+ fn tracks_time_of_last_write() {
+ let catalog = Arc::new(Catalog::new());
+ let start = Instant::now();
+
+ let mut segment = OpenBufferSegment::new(
+ Arc::clone(&catalog),
+ SegmentId::new(0),
+ SegmentRange::from_time_and_duration(
+ Time::from_timestamp_nanos(0),
+ SegmentDuration::from_str("1m").unwrap(),
+ false,
+ ),
+ Time::from_timestamp(0, 0).unwrap(),
+ SequenceNumber::new(0),
+ Box::new(WalSegmentWriterNoopImpl::new(SegmentId::new(0))),
+ None,
+ );
+
+ assert!(segment.last_write_time > start);
+
+ let next = Instant::now();
+
+ let db_name: NamespaceName<'static> = NamespaceName::new("db1").unwrap();
+
+ let batches = lp_to_table_batches(&catalog, "db1", "cpu,tag1=cupcakes bar=1 10", 10);
+ let mut write_batch = WriteBatch::default();
+ write_batch.add_db_write(db_name.clone(), batches);
+ segment.buffer_writes(write_batch).unwrap();
+
+ assert!(segment.last_write_time > next);
+ assert!(segment.last_write_time < Instant::now());
+ }
+
#[derive(Debug, Default)]
pub(crate) struct TestPersister {
pub(crate) state: Mutex<PersistedState>,
diff --git a/influxdb3_write/src/write_buffer/table_buffer.rs b/influxdb3_write/src/write_buffer/table_buffer.rs
index c25fceb4b6..0a6358dd98 100644
--- a/influxdb3_write/src/write_buffer/table_buffer.rs
+++ b/influxdb3_write/src/write_buffer/table_buffer.rs
@@ -2,7 +2,7 @@
use crate::write_buffer::{FieldData, Row};
use arrow::array::{
- ArrayBuilder, ArrayRef, BooleanBuilder, Float64Builder, GenericByteDictionaryBuilder,
+ Array, ArrayBuilder, ArrayRef, BooleanBuilder, Float64Builder, GenericByteDictionaryBuilder,
Int64Builder, StringArray, StringBuilder, StringDictionaryBuilder, TimestampNanosecondBuilder,
UInt64Builder,
};
@@ -12,6 +12,7 @@ use data_types::{PartitionKey, TimestampMinMax};
use datafusion::logical_expr::{BinaryExpr, Expr};
use observability_deps::tracing::debug;
use std::collections::{BTreeMap, HashMap, HashSet};
+use std::mem::size_of;
use std::sync::Arc;
use thiserror::Error;
@@ -231,6 +232,16 @@ impl TableBuffer {
Ok(RecordBatch::try_new(schema, cols)?)
}
+
+ /// Returns an estimate of the size of this table buffer based on the data and index sizes.
+ pub fn _computed_size(&self) -> usize {
+ let mut size = size_of::<Self>();
+ for (k, v) in &self.data {
+ size += k.len() + size_of::<String>() + v._size();
+ }
+ size += self.index._size();
+ size
+ }
}
// Debug implementation for TableBuffer
@@ -262,10 +273,11 @@ impl BufferIndex {
fn add_row_if_indexed_column(&mut self, row_index: usize, column_name: &str, value: &str) {
if let Some(column) = self.columns.get_mut(column_name) {
- column
- .entry(value.to_string())
- .or_insert_with(Vec::new)
- .push(row_index);
+ if column.contains_key(value) {
+ column.get_mut(value).unwrap().push(row_index);
+ } else {
+ column.insert(value.to_string(), vec![row_index]);
+ }
}
}
@@ -286,6 +298,18 @@ impl BufferIndex {
None
}
+
+ fn _size(&self) -> usize {
+ let mut size = size_of::<Self>();
+ for (k, v) in &self.columns {
+ size += k.len() + size_of::<String>() + size_of::<HashMap<String, Vec<usize>>>();
+ for (k, v) in v {
+ size += k.len() + size_of::<String>() + size_of::<Vec<usize>>();
+ size += v.len() * size_of::<usize>();
+ }
+ }
+ size
+ }
}
pub enum Builder {
@@ -380,6 +404,32 @@ impl Builder {
}
}
}
+
+ fn _size(&self) -> usize {
+ let data_size = match self {
+ Self::Bool(b) => b.capacity() + b.validity_slice().map(|s| s.len()).unwrap_or(0),
+ Self::I64(b) => {
+ size_of::<i64>() * b.capacity() + b.validity_slice().map(|s| s.len()).unwrap_or(0)
+ }
+ Self::F64(b) => {
+ size_of::<f64>() * b.capacity() + b.validity_slice().map(|s| s.len()).unwrap_or(0)
+ }
+ Self::U64(b) => {
+ size_of::<u64>() * b.capacity() + b.validity_slice().map(|s| s.len()).unwrap_or(0)
+ }
+ Self::String(b) => {
+ b.values_slice().len()
+ + b.offsets_slice().len()
+ + b.validity_slice().map(|s| s.len()).unwrap_or(0)
+ }
+ Self::Tag(b) => {
+ let b = b.finish_cloned();
+ b.keys().len() * size_of::<i32>() + b.values().get_array_memory_size()
+ }
+ Self::Time(b) => size_of::<i64>() * b.capacity(),
+ };
+ size_of::<Self>() + data_size
+ }
}
#[cfg(test)]
@@ -514,4 +564,68 @@ mod tests {
];
assert_batches_eq!(&expected_b, &[b]);
}
+
+ #[test]
+ fn computed_size_of_buffer() {
+ let mut table_buffer = TableBuffer::new(PartitionKey::from("table"), &["tag".to_string()]);
+
+ let rows = vec![
+ Row {
+ time: 1,
+ fields: vec![
+ Field {
+ name: "tag".to_string(),
+ value: FieldData::Tag("a".to_string()),
+ },
+ Field {
+ name: "value".to_string(),
+ value: FieldData::Integer(1),
+ },
+ Field {
+ name: "time".to_string(),
+ value: FieldData::Timestamp(1),
+ },
+ ],
+ },
+ Row {
+ time: 2,
+ fields: vec![
+ Field {
+ name: "tag".to_string(),
+ value: FieldData::Tag("b".to_string()),
+ },
+ Field {
+ name: "value".to_string(),
+ value: FieldData::Integer(2),
+ },
+ Field {
+ name: "time".to_string(),
+ value: FieldData::Timestamp(2),
+ },
+ ],
+ },
+ Row {
+ time: 3,
+ fields: vec![
+ Field {
+ name: "tag".to_string(),
+ value: FieldData::Tag("this is a long tag value to store".to_string()),
+ },
+ Field {
+ name: "value".to_string(),
+ value: FieldData::Integer(3),
+ },
+ Field {
+ name: "time".to_string(),
+ value: FieldData::Timestamp(3),
+ },
+ ],
+ },
+ ];
+
+ table_buffer.add_rows(rows);
+
+ let size = table_buffer._computed_size();
+ assert_eq!(size, 18126);
+ }
}
|
b1b7865d351e159dd09f431c85bd9eedb3e37385
|
Stuart Carnie
|
2023-02-20 08:12:41
|
Refactor storage to properly handle binary and text meta tags (#7012)
|
* fix: Refactor storage to properly handle binary and text meta tags
* fix: placate linter
| null |
fix: Refactor storage to properly handle binary and text meta tags (#7012)
* fix: Refactor storage to properly handle binary and text meta tags
* fix: placate linter
|
diff --git a/influxdb_iox/src/commands/storage.rs b/influxdb_iox/src/commands/storage.rs
index 57d9b49240..414064152e 100644
--- a/influxdb_iox/src/commands/storage.rs
+++ b/influxdb_iox/src/commands/storage.rs
@@ -1,6 +1,7 @@
pub(crate) mod request;
pub(crate) mod response;
+use crate::commands::storage::response::{BinaryTagSchema, TextTagSchema};
use generated_types::{
aggregate::AggregateType, influxdata::platform::storage::read_group_request::Group, Predicate,
};
@@ -197,7 +198,7 @@ struct ReadGroup {
)]
group: Group,
- #[clap(long, action)]
+ #[clap(long, action, value_delimiter = ',')]
group_keys: Vec<String>,
}
@@ -303,7 +304,8 @@ pub async fn command(connection: Connection, config: Config) -> Result<()> {
info!(?request, "read_filter");
let result = client.read_filter(request).await.context(ServerSnafu)?;
match config.format {
- Format::Pretty => response::pretty_print_frames(&result).context(ResponseSnafu)?,
+ Format::Pretty => response::pretty_print_frames::<BinaryTagSchema>(&result)
+ .context(ResponseSnafu)?,
Format::Quiet => {}
}
}
@@ -320,7 +322,8 @@ pub async fn command(connection: Connection, config: Config) -> Result<()> {
info!(?request, "read_group");
let result = client.read_group(request).await.context(ServerSnafu)?;
match config.format {
- Format::Pretty => response::pretty_print_frames(&result).context(ResponseSnafu)?,
+ Format::Pretty => response::pretty_print_frames::<TextTagSchema>(&result)
+ .context(ResponseSnafu)?,
Format::Quiet => {}
}
}
@@ -343,7 +346,8 @@ pub async fn command(connection: Connection, config: Config) -> Result<()> {
.context(ServerSnafu)?;
match config.format {
- Format::Pretty => response::pretty_print_frames(&result).context(ResponseSnafu)?,
+ Format::Pretty => response::pretty_print_frames::<TextTagSchema>(&result)
+ .context(ResponseSnafu)?,
Format::Quiet => {}
}
}
diff --git a/influxdb_iox/src/commands/storage/request.rs b/influxdb_iox/src/commands/storage/request.rs
index dfc516f07b..129d0129a5 100644
--- a/influxdb_iox/src/commands/storage/request.rs
+++ b/influxdb_iox/src/commands/storage/request.rs
@@ -6,7 +6,7 @@ use snafu::Snafu;
use self::generated_types::*;
use super::response::{
- tag_key_is_field, tag_key_is_measurement, FIELD_TAG_KEY_BIN, MEASUREMENT_TAG_KEY_BIN,
+ FIELD_TAG_KEY_BIN, FIELD_TAG_KEY_TEXT, MEASUREMENT_TAG_KEY_BIN, MEASUREMENT_TAG_KEY_TEXT,
};
use ::generated_types::{aggregate::AggregateType, google::protobuf::*};
@@ -59,7 +59,7 @@ pub fn read_filter(
read_source: Some(org_bucket),
range: Some(TimestampRange { start, end: stop }),
key_sort: read_filter_request::KeySort::Unspecified as i32, // IOx doesn't support any other sort
- tag_key_meta_names: TagKeyMetaNames::Text as i32,
+ tag_key_meta_names: TagKeyMetaNames::Binary as i32,
}
}
@@ -146,6 +146,14 @@ pub fn tag_values(
}
}
+pub(crate) fn tag_key_is_measurement(key: &[u8]) -> bool {
+ (key == MEASUREMENT_TAG_KEY_TEXT) || (key == MEASUREMENT_TAG_KEY_BIN)
+}
+
+pub(crate) fn tag_key_is_field(key: &[u8]) -> bool {
+ (key == FIELD_TAG_KEY_TEXT) || (key == FIELD_TAG_KEY_BIN)
+}
+
#[cfg(test)]
mod test_super {
use std::num::NonZeroU64;
diff --git a/influxdb_iox/src/commands/storage/response.rs b/influxdb_iox/src/commands/storage/response.rs
index 23b1a9896b..853a6b1a8c 100644
--- a/influxdb_iox/src/commands/storage/response.rs
+++ b/influxdb_iox/src/commands/storage/response.rs
@@ -39,8 +39,8 @@ pub type Result<T, E = Error> = std::result::Result<T, E>;
// Prints the provided data frames in a tabular format grouped into tables per
// distinct measurement.
-pub fn pretty_print_frames(frames: &[Data]) -> Result<()> {
- let rbs = frames_to_record_batches(frames)?;
+pub fn pretty_print_frames<T: TagSchema>(frames: &[Data]) -> Result<()> {
+ let rbs = frames_to_record_batches::<T>(frames)?;
for (k, rb) in rbs {
println!("\n_measurement: {k}");
println!("rows: {:?}\n", &rb.num_rows());
@@ -72,18 +72,16 @@ pub fn pretty_print_strings(values: Vec<String>) -> Result<()> {
// This function takes a set of InfluxRPC data frames and converts them into an
// Arrow record batches, which are suitable for pretty printing.
-fn frames_to_record_batches(frames: &[Data]) -> Result<BTreeMap<String, RecordBatch>> {
+fn frames_to_record_batches<T: TagSchema>(
+ frames: &[Data],
+) -> Result<BTreeMap<String, RecordBatch>> {
// Run through all the frames once to build the schema of each table we need
// to build as a record batch.
- let mut table_column_mapping = determine_tag_columns(frames);
+ let mut table_column_mapping = determine_tag_columns::<T>(frames);
let mut all_tables = BTreeMap::new();
let mut current_table_frame: Option<(IntermediateTable, SeriesFrame)> = None;
- if frames.is_empty() {
- return Ok(all_tables);
- }
-
for frame in frames {
match frame {
generated_types::read_response::frame::Data::Group(_) => {
@@ -93,7 +91,7 @@ fn frames_to_record_batches(frames: &[Data]) -> Result<BTreeMap<String, RecordBa
.fail();
}
generated_types::read_response::frame::Data::Series(sf) => {
- let cur_frame_measurement = &sf.tags[0].value;
+ let cur_frame_measurement = T::measurement(sf);
// First series frame in result set.
if current_table_frame.is_none() {
@@ -113,10 +111,10 @@ fn frames_to_record_batches(frames: &[Data]) -> Result<BTreeMap<String, RecordBa
// Series frame has moved on to a different measurement. Push
// this table into a record batch and onto final results, then
// create a new table.
- if measurement(&prev_series_frame) != cur_frame_measurement {
+ if T::measurement(&prev_series_frame) != cur_frame_measurement {
let rb: RecordBatch = current_table.try_into()?;
all_tables.insert(
- String::from_utf8(measurement(&prev_series_frame).to_owned())
+ String::from_utf8(T::measurement(&prev_series_frame).to_owned())
.context(InvalidMeasurementNameSnafu)?,
rb,
);
@@ -142,7 +140,7 @@ fn frames_to_record_batches(frames: &[Data]) -> Result<BTreeMap<String, RecordBa
generated_types::read_response::frame::Data::FloatPoints(f) => {
// Get field key associated with previous series frame.
let (current_table, prev_series_frame) = current_table_frame.as_mut().unwrap();
- let column = current_table.field_column(field_name(prev_series_frame));
+ let column = current_table.field_column(T::field_name(prev_series_frame));
let values = f.values.iter().copied().map(Some).collect::<Vec<_>>();
column.extend_f64(&values);
@@ -153,7 +151,7 @@ fn frames_to_record_batches(frames: &[Data]) -> Result<BTreeMap<String, RecordBa
generated_types::read_response::frame::Data::IntegerPoints(f) => {
// Get field key associated with previous series frame.
let (current_table, prev_series_frame) = current_table_frame.as_mut().unwrap();
- let column = current_table.field_column(field_name(prev_series_frame));
+ let column = current_table.field_column(T::field_name(prev_series_frame));
let values = f.values.iter().copied().map(Some).collect::<Vec<_>>();
column.extend_i64(&values);
@@ -164,7 +162,7 @@ fn frames_to_record_batches(frames: &[Data]) -> Result<BTreeMap<String, RecordBa
generated_types::read_response::frame::Data::UnsignedPoints(f) => {
// Get field key associated with previous series frame.
let (current_table, prev_series_frame) = current_table_frame.as_mut().unwrap();
- let column = current_table.field_column(field_name(prev_series_frame));
+ let column = current_table.field_column(T::field_name(prev_series_frame));
let values = f.values.iter().copied().map(Some).collect::<Vec<_>>();
column.extend_u64(&values);
@@ -175,7 +173,7 @@ fn frames_to_record_batches(frames: &[Data]) -> Result<BTreeMap<String, RecordBa
generated_types::read_response::frame::Data::BooleanPoints(f) => {
// Get field key associated with previous series frame.
let (current_table, prev_series_frame) = current_table_frame.as_mut().unwrap();
- let column = current_table.field_column(field_name(prev_series_frame));
+ let column = current_table.field_column(T::field_name(prev_series_frame));
let values = f.values.iter().copied().map(Some).collect::<Vec<_>>();
column.extend_bool(&values);
@@ -186,7 +184,7 @@ fn frames_to_record_batches(frames: &[Data]) -> Result<BTreeMap<String, RecordBa
generated_types::read_response::frame::Data::StringPoints(f) => {
// Get field key associated with previous series frame.
let (current_table, prev_series_frame) = current_table_frame.as_mut().unwrap();
- let column = current_table.field_column(field_name(prev_series_frame));
+ let column = current_table.field_column(T::field_name(prev_series_frame));
let values = f
.values
@@ -209,11 +207,7 @@ fn frames_to_record_batches(frames: &[Data]) -> Result<BTreeMap<String, RecordBa
// Pad all tag columns with keys present in the previous series frame
// with identical values.
- for Tag { key, value } in &prev_series_frame.tags {
- if tag_key_is_measurement(key) || tag_key_is_field(key) {
- continue;
- }
-
+ for Tag { ref key, value } in T::tags(prev_series_frame) {
let idx = current_table
.tag_columns
.get(key)
@@ -250,13 +244,14 @@ fn frames_to_record_batches(frames: &[Data]) -> Result<BTreeMap<String, RecordBa
}
// Convert and insert current table
- let (current_table, prev_series_frame) = current_table_frame.take().unwrap();
- let rb: RecordBatch = current_table.try_into()?;
- all_tables.insert(
- String::from_utf8(measurement(&prev_series_frame).to_owned())
- .context(InvalidMeasurementNameSnafu)?,
- rb,
- );
+ if let Some((current_table, prev_series_frame)) = current_table_frame.take() {
+ let rb: RecordBatch = current_table.try_into()?;
+ all_tables.insert(
+ String::from_utf8(T::measurement(&prev_series_frame).to_owned())
+ .context(InvalidMeasurementNameSnafu)?,
+ rb,
+ );
+ }
Ok(all_tables)
}
@@ -479,44 +474,31 @@ impl TryFrom<IntermediateTable> for RecordBatch {
// These constants describe known values for the keys associated with
// measurements and fields.
-const MEASUREMENT_TAG_KEY_TEXT: [u8; 12] = [
- b'_', b'm', b'e', b'a', b's', b'u', b'r', b'e', b'm', b'e', b'n', b't',
-];
+pub(crate) const MEASUREMENT_TAG_KEY_TEXT: [u8; 12] = *b"_measurement";
pub(crate) const MEASUREMENT_TAG_KEY_BIN: [u8; 1] = [0_u8];
-const FIELD_TAG_KEY_TEXT: [u8; 6] = [b'_', b'f', b'i', b'e', b'l', b'd'];
+pub(crate) const FIELD_TAG_KEY_TEXT: [u8; 6] = *b"_field";
pub(crate) const FIELD_TAG_KEY_BIN: [u8; 1] = [255_u8];
// Store a collection of column names and types for a single table (measurement).
#[derive(Debug, Default, PartialEq, Eq)]
-struct TableColumns {
+pub struct TableColumns {
tag_columns: BTreeSet<Vec<u8>>,
field_columns: BTreeMap<Vec<u8>, DataType>,
}
-// Given a set of data frames determine from the series frames within the set
-// of tag columns for each distinct table (measurement).
-fn determine_tag_columns(frames: &[Data]) -> BTreeMap<Vec<u8>, TableColumns> {
+fn determine_tag_columns<T: TagSchema>(frames: &[Data]) -> BTreeMap<Vec<u8>, TableColumns> {
let mut schema: BTreeMap<Vec<u8>, TableColumns> = BTreeMap::new();
for frame in frames {
- if let Data::Series(sf) = frame {
+ if let Data::Series(ref sf) = frame {
assert!(!sf.tags.is_empty(), "expected _measurement and _field tags");
- // PERF: avoid clone of value
- let measurement_name = sf
- .tags
- .iter()
- .find(|t| tag_key_is_measurement(&t.key))
- .expect("measurement name not found")
- .value
- .clone();
+ let measurement_name = T::measurement(sf).clone();
let table = schema.entry(measurement_name).or_default();
- for Tag { key, value } in sf.tags.iter().skip(1) {
- if tag_key_is_field(key) {
- table.field_columns.insert(value.clone(), sf.data_type());
- continue;
- }
+ let field_name = T::field_name(sf).clone();
+ table.field_columns.insert(field_name, sf.data_type());
+ for Tag { key, .. } in T::tags(sf) {
// PERF: avoid clone of key
table.tag_columns.insert(key.clone()); // Add column to table schema
}
@@ -525,25 +507,67 @@ fn determine_tag_columns(frames: &[Data]) -> BTreeMap<Vec<u8>, TableColumns> {
schema
}
-// Extract a reference to the measurement name from a Series frame.
-fn measurement(frame: &SeriesFrame) -> &Vec<u8> {
- assert!(tag_key_is_measurement(&frame.tags[0].key));
- &frame.tags[0].value
-}
+pub trait TagSchema {
+ type IntoIter<'a>: Iterator<Item = &'a Tag>;
+
+ /// Returns the value of the measurement meta tag.
+ fn measurement(frame: &SeriesFrame) -> &Vec<u8>;
-// Extract a reference to the field name from a Series frame.
-fn field_name(frame: &SeriesFrame) -> &Vec<u8> {
- let idx = frame.tags.len() - 1;
- assert!(tag_key_is_field(&frame.tags[idx].key));
- &frame.tags[idx].value
+ /// Returns the value of the field meta tag.
+ fn field_name(frame: &SeriesFrame) -> &Vec<u8>;
+
+ /// Returns the tags without the measurement or field meta tags.
+ fn tags(frame: &SeriesFrame) -> Self::IntoIter<'_>;
}
-pub(crate) fn tag_key_is_measurement(key: &[u8]) -> bool {
- (key == MEASUREMENT_TAG_KEY_TEXT) || (key == MEASUREMENT_TAG_KEY_BIN)
+pub struct BinaryTagSchema;
+
+impl TagSchema for BinaryTagSchema {
+ type IntoIter<'a> = std::slice::Iter<'a, Tag>;
+
+ fn measurement(frame: &SeriesFrame) -> &Vec<u8> {
+ assert_eq!(frame.tags[0].key, MEASUREMENT_TAG_KEY_BIN);
+ &frame.tags[0].value
+ }
+
+ fn field_name(frame: &SeriesFrame) -> &Vec<u8> {
+ let idx = frame.tags.len() - 1;
+ assert_eq!(frame.tags[idx].key, FIELD_TAG_KEY_BIN);
+ &frame.tags[idx].value
+ }
+
+ fn tags(frame: &SeriesFrame) -> Self::IntoIter<'_> {
+ frame.tags[1..frame.tags.len() - 1].iter()
+ }
}
-pub(crate) fn tag_key_is_field(key: &[u8]) -> bool {
- (key == FIELD_TAG_KEY_TEXT) || (key == FIELD_TAG_KEY_BIN)
+pub struct TextTagSchema;
+
+impl TagSchema for TextTagSchema {
+ type IntoIter<'a> = iter::Filter<std::slice::Iter<'a, Tag>, fn(&&Tag) -> bool>;
+
+ fn measurement(frame: &SeriesFrame) -> &Vec<u8> {
+ let idx = frame
+ .tags
+ .binary_search_by(|t| t.key[..].cmp(&MEASUREMENT_TAG_KEY_TEXT[..]))
+ .expect("missing measurement");
+ &frame.tags[idx].value
+ }
+
+ fn field_name(frame: &SeriesFrame) -> &Vec<u8> {
+ let idx = frame
+ .tags
+ .binary_search_by(|t| t.key[..].cmp(&FIELD_TAG_KEY_TEXT[..]))
+ .expect("missing field");
+ &frame.tags[idx].value
+ }
+
+ fn tags(frame: &SeriesFrame) -> Self::IntoIter<'_> {
+ frame
+ .tags
+ .iter()
+ .filter(|t| t.key != MEASUREMENT_TAG_KEY_TEXT && t.key != FIELD_TAG_KEY_TEXT)
+ }
}
#[cfg(test)]
@@ -553,15 +577,17 @@ mod test_super {
BooleanPointsFrame, FloatPointsFrame, IntegerPointsFrame, SeriesFrame, StringPointsFrame,
UnsignedPointsFrame,
};
+ use itertools::Itertools;
use super::*;
- // converts a vector of key/value pairs into a vector of `Tag`.
- fn make_tags(pairs: &[(&str, &str)]) -> Vec<Tag> {
+ /// Converts a vector of `(key, value)` tuples into a vector of `Tag`, sorted by key.
+ fn make_tags(pairs: &[(&[u8], &str)]) -> Vec<Tag> {
pairs
.iter()
+ .sorted_by(|(a_key, _), (b_key, _)| Ord::cmp(a_key, b_key))
.map(|(key, value)| Tag {
- key: key.as_bytes().to_vec(),
+ key: key.to_vec(),
value: value.as_bytes().to_vec(),
})
.collect::<Vec<_>>()
@@ -618,15 +644,32 @@ mod test_super {
all_table_columns
}
+ trait KeyNames {
+ const MEASUREMENT_KEY: &'static [u8];
+ const FIELD_KEY: &'static [u8];
+ }
+
+ struct BinaryKeyNames;
+ impl KeyNames for BinaryKeyNames {
+ const MEASUREMENT_KEY: &'static [u8] = &[0_u8];
+ const FIELD_KEY: &'static [u8] = &[255_u8];
+ }
+
+ struct TextKeyNames;
+ impl KeyNames for TextKeyNames {
+ const MEASUREMENT_KEY: &'static [u8] = b"_measurement";
+ const FIELD_KEY: &'static [u8] = b"_field";
+ }
+
// generate a substantial set of frames across multiple tables.
- fn gen_frames() -> Vec<Data> {
+ fn gen_frames<K: KeyNames>() -> Vec<Data> {
vec![
Data::Series(SeriesFrame {
tags: make_tags(&[
- ("_measurement", "cpu"),
- ("host", "foo"),
- ("server", "a"),
- ("_field", "temp"),
+ (K::MEASUREMENT_KEY, "cpu"),
+ (b"host", "foo"),
+ (b"server", "a"),
+ (K::FIELD_KEY, "temp"),
]),
data_type: DataType::Float as i32,
}),
@@ -640,10 +683,10 @@ mod test_super {
}),
Data::Series(SeriesFrame {
tags: make_tags(&[
- ("_measurement", "cpu"),
- ("host", "foo"),
- ("server", "a"),
- ("_field", "voltage"),
+ (K::MEASUREMENT_KEY, "cpu"),
+ (b"host", "foo"),
+ (b"server", "a"),
+ (K::FIELD_KEY, "voltage"),
]),
data_type: DataType::Integer as i32,
}),
@@ -653,10 +696,10 @@ mod test_super {
}),
Data::Series(SeriesFrame {
tags: make_tags(&[
- ("_measurement", "cpu"),
- ("host", "foo"),
- ("new_column", "a"),
- ("_field", "voltage"),
+ (K::MEASUREMENT_KEY, "cpu"),
+ (b"host", "foo"),
+ (b"new_column", "a"),
+ (K::FIELD_KEY, "voltage"),
]),
data_type: DataType::Integer as i32,
}),
@@ -665,7 +708,10 @@ mod test_super {
values: vec![1000, 2000],
}),
Data::Series(SeriesFrame {
- tags: make_tags(&[("_measurement", "another table"), ("_field", "voltage")]),
+ tags: make_tags(&[
+ (K::MEASUREMENT_KEY, "another table"),
+ (K::FIELD_KEY, "voltage"),
+ ]),
data_type: DataType::String as i32,
}),
Data::StringPoints(StringPointsFrame {
@@ -674,9 +720,9 @@ mod test_super {
}),
Data::Series(SeriesFrame {
tags: make_tags(&[
- ("_measurement", "another table"),
- ("region", "west"),
- ("_field", "voltage"),
+ (K::MEASUREMENT_KEY, "another table"),
+ (b"region", "west"),
+ (K::FIELD_KEY, "voltage"),
]),
data_type: DataType::String as i32,
}),
@@ -686,9 +732,9 @@ mod test_super {
}),
Data::Series(SeriesFrame {
tags: make_tags(&[
- ("_measurement", "another table"),
- ("region", "north"),
- ("_field", "bool_field"),
+ (K::MEASUREMENT_KEY, "another table"),
+ (b"region", "north"),
+ (K::FIELD_KEY, "bool_field"),
]),
data_type: DataType::Boolean as i32,
}),
@@ -698,9 +744,9 @@ mod test_super {
}),
Data::Series(SeriesFrame {
tags: make_tags(&[
- ("_measurement", "another table"),
- ("region", "south"),
- ("_field", "unsigned_field"),
+ (K::MEASUREMENT_KEY, "another table"),
+ (b"region", "south"),
+ (K::FIELD_KEY, "unsigned_field"),
]),
data_type: DataType::Unsigned as i32,
}),
@@ -712,11 +758,57 @@ mod test_super {
}
#[test]
- fn test_determine_tag_columns() {
- assert!(determine_tag_columns(&[]).is_empty());
+ fn test_binary_determine_tag_columns() {
+ assert!(determine_tag_columns::<BinaryTagSchema>(&[]).is_empty());
+
+ let frame = Data::Series(SeriesFrame {
+ tags: make_tags(&[
+ (BinaryKeyNames::MEASUREMENT_KEY, "cpu"),
+ (b"server", "a"),
+ (BinaryKeyNames::FIELD_KEY, "temp"),
+ ]),
+ data_type: DataType::Float as i32,
+ });
+
+ let exp = make_table_columns(&[TableColumnInput::new(
+ "cpu",
+ &["server"],
+ &[("temp", DataType::Float)],
+ )]);
+ assert_eq!(determine_tag_columns::<BinaryTagSchema>(&[frame]), exp);
+
+ // larger example
+ let frames = gen_frames::<BinaryKeyNames>();
+
+ let exp = make_table_columns(&[
+ TableColumnInput::new(
+ "cpu",
+ &["host", "new_column", "server"],
+ &[("temp", DataType::Float), ("voltage", DataType::Integer)],
+ ),
+ TableColumnInput::new(
+ "another table",
+ &["region"],
+ &[
+ ("bool_field", DataType::Boolean),
+ ("unsigned_field", DataType::Unsigned),
+ ("voltage", DataType::String),
+ ],
+ ),
+ ]);
+ assert_eq!(determine_tag_columns::<BinaryTagSchema>(&frames), exp);
+ }
+
+ #[test]
+ fn test_text_determine_tag_columns() {
+ assert!(determine_tag_columns::<TextTagSchema>(&[]).is_empty());
let frame = Data::Series(SeriesFrame {
- tags: make_tags(&[("_measurement", "cpu"), ("server", "a"), ("_field", "temp")]),
+ tags: make_tags(&[
+ (b"_measurement", "cpu"),
+ (b"server", "a"),
+ (b"_field", "temp"),
+ ]),
data_type: DataType::Float as i32,
});
@@ -725,10 +817,10 @@ mod test_super {
&["server"],
&[("temp", DataType::Float)],
)]);
- assert_eq!(determine_tag_columns(&[frame]), exp);
+ assert_eq!(determine_tag_columns::<TextTagSchema>(&[frame]), exp);
// larger example
- let frames = gen_frames();
+ let frames = gen_frames::<TextKeyNames>();
let exp = make_table_columns(&[
TableColumnInput::new(
@@ -746,14 +838,14 @@ mod test_super {
],
),
]);
- assert_eq!(determine_tag_columns(&frames), exp);
+ assert_eq!(determine_tag_columns::<TextTagSchema>(&frames), exp);
}
#[test]
fn test_frames_to_into_record_batches() {
- let frames = gen_frames();
+ let frames = gen_frames::<TextKeyNames>();
- let rbs = frames_to_record_batches(&frames);
+ let rbs = frames_to_record_batches::<TextTagSchema>(&frames);
let exp = vec![
(
"another table",
|
997cca67a30ed2efb3747c051d5ddf85d175a9b1
|
Marco Neumann
|
2023-02-07 14:52:17
|
`--compaction-process-once` should exit (#6886)
|
- do not wait for a non-empty partition result (this doesn't make sense
if we are not running endlessly)
- modify entry point to allow the compactor to exit on its own (this is
normally not allowed for other server types)
| null |
fix: `--compaction-process-once` should exit (#6886)
- do not wait for a non-empty partition result (this doesn't make sense
if we are not running endlessly)
- modify entry point to allow the compactor to exit on its own (this is
normally not allowed for other server types)
|
diff --git a/compactor2/src/compactor.rs b/compactor2/src/compactor.rs
index bdaaf7cc39..0e7365da1c 100644
--- a/compactor2/src/compactor.rs
+++ b/compactor2/src/compactor.rs
@@ -58,10 +58,8 @@ impl Compactor2 {
_ = async {
compact(config.partition_concurrency, config.partition_timeout, Arc::clone(&job_semaphore), &components).await;
- // the main entry point does not allow servers to shut down themselves, so we just wait forever
info!("comapctor done");
- futures::future::pending::<()>().await;
- } => unreachable!(),
+ } => {}
}
});
let worker = shared_handle(worker);
diff --git a/compactor2/src/compactor_tests.rs b/compactor2/src/compactor_tests.rs
index 45aa2eb16a..a0bcbb99fb 100644
--- a/compactor2/src/compactor_tests.rs
+++ b/compactor2/src/compactor_tests.rs
@@ -13,7 +13,7 @@ mod tests {
},
config::AlgoVersion,
driver::compact,
- test_util::{list_object_store, AssertFutureExt, TestSetup},
+ test_util::{list_object_store, TestSetup},
};
#[tokio::test]
@@ -27,10 +27,7 @@ mod tests {
assert!(files.is_empty());
// compact
- // This wil wait for files forever.
- let fut = run_compact(&setup);
- tokio::pin!(fut);
- fut.assert_pending().await;
+ run_compact(&setup).await;
// verify catalog is still empty
let files = setup.list_by_table_not_to_delete().await;
diff --git a/compactor2/src/components/hardcoded.rs b/compactor2/src/components/hardcoded.rs
index 45b79c329e..a1f30c8d6c 100644
--- a/compactor2/src/components/hardcoded.rs
+++ b/compactor2/src/components/hardcoded.rs
@@ -162,14 +162,21 @@ pub fn hardcoded_components(config: &Config) -> Arc<Components> {
// Note: Place "not empty" wrapper at the very last so that the logging and metric wrapper work even when there
// is not data.
- let partitions_source = NotEmptyPartitionsSourceWrapper::new(
+ let partitions_source =
LoggingPartitionsSourceWrapper::new(MetricsPartitionsSourceWrapper::new(
RandomizeOrderPartitionsSourcesWrapper::new(partitions_source, 1234),
&config.metric_registry,
- )),
- Duration::from_secs(5),
- Arc::clone(&config.time_provider),
- );
+ ));
+ let partitions_source: Arc<dyn PartitionsSource> = if config.process_once {
+ // do not wrap into the "not empty" filter because we do NOT wanna throttle in this case but just exit early
+ Arc::new(partitions_source)
+ } else {
+ Arc::new(NotEmptyPartitionsSourceWrapper::new(
+ partitions_source,
+ Duration::from_secs(5),
+ Arc::clone(&config.time_provider),
+ ))
+ };
let partition_stream: Arc<dyn PartitionStream> = if config.process_once {
Arc::new(OncePartititionStream::new(partitions_source))
diff --git a/influxdb_iox/src/commands/run/compactor2.rs b/influxdb_iox/src/commands/run/compactor2.rs
index c3ce923f46..c1171b33f0 100644
--- a/influxdb_iox/src/commands/run/compactor2.rs
+++ b/influxdb_iox/src/commands/run/compactor2.rs
@@ -112,6 +112,7 @@ pub async fn command(config: Config) -> Result<(), Error> {
}));
let time_provider = Arc::new(SystemProvider::new());
+ let process_once = config.compactor_config.process_once;
let server_type = create_compactor2_server_type(
&common_state,
Arc::clone(&metric_registry),
@@ -127,5 +128,14 @@ pub async fn command(config: Config) -> Result<(), Error> {
info!("starting compactor");
let services = vec![Service::create(server_type, common_state.run_config())];
- Ok(main::main(common_state, services, metric_registry).await?)
+
+ let res = main::main(common_state, services, metric_registry).await;
+ match res {
+ Ok(()) => Ok(()),
+ // compactor2 is allowed to shut itself down
+ Err(main::Error::Wrapper {
+ source: _source @ ioxd_common::Error::LostServer,
+ }) if process_once => Ok(()),
+ Err(e) => Err(e.into()),
+ }
}
|
e0dcfc88304e48ff032b8a9f6ab5ea694e0dafc7
|
Dom Dwyer
|
2023-01-11 11:39:17
|
bump rust to 1.66.1
|
Picks up a fix to SSH host authentication in cargo when pulling the
crates index:
|
https://blog.rust-lang.org/2023/01/10/cve-2022-46176.html
|
chore: bump rust to 1.66.1
Picks up a fix to SSH host authentication in cargo when pulling the
crates index:
https://blog.rust-lang.org/2023/01/10/cve-2022-46176.html
|
diff --git a/rust-toolchain.toml b/rust-toolchain.toml
index 8125622795..978bb5d51e 100644
--- a/rust-toolchain.toml
+++ b/rust-toolchain.toml
@@ -1,3 +1,3 @@
[toolchain]
-channel = "1.66"
+channel = "1.66.1"
components = [ "rustfmt", "clippy" ]
|
dd8f324728c72e37963ad809caa13cfb9db03ca3
|
praveen-influx
|
2024-09-12 14:54:46
|
update core dependency revision (#25306)
|
- version changed from 1d5011bde4c343890bb58aa77415b20cb900a4a8 to
1eaa4ed5ea147bc24db98d9686e457c124dfd5b7
| null |
chore: update core dependency revision (#25306)
- version changed from 1d5011bde4c343890bb58aa77415b20cb900a4a8 to
1eaa4ed5ea147bc24db98d9686e457c124dfd5b7
|
diff --git a/Cargo.lock b/Cargo.lock
index 4a4185fb0f..9d8d6e1058 100644
--- a/Cargo.lock
+++ b/Cargo.lock
@@ -397,7 +397,7 @@ dependencies = [
[[package]]
name = "arrow_util"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=1d5011bde4c343890bb58aa77415b20cb900a4a8#1d5011bde4c343890bb58aa77415b20cb900a4a8"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1eaa4ed5ea147bc24db98d9686e457c124dfd5b7#1eaa4ed5ea147bc24db98d9686e457c124dfd5b7"
dependencies = [
"ahash",
"arrow",
@@ -509,7 +509,7 @@ checksum = "1505bd5d3d116872e7271a6d4e16d81d0c8570876c8de68093a09ac269d8aac0"
[[package]]
name = "authz"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=1d5011bde4c343890bb58aa77415b20cb900a4a8#1d5011bde4c343890bb58aa77415b20cb900a4a8"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1eaa4ed5ea147bc24db98d9686e457c124dfd5b7#1eaa4ed5ea147bc24db98d9686e457c124dfd5b7"
dependencies = [
"async-trait",
"backoff",
@@ -625,7 +625,7 @@ dependencies = [
[[package]]
name = "backoff"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=1d5011bde4c343890bb58aa77415b20cb900a4a8#1d5011bde4c343890bb58aa77415b20cb900a4a8"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1eaa4ed5ea147bc24db98d9686e457c124dfd5b7#1eaa4ed5ea147bc24db98d9686e457c124dfd5b7"
dependencies = [
"observability_deps",
"rand",
@@ -811,7 +811,7 @@ dependencies = [
[[package]]
name = "catalog_cache"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=1d5011bde4c343890bb58aa77415b20cb900a4a8#1d5011bde4c343890bb58aa77415b20cb900a4a8"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1eaa4ed5ea147bc24db98d9686e457c124dfd5b7#1eaa4ed5ea147bc24db98d9686e457c124dfd5b7"
dependencies = [
"bytes",
"dashmap",
@@ -901,7 +901,7 @@ dependencies = [
[[package]]
name = "clap_blocks"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=1d5011bde4c343890bb58aa77415b20cb900a4a8#1d5011bde4c343890bb58aa77415b20cb900a4a8"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1eaa4ed5ea147bc24db98d9686e457c124dfd5b7#1eaa4ed5ea147bc24db98d9686e457c124dfd5b7"
dependencies = [
"async-trait",
"clap",
@@ -962,7 +962,7 @@ checksum = "1462739cb27611015575c0c11df5df7601141071f07518d56fcc1be504cbec97"
[[package]]
name = "client_util"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=1d5011bde4c343890bb58aa77415b20cb900a4a8#1d5011bde4c343890bb58aa77415b20cb900a4a8"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1eaa4ed5ea147bc24db98d9686e457c124dfd5b7#1eaa4ed5ea147bc24db98d9686e457c124dfd5b7"
dependencies = [
"http 0.2.12",
"reqwest 0.11.27",
@@ -1296,7 +1296,7 @@ dependencies = [
[[package]]
name = "data_types"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=1d5011bde4c343890bb58aa77415b20cb900a4a8#1d5011bde4c343890bb58aa77415b20cb900a4a8"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1eaa4ed5ea147bc24db98d9686e457c124dfd5b7#1eaa4ed5ea147bc24db98d9686e457c124dfd5b7"
dependencies = [
"arrow",
"arrow-buffer",
@@ -1709,7 +1709,7 @@ dependencies = [
[[package]]
name = "datafusion_util"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=1d5011bde4c343890bb58aa77415b20cb900a4a8#1d5011bde4c343890bb58aa77415b20cb900a4a8"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1eaa4ed5ea147bc24db98d9686e457c124dfd5b7#1eaa4ed5ea147bc24db98d9686e457c124dfd5b7"
dependencies = [
"async-trait",
"datafusion",
@@ -1897,7 +1897,7 @@ checksum = "0206175f82b8d6bf6652ff7d71a1e27fd2e4efde587fd368662814d6ec1d9ce0"
[[package]]
name = "executor"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=1d5011bde4c343890bb58aa77415b20cb900a4a8#1d5011bde4c343890bb58aa77415b20cb900a4a8"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1eaa4ed5ea147bc24db98d9686e457c124dfd5b7#1eaa4ed5ea147bc24db98d9686e457c124dfd5b7"
dependencies = [
"futures",
"metric",
@@ -1951,7 +1951,7 @@ dependencies = [
[[package]]
name = "flightsql"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=1d5011bde4c343890bb58aa77415b20cb900a4a8#1d5011bde4c343890bb58aa77415b20cb900a4a8"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1eaa4ed5ea147bc24db98d9686e457c124dfd5b7#1eaa4ed5ea147bc24db98d9686e457c124dfd5b7"
dependencies = [
"arrow",
"arrow-flight",
@@ -2098,7 +2098,7 @@ dependencies = [
[[package]]
name = "generated_types"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=1d5011bde4c343890bb58aa77415b20cb900a4a8#1d5011bde4c343890bb58aa77415b20cb900a4a8"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1eaa4ed5ea147bc24db98d9686e457c124dfd5b7#1eaa4ed5ea147bc24db98d9686e457c124dfd5b7"
dependencies = [
"observability_deps",
"pbjson",
@@ -2550,7 +2550,7 @@ dependencies = [
[[package]]
name = "influxdb-line-protocol"
version = "1.0.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=1d5011bde4c343890bb58aa77415b20cb900a4a8#1d5011bde4c343890bb58aa77415b20cb900a4a8"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1eaa4ed5ea147bc24db98d9686e457c124dfd5b7#1eaa4ed5ea147bc24db98d9686e457c124dfd5b7"
dependencies = [
"bytes",
"log",
@@ -2838,7 +2838,7 @@ dependencies = [
[[package]]
name = "influxdb_influxql_parser"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=1d5011bde4c343890bb58aa77415b20cb900a4a8#1d5011bde4c343890bb58aa77415b20cb900a4a8"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1eaa4ed5ea147bc24db98d9686e457c124dfd5b7#1eaa4ed5ea147bc24db98d9686e457c124dfd5b7"
dependencies = [
"chrono",
"chrono-tz",
@@ -2853,7 +2853,7 @@ dependencies = [
[[package]]
name = "influxdb_iox_client"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=1d5011bde4c343890bb58aa77415b20cb900a4a8#1d5011bde4c343890bb58aa77415b20cb900a4a8"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1eaa4ed5ea147bc24db98d9686e457c124dfd5b7#1eaa4ed5ea147bc24db98d9686e457c124dfd5b7"
dependencies = [
"arrow",
"arrow-flight",
@@ -2912,7 +2912,7 @@ checksum = "8bb03732005da905c88227371639bf1ad885cc712789c011c31c5fb3ab3ccf02"
[[package]]
name = "iox_catalog"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=1d5011bde4c343890bb58aa77415b20cb900a4a8#1d5011bde4c343890bb58aa77415b20cb900a4a8"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1eaa4ed5ea147bc24db98d9686e457c124dfd5b7#1eaa4ed5ea147bc24db98d9686e457c124dfd5b7"
dependencies = [
"async-trait",
"backoff",
@@ -2949,7 +2949,7 @@ dependencies = [
[[package]]
name = "iox_http"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=1d5011bde4c343890bb58aa77415b20cb900a4a8#1d5011bde4c343890bb58aa77415b20cb900a4a8"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1eaa4ed5ea147bc24db98d9686e457c124dfd5b7#1eaa4ed5ea147bc24db98d9686e457c124dfd5b7"
dependencies = [
"async-trait",
"authz",
@@ -2965,7 +2965,7 @@ dependencies = [
[[package]]
name = "iox_query"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=1d5011bde4c343890bb58aa77415b20cb900a4a8#1d5011bde4c343890bb58aa77415b20cb900a4a8"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1eaa4ed5ea147bc24db98d9686e457c124dfd5b7#1eaa4ed5ea147bc24db98d9686e457c124dfd5b7"
dependencies = [
"arrow",
"arrow_util",
@@ -3002,7 +3002,7 @@ dependencies = [
[[package]]
name = "iox_query_influxql"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=1d5011bde4c343890bb58aa77415b20cb900a4a8#1d5011bde4c343890bb58aa77415b20cb900a4a8"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1eaa4ed5ea147bc24db98d9686e457c124dfd5b7#1eaa4ed5ea147bc24db98d9686e457c124dfd5b7"
dependencies = [
"arrow",
"chrono-tz",
@@ -3034,7 +3034,7 @@ dependencies = [
[[package]]
name = "iox_query_params"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=1d5011bde4c343890bb58aa77415b20cb900a4a8#1d5011bde4c343890bb58aa77415b20cb900a4a8"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1eaa4ed5ea147bc24db98d9686e457c124dfd5b7#1eaa4ed5ea147bc24db98d9686e457c124dfd5b7"
dependencies = [
"arrow",
"datafusion",
@@ -3049,7 +3049,7 @@ dependencies = [
[[package]]
name = "iox_system_tables"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=1d5011bde4c343890bb58aa77415b20cb900a4a8#1d5011bde4c343890bb58aa77415b20cb900a4a8"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1eaa4ed5ea147bc24db98d9686e457c124dfd5b7#1eaa4ed5ea147bc24db98d9686e457c124dfd5b7"
dependencies = [
"arrow",
"async-trait",
@@ -3061,7 +3061,7 @@ dependencies = [
[[package]]
name = "iox_time"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=1d5011bde4c343890bb58aa77415b20cb900a4a8#1d5011bde4c343890bb58aa77415b20cb900a4a8"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1eaa4ed5ea147bc24db98d9686e457c124dfd5b7#1eaa4ed5ea147bc24db98d9686e457c124dfd5b7"
dependencies = [
"chrono",
"parking_lot",
@@ -3268,7 +3268,7 @@ checksum = "a7a70ba024b9dc04c27ea2f0c0548feb474ec5c54bba33a7f72f873a39d07b24"
[[package]]
name = "logfmt"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=1d5011bde4c343890bb58aa77415b20cb900a4a8#1d5011bde4c343890bb58aa77415b20cb900a4a8"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1eaa4ed5ea147bc24db98d9686e457c124dfd5b7#1eaa4ed5ea147bc24db98d9686e457c124dfd5b7"
dependencies = [
"observability_deps",
"tracing-subscriber",
@@ -3338,7 +3338,7 @@ dependencies = [
[[package]]
name = "meta_data_cache"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=1d5011bde4c343890bb58aa77415b20cb900a4a8#1d5011bde4c343890bb58aa77415b20cb900a4a8"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1eaa4ed5ea147bc24db98d9686e457c124dfd5b7#1eaa4ed5ea147bc24db98d9686e457c124dfd5b7"
dependencies = [
"arrow",
"data_types",
@@ -3356,7 +3356,7 @@ dependencies = [
[[package]]
name = "metric"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=1d5011bde4c343890bb58aa77415b20cb900a4a8#1d5011bde4c343890bb58aa77415b20cb900a4a8"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1eaa4ed5ea147bc24db98d9686e457c124dfd5b7#1eaa4ed5ea147bc24db98d9686e457c124dfd5b7"
dependencies = [
"parking_lot",
"workspace-hack",
@@ -3365,7 +3365,7 @@ dependencies = [
[[package]]
name = "metric_exporters"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=1d5011bde4c343890bb58aa77415b20cb900a4a8#1d5011bde4c343890bb58aa77415b20cb900a4a8"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1eaa4ed5ea147bc24db98d9686e457c124dfd5b7#1eaa4ed5ea147bc24db98d9686e457c124dfd5b7"
dependencies = [
"metric",
"observability_deps",
@@ -3463,7 +3463,7 @@ checksum = "9252111cf132ba0929b6f8e030cac2a24b507f3a4d6db6fb2896f27b354c714b"
[[package]]
name = "mutable_batch"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=1d5011bde4c343890bb58aa77415b20cb900a4a8#1d5011bde4c343890bb58aa77415b20cb900a4a8"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1eaa4ed5ea147bc24db98d9686e457c124dfd5b7#1eaa4ed5ea147bc24db98d9686e457c124dfd5b7"
dependencies = [
"arrow",
"arrow_util",
@@ -3677,7 +3677,7 @@ dependencies = [
[[package]]
name = "object_store_mem_cache"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=1d5011bde4c343890bb58aa77415b20cb900a4a8#1d5011bde4c343890bb58aa77415b20cb900a4a8"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1eaa4ed5ea147bc24db98d9686e457c124dfd5b7#1eaa4ed5ea147bc24db98d9686e457c124dfd5b7"
dependencies = [
"async-trait",
"bytes",
@@ -3694,7 +3694,7 @@ dependencies = [
[[package]]
name = "observability_deps"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=1d5011bde4c343890bb58aa77415b20cb900a4a8#1d5011bde4c343890bb58aa77415b20cb900a4a8"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1eaa4ed5ea147bc24db98d9686e457c124dfd5b7#1eaa4ed5ea147bc24db98d9686e457c124dfd5b7"
dependencies = [
"tracing",
"workspace-hack",
@@ -3739,7 +3739,7 @@ checksum = "b15813163c1d831bf4a13c3610c05c0d03b39feb07f7e09fa234dac9b15aaf39"
[[package]]
name = "panic_logging"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=1d5011bde4c343890bb58aa77415b20cb900a4a8#1d5011bde4c343890bb58aa77415b20cb900a4a8"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1eaa4ed5ea147bc24db98d9686e457c124dfd5b7#1eaa4ed5ea147bc24db98d9686e457c124dfd5b7"
dependencies = [
"metric",
"observability_deps",
@@ -3808,7 +3808,7 @@ dependencies = [
[[package]]
name = "parquet_file"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=1d5011bde4c343890bb58aa77415b20cb900a4a8#1d5011bde4c343890bb58aa77415b20cb900a4a8"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1eaa4ed5ea147bc24db98d9686e457c124dfd5b7#1eaa4ed5ea147bc24db98d9686e457c124dfd5b7"
dependencies = [
"arrow",
"arrow_util",
@@ -4027,7 +4027,7 @@ dependencies = [
[[package]]
name = "predicate"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=1d5011bde4c343890bb58aa77415b20cb900a4a8#1d5011bde4c343890bb58aa77415b20cb900a4a8"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1eaa4ed5ea147bc24db98d9686e457c124dfd5b7#1eaa4ed5ea147bc24db98d9686e457c124dfd5b7"
dependencies = [
"arrow",
"async-trait",
@@ -4255,7 +4255,7 @@ dependencies = [
[[package]]
name = "query_functions"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=1d5011bde4c343890bb58aa77415b20cb900a4a8#1d5011bde4c343890bb58aa77415b20cb900a4a8"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1eaa4ed5ea147bc24db98d9686e457c124dfd5b7#1eaa4ed5ea147bc24db98d9686e457c124dfd5b7"
dependencies = [
"arrow",
"chrono",
@@ -4782,7 +4782,7 @@ dependencies = [
[[package]]
name = "schema"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=1d5011bde4c343890bb58aa77415b20cb900a4a8#1d5011bde4c343890bb58aa77415b20cb900a4a8"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1eaa4ed5ea147bc24db98d9686e457c124dfd5b7#1eaa4ed5ea147bc24db98d9686e457c124dfd5b7"
dependencies = [
"arrow",
"hashbrown 0.14.5",
@@ -4929,7 +4929,7 @@ dependencies = [
[[package]]
name = "service_common"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=1d5011bde4c343890bb58aa77415b20cb900a4a8#1d5011bde4c343890bb58aa77415b20cb900a4a8"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1eaa4ed5ea147bc24db98d9686e457c124dfd5b7#1eaa4ed5ea147bc24db98d9686e457c124dfd5b7"
dependencies = [
"arrow",
"datafusion",
@@ -4942,7 +4942,7 @@ dependencies = [
[[package]]
name = "service_grpc_flight"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=1d5011bde4c343890bb58aa77415b20cb900a4a8#1d5011bde4c343890bb58aa77415b20cb900a4a8"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1eaa4ed5ea147bc24db98d9686e457c124dfd5b7#1eaa4ed5ea147bc24db98d9686e457c124dfd5b7"
dependencies = [
"arrow",
"arrow-flight",
@@ -5230,7 +5230,7 @@ dependencies = [
[[package]]
name = "sqlx-hotswap-pool"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=1d5011bde4c343890bb58aa77415b20cb900a4a8#1d5011bde4c343890bb58aa77415b20cb900a4a8"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1eaa4ed5ea147bc24db98d9686e457c124dfd5b7#1eaa4ed5ea147bc24db98d9686e457c124dfd5b7"
dependencies = [
"either",
"futures",
@@ -5565,7 +5565,7 @@ dependencies = [
[[package]]
name = "test_helpers"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=1d5011bde4c343890bb58aa77415b20cb900a4a8#1d5011bde4c343890bb58aa77415b20cb900a4a8"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1eaa4ed5ea147bc24db98d9686e457c124dfd5b7#1eaa4ed5ea147bc24db98d9686e457c124dfd5b7"
dependencies = [
"async-trait",
"dotenvy",
@@ -5832,7 +5832,7 @@ dependencies = [
[[package]]
name = "tokio_metrics_bridge"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=1d5011bde4c343890bb58aa77415b20cb900a4a8#1d5011bde4c343890bb58aa77415b20cb900a4a8"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1eaa4ed5ea147bc24db98d9686e457c124dfd5b7#1eaa4ed5ea147bc24db98d9686e457c124dfd5b7"
dependencies = [
"metric",
"parking_lot",
@@ -5843,7 +5843,7 @@ dependencies = [
[[package]]
name = "tokio_watchdog"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=1d5011bde4c343890bb58aa77415b20cb900a4a8#1d5011bde4c343890bb58aa77415b20cb900a4a8"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1eaa4ed5ea147bc24db98d9686e457c124dfd5b7#1eaa4ed5ea147bc24db98d9686e457c124dfd5b7"
dependencies = [
"metric",
"observability_deps",
@@ -6004,7 +6004,7 @@ checksum = "8df9b6e13f2d32c91b9bd719c00d1958837bc7dec474d94952798cc8e69eeec3"
[[package]]
name = "tower_trailer"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=1d5011bde4c343890bb58aa77415b20cb900a4a8#1d5011bde4c343890bb58aa77415b20cb900a4a8"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1eaa4ed5ea147bc24db98d9686e457c124dfd5b7#1eaa4ed5ea147bc24db98d9686e457c124dfd5b7"
dependencies = [
"futures",
"http 0.2.12",
@@ -6018,7 +6018,7 @@ dependencies = [
[[package]]
name = "trace"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=1d5011bde4c343890bb58aa77415b20cb900a4a8#1d5011bde4c343890bb58aa77415b20cb900a4a8"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1eaa4ed5ea147bc24db98d9686e457c124dfd5b7#1eaa4ed5ea147bc24db98d9686e457c124dfd5b7"
dependencies = [
"chrono",
"observability_deps",
@@ -6030,7 +6030,7 @@ dependencies = [
[[package]]
name = "trace_exporters"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=1d5011bde4c343890bb58aa77415b20cb900a4a8#1d5011bde4c343890bb58aa77415b20cb900a4a8"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1eaa4ed5ea147bc24db98d9686e457c124dfd5b7#1eaa4ed5ea147bc24db98d9686e457c124dfd5b7"
dependencies = [
"async-trait",
"clap",
@@ -6048,7 +6048,7 @@ dependencies = [
[[package]]
name = "trace_http"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=1d5011bde4c343890bb58aa77415b20cb900a4a8#1d5011bde4c343890bb58aa77415b20cb900a4a8"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1eaa4ed5ea147bc24db98d9686e457c124dfd5b7#1eaa4ed5ea147bc24db98d9686e457c124dfd5b7"
dependencies = [
"bytes",
"futures",
@@ -6145,7 +6145,7 @@ dependencies = [
[[package]]
name = "tracker"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=1d5011bde4c343890bb58aa77415b20cb900a4a8#1d5011bde4c343890bb58aa77415b20cb900a4a8"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1eaa4ed5ea147bc24db98d9686e457c124dfd5b7#1eaa4ed5ea147bc24db98d9686e457c124dfd5b7"
dependencies = [
"futures",
"hashbrown 0.14.5",
@@ -6165,7 +6165,7 @@ dependencies = [
[[package]]
name = "trogging"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=1d5011bde4c343890bb58aa77415b20cb900a4a8#1d5011bde4c343890bb58aa77415b20cb900a4a8"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1eaa4ed5ea147bc24db98d9686e457c124dfd5b7#1eaa4ed5ea147bc24db98d9686e457c124dfd5b7"
dependencies = [
"clap",
"logfmt",
@@ -6761,7 +6761,7 @@ dependencies = [
[[package]]
name = "workspace-hack"
version = "0.1.0"
-source = "git+https://github.com/influxdata/influxdb3_core?rev=1d5011bde4c343890bb58aa77415b20cb900a4a8#1d5011bde4c343890bb58aa77415b20cb900a4a8"
+source = "git+https://github.com/influxdata/influxdb3_core?rev=1eaa4ed5ea147bc24db98d9686e457c124dfd5b7#1eaa4ed5ea147bc24db98d9686e457c124dfd5b7"
dependencies = [
"ahash",
"arrow-array",
diff --git a/Cargo.toml b/Cargo.toml
index 8214ec0488..46127ae16b 100644
--- a/Cargo.toml
+++ b/Cargo.toml
@@ -108,36 +108,36 @@ urlencoding = "1.1"
uuid = { version = "1", features = ["v4"] }
# Core.git crates we depend on
-arrow_util = { git = "https://github.com/influxdata/influxdb3_core", rev = "1d5011bde4c343890bb58aa77415b20cb900a4a8"}
-authz = { git = "https://github.com/influxdata/influxdb3_core", rev = "1d5011bde4c343890bb58aa77415b20cb900a4a8", features = ["http"] }
-clap_blocks = { git = "https://github.com/influxdata/influxdb3_core", rev = "1d5011bde4c343890bb58aa77415b20cb900a4a8" }
-data_types = { git = "https://github.com/influxdata/influxdb3_core", rev = "1d5011bde4c343890bb58aa77415b20cb900a4a8" }
-datafusion_util = { git = "https://github.com/influxdata/influxdb3_core", rev = "1d5011bde4c343890bb58aa77415b20cb900a4a8" }
-influxdb-line-protocol = { git = "https://github.com/influxdata/influxdb3_core", rev = "1d5011bde4c343890bb58aa77415b20cb900a4a8", features = ["v3"] }
-influxdb_influxql_parser = { git = "https://github.com/influxdata/influxdb3_core", rev = "1d5011bde4c343890bb58aa77415b20cb900a4a8" }
-influxdb_iox_client = { git = "https://github.com/influxdata/influxdb3_core", rev = "1d5011bde4c343890bb58aa77415b20cb900a4a8" }
-iox_catalog = { git = "https://github.com/influxdata/influxdb3_core", rev = "1d5011bde4c343890bb58aa77415b20cb900a4a8" }
-iox_http = { git = "https://github.com/influxdata/influxdb3_core", rev = "1d5011bde4c343890bb58aa77415b20cb900a4a8" }
-iox_query = { git = "https://github.com/influxdata/influxdb3_core", rev = "1d5011bde4c343890bb58aa77415b20cb900a4a8" }
-iox_query_params = { git = "https://github.com/influxdata/influxdb3_core", rev = "1d5011bde4c343890bb58aa77415b20cb900a4a8" }
-iox_query_influxql = { git = "https://github.com/influxdata/influxdb3_core", rev = "1d5011bde4c343890bb58aa77415b20cb900a4a8" }
-iox_system_tables = { git = "https://github.com/influxdata/influxdb3_core", rev = "1d5011bde4c343890bb58aa77415b20cb900a4a8" }
-iox_time = { git = "https://github.com/influxdata/influxdb3_core", rev = "1d5011bde4c343890bb58aa77415b20cb900a4a8" }
-metric = { git = "https://github.com/influxdata/influxdb3_core", rev = "1d5011bde4c343890bb58aa77415b20cb900a4a8" }
-metric_exporters = { git = "https://github.com/influxdata/influxdb3_core", rev = "1d5011bde4c343890bb58aa77415b20cb900a4a8" }
-observability_deps = { git = "https://github.com/influxdata/influxdb3_core", rev = "1d5011bde4c343890bb58aa77415b20cb900a4a8" }
-panic_logging = { git = "https://github.com/influxdata/influxdb3_core", rev = "1d5011bde4c343890bb58aa77415b20cb900a4a8" }
-parquet_file = { git = "https://github.com/influxdata/influxdb3_core", rev = "1d5011bde4c343890bb58aa77415b20cb900a4a8" }
-schema = { git = "https://github.com/influxdata/influxdb3_core", rev = "1d5011bde4c343890bb58aa77415b20cb900a4a8", features = ["v3"] }
-service_common = { git = "https://github.com/influxdata/influxdb3_core", rev = "1d5011bde4c343890bb58aa77415b20cb900a4a8" }
-service_grpc_flight = { git = "https://github.com/influxdata/influxdb3_core", rev = "1d5011bde4c343890bb58aa77415b20cb900a4a8" }
-test_helpers = { git = "https://github.com/influxdata/influxdb3_core", rev = "1d5011bde4c343890bb58aa77415b20cb900a4a8" }
-tokio_metrics_bridge = { git = "https://github.com/influxdata/influxdb3_core", rev = "1d5011bde4c343890bb58aa77415b20cb900a4a8" }
-trace = { git = "https://github.com/influxdata/influxdb3_core", rev = "1d5011bde4c343890bb58aa77415b20cb900a4a8" }
-trace_exporters = { git = "https://github.com/influxdata/influxdb3_core", rev = "1d5011bde4c343890bb58aa77415b20cb900a4a8" }
-trace_http = { git = "https://github.com/influxdata/influxdb3_core", rev = "1d5011bde4c343890bb58aa77415b20cb900a4a8" }
-tracker = { git = "https://github.com/influxdata/influxdb3_core", rev = "1d5011bde4c343890bb58aa77415b20cb900a4a8" }
-trogging = { git = "https://github.com/influxdata/influxdb3_core", rev = "1d5011bde4c343890bb58aa77415b20cb900a4a8", default-features = true, features = ["clap"] }
+arrow_util = { git = "https://github.com/influxdata/influxdb3_core", rev = "1eaa4ed5ea147bc24db98d9686e457c124dfd5b7"}
+authz = { git = "https://github.com/influxdata/influxdb3_core", rev = "1eaa4ed5ea147bc24db98d9686e457c124dfd5b7", features = ["http"] }
+clap_blocks = { git = "https://github.com/influxdata/influxdb3_core", rev = "1eaa4ed5ea147bc24db98d9686e457c124dfd5b7" }
+data_types = { git = "https://github.com/influxdata/influxdb3_core", rev = "1eaa4ed5ea147bc24db98d9686e457c124dfd5b7" }
+datafusion_util = { git = "https://github.com/influxdata/influxdb3_core", rev = "1eaa4ed5ea147bc24db98d9686e457c124dfd5b7" }
+influxdb-line-protocol = { git = "https://github.com/influxdata/influxdb3_core", rev = "1eaa4ed5ea147bc24db98d9686e457c124dfd5b7", features = ["v3"] }
+influxdb_influxql_parser = { git = "https://github.com/influxdata/influxdb3_core", rev = "1eaa4ed5ea147bc24db98d9686e457c124dfd5b7" }
+influxdb_iox_client = { git = "https://github.com/influxdata/influxdb3_core", rev = "1eaa4ed5ea147bc24db98d9686e457c124dfd5b7" }
+iox_catalog = { git = "https://github.com/influxdata/influxdb3_core", rev = "1eaa4ed5ea147bc24db98d9686e457c124dfd5b7" }
+iox_http = { git = "https://github.com/influxdata/influxdb3_core", rev = "1eaa4ed5ea147bc24db98d9686e457c124dfd5b7" }
+iox_query = { git = "https://github.com/influxdata/influxdb3_core", rev = "1eaa4ed5ea147bc24db98d9686e457c124dfd5b7" }
+iox_query_params = { git = "https://github.com/influxdata/influxdb3_core", rev = "1eaa4ed5ea147bc24db98d9686e457c124dfd5b7" }
+iox_query_influxql = { git = "https://github.com/influxdata/influxdb3_core", rev = "1eaa4ed5ea147bc24db98d9686e457c124dfd5b7" }
+iox_system_tables = { git = "https://github.com/influxdata/influxdb3_core", rev = "1eaa4ed5ea147bc24db98d9686e457c124dfd5b7" }
+iox_time = { git = "https://github.com/influxdata/influxdb3_core", rev = "1eaa4ed5ea147bc24db98d9686e457c124dfd5b7" }
+metric = { git = "https://github.com/influxdata/influxdb3_core", rev = "1eaa4ed5ea147bc24db98d9686e457c124dfd5b7" }
+metric_exporters = { git = "https://github.com/influxdata/influxdb3_core", rev = "1eaa4ed5ea147bc24db98d9686e457c124dfd5b7" }
+observability_deps = { git = "https://github.com/influxdata/influxdb3_core", rev = "1eaa4ed5ea147bc24db98d9686e457c124dfd5b7" }
+panic_logging = { git = "https://github.com/influxdata/influxdb3_core", rev = "1eaa4ed5ea147bc24db98d9686e457c124dfd5b7" }
+parquet_file = { git = "https://github.com/influxdata/influxdb3_core", rev = "1eaa4ed5ea147bc24db98d9686e457c124dfd5b7" }
+schema = { git = "https://github.com/influxdata/influxdb3_core", rev = "1eaa4ed5ea147bc24db98d9686e457c124dfd5b7", features = ["v3"] }
+service_common = { git = "https://github.com/influxdata/influxdb3_core", rev = "1eaa4ed5ea147bc24db98d9686e457c124dfd5b7" }
+service_grpc_flight = { git = "https://github.com/influxdata/influxdb3_core", rev = "1eaa4ed5ea147bc24db98d9686e457c124dfd5b7" }
+test_helpers = { git = "https://github.com/influxdata/influxdb3_core", rev = "1eaa4ed5ea147bc24db98d9686e457c124dfd5b7" }
+tokio_metrics_bridge = { git = "https://github.com/influxdata/influxdb3_core", rev = "1eaa4ed5ea147bc24db98d9686e457c124dfd5b7" }
+trace = { git = "https://github.com/influxdata/influxdb3_core", rev = "1eaa4ed5ea147bc24db98d9686e457c124dfd5b7" }
+trace_exporters = { git = "https://github.com/influxdata/influxdb3_core", rev = "1eaa4ed5ea147bc24db98d9686e457c124dfd5b7" }
+trace_http = { git = "https://github.com/influxdata/influxdb3_core", rev = "1eaa4ed5ea147bc24db98d9686e457c124dfd5b7" }
+tracker = { git = "https://github.com/influxdata/influxdb3_core", rev = "1eaa4ed5ea147bc24db98d9686e457c124dfd5b7" }
+trogging = { git = "https://github.com/influxdata/influxdb3_core", rev = "1eaa4ed5ea147bc24db98d9686e457c124dfd5b7", default-features = true, features = ["clap"] }
[workspace.lints.rust]
missing_copy_implementations = "deny"
|
f40885d4ca32fd809d0ed5def7db96ad5bad15ed
|
Dom Dwyer
|
2022-11-29 20:09:18
|
remove needless async/await
|
Obtaining a rotation handle isn't async.
| null |
refactor(wal): remove needless async/await
Obtaining a rotation handle isn't async.
|
diff --git a/ingester2/src/init/wal_replay.rs b/ingester2/src/init/wal_replay.rs
index 742a11b3f4..e95400d43b 100644
--- a/ingester2/src/init/wal_replay.rs
+++ b/ingester2/src/init/wal_replay.rs
@@ -241,7 +241,6 @@ mod tests {
// Rotate the log file
wal.rotation_handle()
- .await
.rotate()
.await
.expect("failed to rotate WAL file");
diff --git a/wal/src/lib.rs b/wal/src/lib.rs
index 955fd455dd..73c84ba9db 100644
--- a/wal/src/lib.rs
+++ b/wal/src/lib.rs
@@ -263,7 +263,7 @@ impl Wal {
/// Returns a handle to the WAL that enables rotating the open segment and deleting closed
/// segments.
- pub async fn rotation_handle(&self) -> WalRotator<'_> {
+ pub fn rotation_handle(&self) -> WalRotator<'_> {
WalRotator(self)
}
}
@@ -685,7 +685,7 @@ mod tests {
);
// No writes, but rotating is totally fine
- let wal_rotator = wal.rotation_handle().await;
+ let wal_rotator = wal.rotation_handle();
let closed_segment_details = wal_rotator.rotate().await.unwrap();
assert_eq!(closed_segment_details.size(), 16);
diff --git a/wal/tests/end_to_end.rs b/wal/tests/end_to_end.rs
index c97c70668f..5f02227d6d 100644
--- a/wal/tests/end_to_end.rs
+++ b/wal/tests/end_to_end.rs
@@ -45,7 +45,7 @@ async fn crud() {
);
// Can't read entries from the open segment; have to rotate first
- let wal_rotator = wal.rotation_handle().await;
+ let wal_rotator = wal.rotation_handle();
let closed_segment_details = wal_rotator.rotate().await.unwrap();
assert_eq!(closed_segment_details.size(), 228);
@@ -88,7 +88,7 @@ async fn replay() {
let open = wal.write_handle().await;
let op = arbitrary_sequenced_wal_op(42);
open.write_op(op).await.unwrap();
- let wal_rotator = wal.rotation_handle().await;
+ let wal_rotator = wal.rotation_handle();
wal_rotator.rotate().await.unwrap();
let op = arbitrary_sequenced_wal_op(43);
open.write_op(op).await.unwrap();
@@ -129,7 +129,7 @@ async fn ordering() {
{
let wal = wal::Wal::new(dir.path()).await.unwrap();
let open = wal.write_handle().await;
- let wal_rotator = wal.rotation_handle().await;
+ let wal_rotator = wal.rotation_handle();
let op = arbitrary_sequenced_wal_op(42);
open.write_op(op).await.unwrap();
@@ -146,7 +146,7 @@ async fn ordering() {
// Create a new WAL instance with the same directory to replay from the files
let wal = wal::Wal::new(dir.path()).await.unwrap();
let wal_reader = wal.read_handle();
- let wal_rotator = wal.rotation_handle().await;
+ let wal_rotator = wal.rotation_handle();
// There are 3 segments (from the 2 closed and 1 open) and they're in the order they were
// created
|
4cf4433c1e90fc062bd85bcf11a76a7efe6f97dd
|
Dom Dwyer
|
2023-04-28 15:36:00
|
include missing column in return
|
The Parquet::create() method was missing the `max_sequence_number`
column in the query response!
| null |
fix(iox_catalog): include missing column in return
The Parquet::create() method was missing the `max_sequence_number`
column in the query response!
|
diff --git a/iox_catalog/src/sqlite.rs b/iox_catalog/src/sqlite.rs
index 9eb957a67d..2bfabb8513 100644
--- a/iox_catalog/src/sqlite.rs
+++ b/iox_catalog/src/sqlite.rs
@@ -1444,7 +1444,7 @@ INSERT INTO parquet_file (
VALUES ( $1, $2, $3, $4, $5, $6, $7, $8, $9, $10, $11, $12, $13, $14 )
RETURNING
id, table_id, partition_id, object_store_id,
- min_time, max_time, to_delete, file_size_bytes,
+ max_sequence_number, min_time, max_time, to_delete, file_size_bytes,
row_count, compaction_level, created_at, namespace_id, column_set, max_l0_created_at;
"#,
)
|
bfa0e71558498d2a7f9d18d072e9dfbb380402ff
|
praveen-influx
|
2024-11-26 17:18:22
|
make query executor as trait object (#25591)
|
* feat: make query executor as trait object
This commit moves `QueryExecutorImpl` behind a `dyn` (trait object) as
we have other impls in core for `QueryExecutor` and this will keep both
pro and OSS traits in sync
* chore: fix cargo audit failures
- address https://rustsec.org/advisories/RUSTSEC-2024-0399.html by
running `cargo update --precise 0.23.18 --package [email protected]`
- address yanked version of `url` crate (2.5.3) by running
`cargo update -p url`
| null |
feat: make query executor as trait object (#25591)
* feat: make query executor as trait object
This commit moves `QueryExecutorImpl` behind a `dyn` (trait object) as
we have other impls in core for `QueryExecutor` and this will keep both
pro and OSS traits in sync
* chore: fix cargo audit failures
- address https://rustsec.org/advisories/RUSTSEC-2024-0399.html by
running `cargo update --precise 0.23.18 --package [email protected]`
- address yanked version of `url` crate (2.5.3) by running
`cargo update -p url`
|
diff --git a/Cargo.lock b/Cargo.lock
index 2abfc3a9db..2eee465453 100644
--- a/Cargo.lock
+++ b/Cargo.lock
@@ -2445,7 +2445,7 @@ dependencies = [
"http 1.1.0",
"hyper 1.5.0",
"hyper-util",
- "rustls 0.23.16",
+ "rustls 0.23.18",
"rustls-native-certs 0.8.0",
"rustls-pki-types",
"tokio",
@@ -4583,7 +4583,7 @@ dependencies = [
"quinn-proto",
"quinn-udp",
"rustc-hash",
- "rustls 0.23.16",
+ "rustls 0.23.18",
"socket2",
"thiserror 1.0.69",
"tokio",
@@ -4600,7 +4600,7 @@ dependencies = [
"rand",
"ring",
"rustc-hash",
- "rustls 0.23.16",
+ "rustls 0.23.18",
"slab",
"thiserror 1.0.69",
"tinyvec",
@@ -4813,7 +4813,7 @@ dependencies = [
"percent-encoding",
"pin-project-lite",
"quinn",
- "rustls 0.23.16",
+ "rustls 0.23.18",
"rustls-native-certs 0.8.0",
"rustls-pemfile 2.2.0",
"rustls-pki-types",
@@ -4930,9 +4930,9 @@ dependencies = [
[[package]]
name = "rustls"
-version = "0.23.16"
+version = "0.23.18"
source = "registry+https://github.com/rust-lang/crates.io-index"
-checksum = "eee87ff5d9b36712a58574e12e9f0ea80f915a5b0ac518d322b24a465617925e"
+checksum = "9c9cc1d47e243d655ace55ed38201c19ae02c148ae56412ab8750e8f0166ab7f"
dependencies = [
"log",
"once_cell",
@@ -5481,7 +5481,7 @@ dependencies = [
"once_cell",
"paste",
"percent-encoding",
- "rustls 0.23.16",
+ "rustls 0.23.18",
"rustls-pemfile 2.2.0",
"serde",
"serde_json",
@@ -6116,7 +6116,7 @@ version = "0.26.0"
source = "registry+https://github.com/rust-lang/crates.io-index"
checksum = "0c7bc40d0e5a97695bb96e27995cd3a08538541b0a846f65bba7a359f36700d4"
dependencies = [
- "rustls 0.23.16",
+ "rustls 0.23.18",
"rustls-pki-types",
"tokio",
]
@@ -6552,9 +6552,9 @@ checksum = "8ecb6da28b8a351d773b68d5825ac39017e680750f980f3a1a85cd8dd28a47c1"
[[package]]
name = "url"
-version = "2.5.3"
+version = "2.5.4"
source = "registry+https://github.com/rust-lang/crates.io-index"
-checksum = "8d157f1b96d14500ffdc1f10ba712e780825526c03d9a49b4d0324b0d9113ada"
+checksum = "32f8b686cadd1473f4bd0117a5d28d36b1ade384ea9b5069a1c40aefed7fda60"
dependencies = [
"form_urlencoded",
"idna",
@@ -7130,7 +7130,7 @@ dependencies = [
"reqwest 0.11.27",
"reqwest 0.12.9",
"ring",
- "rustls 0.23.16",
+ "rustls 0.23.18",
"serde",
"serde_json",
"sha2",
diff --git a/influxdb3_server/src/builder.rs b/influxdb3_server/src/builder.rs
index 6cfb29e4fa..c7d9b4dd4e 100644
--- a/influxdb3_server/src/builder.rs
+++ b/influxdb3_server/src/builder.rs
@@ -4,7 +4,10 @@ use authz::Authorizer;
use influxdb3_write::{persister::Persister, WriteBuffer};
use tokio::net::TcpListener;
-use crate::{auth::DefaultAuthorizer, http::HttpApi, CommonServerState, Server};
+use crate::{
+ auth::DefaultAuthorizer, http::HttpApi, query_executor, CommonServerState, QueryExecutor,
+ Server,
+};
#[derive(Debug)]
pub struct ServerBuilder<W, Q, P, T, L> {
@@ -52,7 +55,7 @@ pub struct WithWriteBuf(Arc<dyn WriteBuffer>);
#[derive(Debug)]
pub struct NoQueryExec;
#[derive(Debug)]
-pub struct WithQueryExec<Q>(Arc<Q>);
+pub struct WithQueryExec(Arc<dyn QueryExecutor<Error = query_executor::Error>>);
#[derive(Debug)]
pub struct NoPersister;
#[derive(Debug)]
@@ -82,7 +85,10 @@ impl<Q, P, T, L> ServerBuilder<NoWriteBuf, Q, P, T, L> {
}
impl<W, P, T, L> ServerBuilder<W, NoQueryExec, P, T, L> {
- pub fn query_executor<Q>(self, qe: Arc<Q>) -> ServerBuilder<W, WithQueryExec<Q>, P, T, L> {
+ pub fn query_executor(
+ self,
+ qe: Arc<dyn QueryExecutor<Error = query_executor::Error>>,
+ ) -> ServerBuilder<W, WithQueryExec, P, T, L> {
ServerBuilder {
common_state: self.common_state,
time_provider: self.time_provider,
@@ -141,10 +147,10 @@ impl<W, Q, P, T> ServerBuilder<W, Q, P, T, NoListener> {
}
}
-impl<Q, T>
- ServerBuilder<WithWriteBuf, WithQueryExec<Q>, WithPersister, WithTimeProvider<T>, WithListener>
+impl<T>
+ ServerBuilder<WithWriteBuf, WithQueryExec, WithPersister, WithTimeProvider<T>, WithListener>
{
- pub fn build(self) -> Server<Q, T> {
+ pub fn build(self) -> Server<T> {
let persister = Arc::clone(&self.persister.0);
let authorizer = Arc::clone(&self.authorizer);
let http = Arc::new(HttpApi::new(
diff --git a/influxdb3_server/src/grpc.rs b/influxdb3_server/src/grpc.rs
index 7b16a5f09f..5793416117 100644
--- a/influxdb3_server/src/grpc.rs
+++ b/influxdb3_server/src/grpc.rs
@@ -4,11 +4,13 @@ use arrow_flight::flight_service_server::{
FlightService as Flight, FlightServiceServer as FlightServer,
};
use authz::Authorizer;
-use iox_query::QueryDatabase;
-pub(crate) fn make_flight_server<Q: QueryDatabase>(
- server: Arc<Q>,
+use crate::{query_executor, QueryExecutor};
+
+pub(crate) fn make_flight_server(
+ server: Arc<dyn QueryExecutor<Error = query_executor::Error>>,
authz: Option<Arc<dyn Authorizer>>,
) -> FlightServer<impl Flight> {
- service_grpc_flight::make_server(server, authz)
+ let query_db = server.upcast();
+ service_grpc_flight::make_server(query_db, authz)
}
diff --git a/influxdb3_server/src/http.rs b/influxdb3_server/src/http.rs
index f1ea85e985..a2e53fa65a 100644
--- a/influxdb3_server/src/http.rs
+++ b/influxdb3_server/src/http.rs
@@ -365,22 +365,22 @@ impl Error {
pub type Result<T, E = Error> = std::result::Result<T, E>;
#[derive(Debug)]
-pub(crate) struct HttpApi<Q, T> {
+pub(crate) struct HttpApi<T> {
common_state: CommonServerState,
write_buffer: Arc<dyn WriteBuffer>,
time_provider: Arc<T>,
- pub(crate) query_executor: Arc<Q>,
+ pub(crate) query_executor: Arc<dyn QueryExecutor<Error = query_executor::Error>>,
max_request_bytes: usize,
authorizer: Arc<dyn Authorizer>,
legacy_write_param_unifier: SingleTenantRequestUnifier,
}
-impl<Q, T> HttpApi<Q, T> {
+impl<T> HttpApi<T> {
pub(crate) fn new(
common_state: CommonServerState,
time_provider: Arc<T>,
write_buffer: Arc<dyn WriteBuffer>,
- query_executor: Arc<Q>,
+ query_executor: Arc<dyn QueryExecutor<Error = query_executor::Error>>,
max_request_bytes: usize,
authorizer: Arc<dyn Authorizer>,
) -> Self {
@@ -397,11 +397,9 @@ impl<Q, T> HttpApi<Q, T> {
}
}
-impl<Q, T> HttpApi<Q, T>
+impl<T> HttpApi<T>
where
- Q: QueryExecutor,
T: TimeProvider,
- Error: From<<Q as QueryExecutor>::Error>,
{
async fn write_lp(&self, req: Request<Body>) -> Result<Response<Body>> {
let query = req.uri().query().ok_or(Error::MissingWriteParams)?;
@@ -1166,13 +1164,10 @@ struct DeleteTableRequest {
table: String,
}
-pub(crate) async fn route_request<Q: QueryExecutor, T: TimeProvider>(
- http_server: Arc<HttpApi<Q, T>>,
+pub(crate) async fn route_request<T: TimeProvider>(
+ http_server: Arc<HttpApi<T>>,
mut req: Request<Body>,
-) -> Result<Response<Body>, Infallible>
-where
- Error: From<<Q as QueryExecutor>::Error>,
-{
+) -> Result<Response<Body>, Infallible> {
if let Err(e) = http_server.authorize_request(&mut req).await {
match e {
AuthorizationError::Unauthorized => {
diff --git a/influxdb3_server/src/http/v1.rs b/influxdb3_server/src/http/v1.rs
index f0d3c89f8d..79c1e76d25 100644
--- a/influxdb3_server/src/http/v1.rs
+++ b/influxdb3_server/src/http/v1.rs
@@ -29,17 +29,13 @@ use schema::{INFLUXQL_MEASUREMENT_COLUMN_NAME, TIME_COLUMN_NAME};
use serde::{Deserialize, Serialize};
use serde_json::Value;
-use crate::QueryExecutor;
-
use super::{Error, HttpApi, Result};
const DEFAULT_CHUNK_SIZE: usize = 10_000;
-impl<Q, T> HttpApi<Q, T>
+impl<T> HttpApi<T>
where
- Q: QueryExecutor,
T: TimeProvider,
- Error: From<<Q as QueryExecutor>::Error>,
{
/// Implements the v1 query API for InfluxDB
///
diff --git a/influxdb3_server/src/lib.rs b/influxdb3_server/src/lib.rs
index b10572590b..37e3dd0fe7 100644
--- a/influxdb3_server/src/lib.rs
+++ b/influxdb3_server/src/lib.rs
@@ -119,9 +119,9 @@ impl CommonServerState {
#[allow(dead_code)]
#[derive(Debug)]
-pub struct Server<Q, T> {
+pub struct Server<T> {
common_state: CommonServerState,
- http: Arc<HttpApi<Q, T>>,
+ http: Arc<HttpApi<T>>,
persister: Arc<Persister>,
authorizer: Arc<dyn Authorizer>,
listener: TcpListener,
@@ -148,6 +148,8 @@ pub trait QueryExecutor: QueryDatabase + Debug + Send + Sync + 'static {
database: Option<&str>,
span_ctx: Option<SpanContext>,
) -> Result<SendableRecordBatchStream, Self::Error>;
+
+ fn upcast(&self) -> Arc<(dyn QueryDatabase + 'static)>;
}
#[derive(Debug)]
@@ -155,16 +157,14 @@ pub enum QueryKind {
Sql,
InfluxQl,
}
-impl<Q, T> Server<Q, T> {
+impl<T> Server<T> {
pub fn authorizer(&self) -> Arc<dyn Authorizer> {
Arc::clone(&self.authorizer)
}
}
-pub async fn serve<Q, T>(server: Server<Q, T>, shutdown: CancellationToken) -> Result<()>
+pub async fn serve<T>(server: Server<T>, shutdown: CancellationToken) -> Result<()>
where
- Q: QueryExecutor,
- http::Error: From<<Q as QueryExecutor>::Error>,
T: TimeProvider,
{
let req_metrics = RequestMetrics::new(
diff --git a/influxdb3_server/src/query_executor.rs b/influxdb3_server/src/query_executor.rs
index 952a847164..ed11f80f01 100644
--- a/influxdb3_server/src/query_executor.rs
+++ b/influxdb3_server/src/query_executor.rs
@@ -47,7 +47,7 @@ use tracker::{
AsyncSemaphoreMetrics, InstrumentedAsyncOwnedSemaphorePermit, InstrumentedAsyncSemaphore,
};
-#[derive(Debug)]
+#[derive(Debug, Clone)]
pub struct QueryExecutorImpl {
catalog: Arc<Catalog>,
write_buffer: Arc<dyn WriteBuffer>,
@@ -227,6 +227,16 @@ impl QueryExecutor for QueryExecutorImpl {
let batch = retention_policy_rows_to_batch(&rows);
Ok(Box::pin(MemoryStream::new(vec![batch])))
}
+
+ fn upcast(&self) -> Arc<(dyn QueryDatabase + 'static)> {
+ // NB: This clone is required to get compiler to be happy
+ // to convert `self` to dyn QueryDatabase. This wasn't
+ // possible without getting owned value of self.
+ // TODO: see if this clone can be removed satisfying
+ // grpc setup in `make_flight_server`
+ let cloned_self = (*self).clone();
+ Arc::new(cloned_self) as _
+ }
}
#[derive(Debug)]
|
b12d472a17a088c4f8475a8a6d1c30e0465bbaf2
|
Dom Dwyer
|
2022-10-18 17:25:18
|
add integration TestContext
|
Adds a test helper type that maintains the in-memory state for a single
ingester integration test, and provides easy-to-use methods to
manipulate and inspect the ingester instance.
| null |
test(ingester): add integration TestContext
Adds a test helper type that maintains the in-memory state for a single
ingester integration test, and provides easy-to-use methods to
manipulate and inspect the ingester instance.
|
diff --git a/ingester/src/lifecycle.rs b/ingester/src/lifecycle.rs
index d15389ed60..89cdca01dd 100644
--- a/ingester/src/lifecycle.rs
+++ b/ingester/src/lifecycle.rs
@@ -201,7 +201,7 @@ pub struct LifecycleConfig {
impl LifecycleConfig {
/// Initialize a new LifecycleConfig. panics if the passed `pause_ingest_size` is less than the
/// `persist_memory_threshold`.
- pub fn new(
+ pub const fn new(
pause_ingest_size: usize,
persist_memory_threshold: usize,
partition_size_threshold: usize,
diff --git a/ingester/tests/common/mod.rs b/ingester/tests/common/mod.rs
new file mode 100644
index 0000000000..026a40e132
--- /dev/null
+++ b/ingester/tests/common/mod.rs
@@ -0,0 +1,350 @@
+use std::{collections::HashMap, num::NonZeroU32, sync::Arc, time::Duration};
+
+use data_types::{
+ Namespace, NamespaceSchema, PartitionKey, QueryPoolId, Sequence, SequenceNumber, ShardId,
+ ShardIndex, TopicId,
+};
+use dml::{DmlMeta, DmlWrite};
+use generated_types::ingester::IngesterQueryRequest;
+use ingester::{
+ handler::{IngestHandler, IngestHandlerImpl},
+ lifecycle::LifecycleConfig,
+ querier_handler::IngesterQueryResponse,
+};
+use iox_catalog::{interface::Catalog, mem::MemCatalog, validate_or_insert_schema};
+use iox_query::exec::Executor;
+use iox_time::TimeProvider;
+use metric::{Attributes, Metric, MetricObserver};
+use mutable_batch_lp::lines_to_batches;
+use object_store::DynObjectStore;
+use observability_deps::tracing::*;
+use test_helpers::{maybe_start_logging, timeout::FutureTimeout};
+use write_buffer::{
+ core::WriteBufferReading,
+ mock::{MockBufferForReading, MockBufferSharedState},
+};
+use write_summary::ShardProgress;
+
+/// The byte size of 1 MiB.
+const ONE_MIB: usize = 1024 * 1024;
+
+/// The shard index used for the [`TestContext`].
+pub const TEST_SHARD_INDEX: ShardIndex = ShardIndex::new(0);
+
+/// The topic name used for tests.
+pub const TEST_TOPIC_NAME: &str = "banana-topics";
+
+/// The lifecycle configuration used for tests.
+pub const TEST_LIFECYCLE_CONFIG: LifecycleConfig = LifecycleConfig::new(
+ ONE_MIB,
+ ONE_MIB / 10,
+ ONE_MIB / 10,
+ Duration::from_secs(10),
+ Duration::from_secs(10),
+ 1_000,
+);
+
+pub struct TestContext {
+ ingester: IngestHandlerImpl,
+
+ // Catalog data initialised at construction time for later reuse.
+ query_id: QueryPoolId,
+ topic_id: TopicId,
+ shard_id: ShardId,
+
+ // A map of namespaces to schemas, also serving as the set of known
+ // namespaces.
+ namespaces: HashMap<String, NamespaceSchema>,
+
+ catalog: Arc<dyn Catalog>,
+ object_store: Arc<DynObjectStore>,
+ write_buffer_state: MockBufferSharedState,
+ metrics: Arc<metric::Registry>,
+}
+
+impl TestContext {
+ pub async fn new() -> Self {
+ maybe_start_logging();
+
+ let metrics: Arc<metric::Registry> = Default::default();
+ let catalog: Arc<dyn Catalog> = Arc::new(MemCatalog::new(Arc::clone(&metrics)));
+
+ // Initialise a topic, query pool and shard.
+ //
+ // Note that tests should set up their own namespace via
+ // ensure_namespace()
+ let mut txn = catalog.start_transaction().await.unwrap();
+ let topic = txn.topics().create_or_get(TEST_TOPIC_NAME).await.unwrap();
+ let query_id = txn
+ .query_pools()
+ .create_or_get("banana-query-pool")
+ .await
+ .unwrap()
+ .id;
+ let shard = txn
+ .shards()
+ .create_or_get(&topic, TEST_SHARD_INDEX)
+ .await
+ .unwrap();
+ txn.commit().await.unwrap();
+
+ // Mock in-memory write buffer.
+ let write_buffer_state =
+ MockBufferSharedState::empty_with_n_shards(NonZeroU32::try_from(1).unwrap());
+ let write_buffer_read: Arc<dyn WriteBufferReading> =
+ Arc::new(MockBufferForReading::new(write_buffer_state.clone(), None).unwrap());
+
+ // Mock object store that persists in memory.
+ let object_store: Arc<DynObjectStore> = Arc::new(object_store::memory::InMemory::new());
+
+ let ingester = IngestHandlerImpl::new(
+ TEST_LIFECYCLE_CONFIG,
+ topic.clone(),
+ [(TEST_SHARD_INDEX, shard)].into_iter().collect(),
+ Arc::clone(&catalog),
+ Arc::clone(&object_store),
+ write_buffer_read,
+ Arc::new(Executor::new(1)),
+ Arc::clone(&metrics),
+ true,
+ 1,
+ )
+ .await
+ .unwrap();
+
+ Self {
+ ingester,
+ query_id,
+ topic_id: topic.id,
+ shard_id: shard.id,
+ catalog,
+ object_store,
+ write_buffer_state,
+ metrics,
+ namespaces: Default::default(),
+ }
+ }
+
+ /// Restart the Ingester, driving initialisation again.
+ ///
+ /// NOTE: metric contents are not reset.
+ pub async fn restart(&mut self) {
+ info!("restarting test context ingester");
+
+ let write_buffer_read: Arc<dyn WriteBufferReading> =
+ Arc::new(MockBufferForReading::new(self.write_buffer_state.clone(), None).unwrap());
+
+ let topic = self
+ .catalog
+ .repositories()
+ .await
+ .topics()
+ .create_or_get(TEST_TOPIC_NAME)
+ .await
+ .unwrap();
+
+ let shard = self
+ .catalog
+ .repositories()
+ .await
+ .shards()
+ .create_or_get(&topic, TEST_SHARD_INDEX)
+ .await
+ .unwrap();
+
+ self.ingester = IngestHandlerImpl::new(
+ TEST_LIFECYCLE_CONFIG,
+ topic,
+ [(TEST_SHARD_INDEX, shard)].into_iter().collect(),
+ Arc::clone(&self.catalog),
+ Arc::clone(&self.object_store),
+ write_buffer_read,
+ Arc::new(Executor::new(1)),
+ Arc::clone(&self.metrics),
+ true,
+ 1,
+ )
+ .await
+ .unwrap();
+ }
+
+ /// Create a namespace in the catalog for the ingester to discover.
+ ///
+ /// # Panics
+ ///
+ /// Must not be called twice with the same `name`.
+ #[track_caller]
+ pub async fn ensure_namespace(&mut self, name: &str) -> Namespace {
+ let ns = self
+ .catalog
+ .repositories()
+ .await
+ .namespaces()
+ .create(
+ name,
+ iox_catalog::INFINITE_RETENTION_POLICY,
+ self.topic_id,
+ self.query_id,
+ )
+ .await
+ .expect("failed to create test namespace");
+
+ assert!(
+ self.namespaces
+ .insert(
+ name.to_owned(),
+ NamespaceSchema::new(
+ ns.id,
+ self.topic_id,
+ self.query_id,
+ iox_catalog::DEFAULT_MAX_COLUMNS_PER_TABLE,
+ ),
+ )
+ .is_none(),
+ "namespace must not be duplicated"
+ );
+
+ debug!(?ns, "test namespace created");
+
+ ns
+ }
+
+ /// Enqueue the specified `op` into the write buffer for the ingester to
+ /// consume.
+ ///
+ /// This call takes care of validating the schema of `op` and populating the
+ /// catalog with any new schema elements.
+ ///
+ /// # Panics
+ ///
+ /// This method panics if the namespace for `op` does not exist, or the
+ /// schema is invalid or conflicts with the existing namespace schema.
+ #[track_caller]
+ pub async fn enqueue_write(&mut self, op: DmlWrite) -> SequenceNumber {
+ let schema = self
+ .namespaces
+ .get_mut(op.namespace())
+ .expect("namespace does not exist");
+
+ // Pull the sequence number out of the op to return it back to the user
+ // for simplicity.
+ let offset = op
+ .meta()
+ .sequence()
+ .expect("write must be sequenced")
+ .sequence_number;
+
+ // Perform schema validation, populating the catalog.
+ let mut repo = self.catalog.repositories().await;
+ if let Some(new) = validate_or_insert_schema(op.tables(), schema, repo.as_mut())
+ .await
+ .expect("failed schema validation for enqueuing write")
+ {
+ // Retain the updated schema.
+ debug!(?schema, "updated test context schema");
+ *schema = new;
+ }
+
+ // Push the write into the write buffer.
+ self.write_buffer_state.push_write(op);
+
+ debug!(?offset, "enqueued write in write buffer");
+ offset
+ }
+
+ /// A helper wrapper over [`Self::enqueue_write()`] for line-protocol.
+ #[track_caller]
+ pub async fn write_lp(
+ &mut self,
+ namespace: &str,
+ lp: &str,
+ partition_key: PartitionKey,
+ sequence_number: i64,
+ ) -> SequenceNumber {
+ self.enqueue_write(DmlWrite::new(
+ namespace,
+ lines_to_batches(lp, 0).unwrap(),
+ Some(partition_key),
+ DmlMeta::sequenced(
+ Sequence::new(TEST_SHARD_INDEX, SequenceNumber::new(sequence_number)),
+ iox_time::SystemProvider::new().now(),
+ None,
+ 50,
+ ),
+ ))
+ .await
+ }
+
+ /// Utilise the progress API to query for the current state of the test
+ /// shard.
+ pub async fn progress(&self) -> ShardProgress {
+ self.ingester
+ .progresses(vec![TEST_SHARD_INDEX])
+ .await
+ .get(&TEST_SHARD_INDEX)
+ .unwrap()
+ .clone()
+ }
+
+ /// Wait for the specified `offset` to be readable according to the external
+ /// progress API.
+ ///
+ /// # Panics
+ ///
+ /// This method panics if `offset` is not readable within 10 seconds.
+ pub async fn wait_for_readable(&self, offset: SequenceNumber) {
+ async {
+ loop {
+ let is_readable = self.progress().await.readable(offset);
+ if is_readable {
+ debug!(?offset, "offset reported as readable");
+ return;
+ }
+
+ trace!(?offset, "offset reported as not yet readable");
+ tokio::time::sleep(Duration::from_millis(100)).await;
+ }
+ }
+ .with_timeout_panic(Duration::from_secs(10))
+ .await;
+ }
+
+ /// Submit a query to the ingester's public query interface.
+ pub async fn query(
+ &self,
+ req: IngesterQueryRequest,
+ ) -> Result<IngesterQueryResponse, ingester::querier_handler::Error> {
+ self.ingester.query(req).await
+ }
+
+ /// Retrieve the specified metric value.
+ pub fn get_metric<T, A>(&self, name: &'static str, attrs: A) -> T::Recorder
+ where
+ T: MetricObserver,
+ A: Into<Attributes>,
+ {
+ let attrs = attrs.into();
+
+ self.metrics
+ .get_instrument::<Metric<T>>(name)
+ .unwrap_or_else(|| panic!("failed to find metric {}", name))
+ .get_observer(&attrs)
+ .unwrap_or_else(|| {
+ panic!(
+ "failed to find metric {} with attributes {:?}",
+ name, &attrs
+ )
+ })
+ .recorder()
+ }
+
+ /// Return a reference to the catalog.
+ pub fn catalog(&self) -> &dyn Catalog {
+ self.catalog.as_ref()
+ }
+
+ /// Return the [`ShardId`] of the test shard.
+ pub fn shard_id(&self) -> ShardId {
+ self.shard_id
+ }
+}
|
cfd377d12ae692103a1544b4706f6ade2539807a
|
Dom Dwyer
|
2023-03-01 13:59:59
|
use as_ for cheap conversion methods
|
This follows with the naming conventions of rust - cheap conversions are
prefixed "as_" and not "to_".
| null |
refactor: use as_ for cheap conversion methods
This follows with the naming conventions of rust - cheap conversions are
prefixed "as_" and not "to_".
|
diff --git a/ingester2/src/ingest_state.rs b/ingester2/src/ingest_state.rs
index d679ab9725..e0af293f32 100644
--- a/ingester2/src/ingest_state.rs
+++ b/ingester2/src/ingest_state.rs
@@ -24,7 +24,7 @@ pub(crate) enum IngestStateError {
impl IngestStateError {
#[inline(always)]
- fn to_bits(self) -> usize {
+ fn as_bits(self) -> usize {
// Map the user-friendly enum to a u64 bitmap.
let set = self as usize;
debug_assert_eq!(set.count_ones(), 1); // A single bit
@@ -62,7 +62,7 @@ impl IngestState {
/// Returns true if this call set the error state to `error`, false if
/// `error` was already set.
pub(crate) fn set(&self, error: IngestStateError) -> bool {
- let set = error.to_bits();
+ let set = error.as_bits();
let mut current = self.state.load(Ordering::Relaxed);
loop {
if current & set != 0 {
@@ -98,7 +98,7 @@ impl IngestState {
/// Returns true if this call unset the `error` state, false if `error` was
/// already unset.
pub(crate) fn unset(&self, error: IngestStateError) -> bool {
- let unset = error.to_bits();
+ let unset = error.as_bits();
let mut current = self.state.load(Ordering::Relaxed);
loop {
if current & unset == 0 {
@@ -141,7 +141,7 @@ impl IngestState {
if current != 0 {
// Map the non-healthy state to an error using a "cold" function,
// asking LLVM to move the mapping logic out of the happy/hot path.
- return to_err(current);
+ return as_err(current);
}
Ok(())
@@ -154,12 +154,12 @@ impl IngestState {
/// the user always sees (instead of potentially flip-flopping between "shutting
/// down" and "persist saturated").
#[cold]
-fn to_err(state: usize) -> Result<(), IngestStateError> {
- if state & IngestStateError::GracefulStop.to_bits() != 0 {
+fn as_err(state: usize) -> Result<(), IngestStateError> {
+ if state & IngestStateError::GracefulStop.as_bits() != 0 {
return Err(IngestStateError::GracefulStop);
}
- if state & IngestStateError::PersistSaturated.to_bits() != 0 {
+ if state & IngestStateError::PersistSaturated.as_bits() != 0 {
return Err(IngestStateError::PersistSaturated);
}
@@ -174,15 +174,15 @@ mod tests {
#[test]
fn test_disjoint_discriminant_bits() {
- assert!(IngestStateError::PersistSaturated.to_bits() < usize::BITS as usize);
- assert_eq!(IngestStateError::PersistSaturated.to_bits().count_ones(), 1);
+ assert!(IngestStateError::PersistSaturated.as_bits() < usize::BITS as usize);
+ assert_eq!(IngestStateError::PersistSaturated.as_bits().count_ones(), 1);
- assert!(IngestStateError::GracefulStop.to_bits() < usize::BITS as usize);
- assert_eq!(IngestStateError::PersistSaturated.to_bits().count_ones(), 1);
+ assert!(IngestStateError::GracefulStop.as_bits() < usize::BITS as usize);
+ assert_eq!(IngestStateError::PersistSaturated.as_bits().count_ones(), 1);
assert_ne!(
- IngestStateError::PersistSaturated.to_bits(),
- IngestStateError::GracefulStop.to_bits()
+ IngestStateError::PersistSaturated.as_bits(),
+ IngestStateError::GracefulStop.as_bits()
);
}
|
32df24e057f6ac4cd46a7d542170256a98f95fab
|
Marco Neumann
|
2023-01-24 14:50:19
|
compactor2 error classification (#6676)
|
* feat: add error kinds
* refactor: sink proper error type
* fix: ignore object store errors
See <https://github.com/influxdata/idpe/issues/16984>.
* feat: log error kind
* feat: per-kind error metric
|
Co-authored-by: kodiakhq[bot] <49736102+kodiakhq[bot]@users.noreply.github.com>
|
feat: compactor2 error classification (#6676)
* feat: add error kinds
* refactor: sink proper error type
* fix: ignore object store errors
See <https://github.com/influxdata/idpe/issues/16984>.
* feat: log error kind
* feat: per-kind error metric
Co-authored-by: kodiakhq[bot] <49736102+kodiakhq[bot]@users.noreply.github.com>
|
diff --git a/Cargo.lock b/Cargo.lock
index be20bccfb3..7a9496b926 100644
--- a/Cargo.lock
+++ b/Cargo.lock
@@ -1005,6 +1005,7 @@ dependencies = [
"iox_tests",
"iox_time",
"metric",
+ "object_store",
"observability_deps",
"parquet_file",
"predicate",
diff --git a/compactor2/Cargo.toml b/compactor2/Cargo.toml
index f11f996dc5..2d57350cfd 100644
--- a/compactor2/Cargo.toml
+++ b/compactor2/Cargo.toml
@@ -15,6 +15,7 @@ iox_catalog = { path = "../iox_catalog" }
iox_query = { path = "../iox_query" }
iox_time = { path = "../iox_time" }
metric = { path = "../metric" }
+object_store = "0.5.2"
observability_deps = { path = "../observability_deps" }
parquet_file = { path = "../parquet_file" }
predicate = { path = "../predicate" }
diff --git a/compactor2/src/components/hardcoded.rs b/compactor2/src/components/hardcoded.rs
index c22590471a..6e3c72f713 100644
--- a/compactor2/src/components/hardcoded.rs
+++ b/compactor2/src/components/hardcoded.rs
@@ -2,7 +2,7 @@
//!
//! TODO: Make this a runtime-config.
-use std::sync::Arc;
+use std::{collections::HashSet, sync::Arc};
use data_types::CompactionLevel;
@@ -12,6 +12,7 @@ use crate::{
tables_source::catalog::CatalogTablesSource,
},
config::Config,
+ error::ErrorKind,
};
use super::{
@@ -27,8 +28,8 @@ use super::{
object_store::ObjectStoreParquetFileSink,
},
partition_error_sink::{
- catalog::CatalogPartitionErrorSink, logging::LoggingPartitionErrorSinkWrapper,
- metrics::MetricsPartitionErrorSinkWrapper,
+ catalog::CatalogPartitionErrorSink, kind::KindPartitionErrorSinkWrapper,
+ logging::LoggingPartitionErrorSinkWrapper, metrics::MetricsPartitionErrorSinkWrapper,
},
partition_files_source::catalog::CatalogPartitionFilesSource,
partition_filter::{
@@ -92,9 +93,12 @@ pub fn hardcoded_components(config: &Config) -> Arc<Components> {
)),
partition_error_sink: Arc::new(LoggingPartitionErrorSinkWrapper::new(
MetricsPartitionErrorSinkWrapper::new(
- CatalogPartitionErrorSink::new(
- config.backoff_config.clone(),
- Arc::clone(&config.catalog),
+ KindPartitionErrorSinkWrapper::new(
+ CatalogPartitionErrorSink::new(
+ config.backoff_config.clone(),
+ Arc::clone(&config.catalog),
+ ),
+ HashSet::from([ErrorKind::OutOfMemory, ErrorKind::Unknown]),
),
&config.metric_registry,
),
diff --git a/compactor2/src/components/partition_error_sink/catalog.rs b/compactor2/src/components/partition_error_sink/catalog.rs
index 0731008774..a3379446f8 100644
--- a/compactor2/src/components/partition_error_sink/catalog.rs
+++ b/compactor2/src/components/partition_error_sink/catalog.rs
@@ -30,7 +30,9 @@ impl Display for CatalogPartitionErrorSink {
#[async_trait]
impl PartitionErrorSink for CatalogPartitionErrorSink {
- async fn record(&self, partition: PartitionId, msg: &str) {
+ async fn record(&self, partition: PartitionId, e: Box<dyn std::error::Error + Send + Sync>) {
+ let msg = e.to_string();
+
Backoff::new(&self.backoff_config)
.retry_all_errors("store partition error in catalog", || async {
self.catalog
@@ -38,7 +40,7 @@ impl PartitionErrorSink for CatalogPartitionErrorSink {
.await
.partitions()
// TODO: remove stats from the catalog since the couple the catalog state to the algorithm implementation
- .record_skipped_compaction(partition, msg, 0, 0, 0, 0, 0)
+ .record_skipped_compaction(partition, &msg, 0, 0, 0, 0, 0)
.await
})
.await
diff --git a/compactor2/src/components/partition_error_sink/kind.rs b/compactor2/src/components/partition_error_sink/kind.rs
new file mode 100644
index 0000000000..8fc8fbed7d
--- /dev/null
+++ b/compactor2/src/components/partition_error_sink/kind.rs
@@ -0,0 +1,106 @@
+use std::{collections::HashSet, fmt::Display};
+
+use async_trait::async_trait;
+use data_types::PartitionId;
+
+use crate::error::{ErrorKind, ErrorKindExt};
+
+use super::PartitionErrorSink;
+
+#[derive(Debug)]
+pub struct KindPartitionErrorSinkWrapper<T>
+where
+ T: PartitionErrorSink,
+{
+ kind: HashSet<ErrorKind>,
+ inner: T,
+}
+
+impl<T> KindPartitionErrorSinkWrapper<T>
+where
+ T: PartitionErrorSink,
+{
+ pub fn new(inner: T, kind: HashSet<ErrorKind>) -> Self {
+ Self { kind, inner }
+ }
+}
+
+impl<T> Display for KindPartitionErrorSinkWrapper<T>
+where
+ T: PartitionErrorSink,
+{
+ fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
+ let mut kinds = self.kind.iter().copied().collect::<Vec<_>>();
+ kinds.sort();
+ write!(f, "kind({:?}, {})", kinds, self.inner)
+ }
+}
+
+#[async_trait]
+impl<T> PartitionErrorSink for KindPartitionErrorSinkWrapper<T>
+where
+ T: PartitionErrorSink,
+{
+ async fn record(&self, partition: PartitionId, e: Box<dyn std::error::Error + Send + Sync>) {
+ let kind = e.classify();
+ if self.kind.contains(&kind) {
+ self.inner.record(partition, e).await;
+ }
+ }
+}
+
+#[cfg(test)]
+mod tests {
+ use std::{collections::HashMap, sync::Arc};
+
+ use crate::components::partition_error_sink::mock::MockPartitionErrorSink;
+
+ use datafusion::error::DataFusionError;
+ use object_store::Error as ObjectStoreError;
+
+ use super::*;
+
+ #[test]
+ fn test_display() {
+ let sink = KindPartitionErrorSinkWrapper::new(
+ MockPartitionErrorSink::new(),
+ HashSet::from([ErrorKind::ObjectStore, ErrorKind::OutOfMemory]),
+ );
+ assert_eq!(sink.to_string(), "kind([ObjectStore, OutOfMemory], mock)");
+ }
+
+ #[tokio::test]
+ async fn test_record() {
+ let inner = Arc::new(MockPartitionErrorSink::new());
+ let sink = KindPartitionErrorSinkWrapper::new(
+ Arc::clone(&inner),
+ HashSet::from([ErrorKind::ObjectStore, ErrorKind::OutOfMemory]),
+ );
+
+ sink.record(
+ PartitionId::new(1),
+ Box::new(ObjectStoreError::NotImplemented),
+ )
+ .await;
+ sink.record(
+ PartitionId::new(2),
+ Box::new(DataFusionError::ResourcesExhausted(String::from("foo"))),
+ )
+ .await;
+ sink.record(PartitionId::new(3), "foo".into()).await;
+
+ assert_eq!(
+ inner.errors(),
+ HashMap::from([
+ (
+ PartitionId::new(1),
+ String::from("Operation not yet implemented.")
+ ),
+ (
+ PartitionId::new(2),
+ String::from("Resources exhausted: foo")
+ ),
+ ]),
+ );
+ }
+}
diff --git a/compactor2/src/components/partition_error_sink/logging.rs b/compactor2/src/components/partition_error_sink/logging.rs
index 0268008b7a..e928a4089e 100644
--- a/compactor2/src/components/partition_error_sink/logging.rs
+++ b/compactor2/src/components/partition_error_sink/logging.rs
@@ -4,6 +4,8 @@ use async_trait::async_trait;
use data_types::PartitionId;
use observability_deps::tracing::error;
+use crate::error::ErrorKindExt;
+
use super::PartitionErrorSink;
#[derive(Debug)]
@@ -37,13 +39,14 @@ impl<T> PartitionErrorSink for LoggingPartitionErrorSinkWrapper<T>
where
T: PartitionErrorSink,
{
- async fn record(&self, partition: PartitionId, msg: &str) {
+ async fn record(&self, partition: PartitionId, e: Box<dyn std::error::Error + Send + Sync>) {
error!(
- e = msg,
+ %e,
+ kind=e.classify().name(),
partition_id = partition.get(),
"Error while compacting partition",
);
- self.inner.record(partition, msg).await;
+ self.inner.record(partition, e).await;
}
}
@@ -51,6 +54,7 @@ where
mod tests {
use std::{collections::HashMap, sync::Arc};
+ use object_store::Error as ObjectStoreError;
use test_helpers::tracing::TracingCapture;
use crate::components::partition_error_sink::mock::MockPartitionErrorSink;
@@ -70,21 +74,28 @@ mod tests {
let capture = TracingCapture::new();
- sink.record(PartitionId::new(1), "msg 1").await;
- sink.record(PartitionId::new(2), "msg 2").await;
- sink.record(PartitionId::new(1), "msg 3").await;
+ sink.record(PartitionId::new(1), "msg 1".into()).await;
+ sink.record(PartitionId::new(2), "msg 2".into()).await;
+ sink.record(
+ PartitionId::new(1),
+ Box::new(ObjectStoreError::NotImplemented),
+ )
+ .await;
assert_eq!(
capture.to_string(),
- "level = ERROR; message = Error while compacting partition; e = \"msg 1\"; partition_id = 1; \n\
-level = ERROR; message = Error while compacting partition; e = \"msg 2\"; partition_id = 2; \n\
-level = ERROR; message = Error while compacting partition; e = \"msg 3\"; partition_id = 1; ",
+ "level = ERROR; message = Error while compacting partition; e = msg 1; kind = \"unknown\"; partition_id = 1; \n\
+level = ERROR; message = Error while compacting partition; e = msg 2; kind = \"unknown\"; partition_id = 2; \n\
+level = ERROR; message = Error while compacting partition; e = Operation not yet implemented.; kind = \"object_store\"; partition_id = 1; ",
);
assert_eq!(
inner.errors(),
HashMap::from([
- (PartitionId::new(1), String::from("msg 3")),
+ (
+ PartitionId::new(1),
+ String::from("Operation not yet implemented.")
+ ),
(PartitionId::new(2), String::from("msg 2")),
]),
);
diff --git a/compactor2/src/components/partition_error_sink/metrics.rs b/compactor2/src/components/partition_error_sink/metrics.rs
index 94684b359b..c9b738608d 100644
--- a/compactor2/src/components/partition_error_sink/metrics.rs
+++ b/compactor2/src/components/partition_error_sink/metrics.rs
@@ -1,9 +1,11 @@
-use std::fmt::Display;
+use std::{collections::HashMap, fmt::Display};
use async_trait::async_trait;
use data_types::PartitionId;
use metric::{Registry, U64Counter};
+use crate::error::{ErrorKind, ErrorKindExt};
+
use super::PartitionErrorSink;
#[derive(Debug)]
@@ -11,7 +13,7 @@ pub struct MetricsPartitionErrorSinkWrapper<T>
where
T: PartitionErrorSink,
{
- error_counter: U64Counter,
+ error_counter: HashMap<ErrorKind, U64Counter>,
inner: T,
}
@@ -20,12 +22,15 @@ where
T: PartitionErrorSink,
{
pub fn new(inner: T, registry: &Registry) -> Self {
- let error_counter = registry
- .register_metric::<U64Counter>(
- "iox_compactor_partition_error_count",
- "Number of errors that occurred while compacting a partition",
- )
- .recorder(&[]);
+ let metric = registry.register_metric::<U64Counter>(
+ "iox_compactor_partition_error_count",
+ "Number of errors that occurred while compacting a partition",
+ );
+ let error_counter = ErrorKind::variants()
+ .iter()
+ .map(|kind| (*kind, metric.recorder(&[("kind", kind.name())])))
+ .collect();
+
Self {
error_counter,
inner,
@@ -47,9 +52,13 @@ impl<T> PartitionErrorSink for MetricsPartitionErrorSinkWrapper<T>
where
T: PartitionErrorSink,
{
- async fn record(&self, partition: PartitionId, msg: &str) {
- self.error_counter.inc(1);
- self.inner.record(partition, msg).await;
+ async fn record(&self, partition: PartitionId, e: Box<dyn std::error::Error + Send + Sync>) {
+ let kind = e.classify();
+ self.error_counter
+ .get(&kind)
+ .expect("all kinds constructed")
+ .inc(1);
+ self.inner.record(partition, e).await;
}
}
@@ -58,6 +67,7 @@ mod tests {
use std::{collections::HashMap, sync::Arc};
use metric::{Attributes, Metric};
+ use object_store::Error as ObjectStoreError;
use crate::components::partition_error_sink::mock::MockPartitionErrorSink;
@@ -76,28 +86,37 @@ mod tests {
let inner = Arc::new(MockPartitionErrorSink::new());
let sink = MetricsPartitionErrorSinkWrapper::new(Arc::clone(&inner), ®istry);
- assert_eq!(error_counter(®istry), 0);
+ assert_eq!(error_counter(®istry, "unknown"), 0);
+ assert_eq!(error_counter(®istry, "object_store"), 0);
- sink.record(PartitionId::new(1), "msg 1").await;
- sink.record(PartitionId::new(2), "msg 2").await;
- sink.record(PartitionId::new(1), "msg 3").await;
+ sink.record(PartitionId::new(1), "msg 1".into()).await;
+ sink.record(PartitionId::new(2), "msg 2".into()).await;
+ sink.record(
+ PartitionId::new(1),
+ Box::new(ObjectStoreError::NotImplemented),
+ )
+ .await;
- assert_eq!(error_counter(®istry), 3);
+ assert_eq!(error_counter(®istry, "unknown"), 2);
+ assert_eq!(error_counter(®istry, "object_store"), 1);
assert_eq!(
inner.errors(),
HashMap::from([
- (PartitionId::new(1), String::from("msg 3")),
+ (
+ PartitionId::new(1),
+ String::from("Operation not yet implemented.")
+ ),
(PartitionId::new(2), String::from("msg 2")),
]),
);
}
- fn error_counter(registry: &Registry) -> u64 {
+ fn error_counter(registry: &Registry, kind: &'static str) -> u64 {
registry
.get_instrument::<Metric<U64Counter>>("iox_compactor_partition_error_count")
.expect("instrument not found")
- .get_observer(&Attributes::from([]))
+ .get_observer(&Attributes::from(&[("kind", kind)]))
.expect("observer not found")
.fetch()
}
diff --git a/compactor2/src/components/partition_error_sink/mock.rs b/compactor2/src/components/partition_error_sink/mock.rs
index 0c853b1ecc..eac6f39a0a 100644
--- a/compactor2/src/components/partition_error_sink/mock.rs
+++ b/compactor2/src/components/partition_error_sink/mock.rs
@@ -30,11 +30,11 @@ impl Display for MockPartitionErrorSink {
#[async_trait]
impl PartitionErrorSink for MockPartitionErrorSink {
- async fn record(&self, partition: PartitionId, msg: &str) {
+ async fn record(&self, partition: PartitionId, e: Box<dyn std::error::Error + Send + Sync>) {
self.last
.lock()
.expect("not poisoned")
- .insert(partition, msg.to_owned());
+ .insert(partition, e.to_string());
}
}
@@ -53,9 +53,9 @@ mod tests {
assert_eq!(sink.errors(), HashMap::default(),);
- sink.record(PartitionId::new(1), "msg 1").await;
- sink.record(PartitionId::new(2), "msg 2").await;
- sink.record(PartitionId::new(1), "msg 3").await;
+ sink.record(PartitionId::new(1), "msg 1".into()).await;
+ sink.record(PartitionId::new(2), "msg 2".into()).await;
+ sink.record(PartitionId::new(1), "msg 3".into()).await;
assert_eq!(
sink.errors(),
diff --git a/compactor2/src/components/partition_error_sink/mod.rs b/compactor2/src/components/partition_error_sink/mod.rs
index 4e168a64e9..9394708cf0 100644
--- a/compactor2/src/components/partition_error_sink/mod.rs
+++ b/compactor2/src/components/partition_error_sink/mod.rs
@@ -7,6 +7,7 @@ use async_trait::async_trait;
use data_types::PartitionId;
pub mod catalog;
+pub mod kind;
pub mod logging;
pub mod metrics;
pub mod mock;
@@ -16,7 +17,7 @@ pub trait PartitionErrorSink: Debug + Display + Send + Sync {
/// Record error for given partition.
///
/// This method should retry.
- async fn record(&self, partition: PartitionId, msg: &str);
+ async fn record(&self, partition: PartitionId, e: Box<dyn std::error::Error + Send + Sync>);
}
#[async_trait]
@@ -24,7 +25,7 @@ impl<T> PartitionErrorSink for Arc<T>
where
T: PartitionErrorSink,
{
- async fn record(&self, partition: PartitionId, msg: &str) {
- self.as_ref().record(partition, msg).await
+ async fn record(&self, partition: PartitionId, e: Box<dyn std::error::Error + Send + Sync>) {
+ self.as_ref().record(partition, e).await
}
}
diff --git a/compactor2/src/driver.rs b/compactor2/src/driver.rs
index ce4ab03cde..00c3e7d1a8 100644
--- a/compactor2/src/driver.rs
+++ b/compactor2/src/driver.rs
@@ -35,7 +35,7 @@ async fn compact_partition(partition_id: PartitionId, components: Arc<Components
if let Err(e) = try_compact_partition(partition_id, Arc::clone(&components)).await {
components
.partition_error_sink
- .record(partition_id, &e.to_string())
+ .record(partition_id, e)
.await;
}
}
diff --git a/compactor2/src/error.rs b/compactor2/src/error.rs
new file mode 100644
index 0000000000..a5c7427b37
--- /dev/null
+++ b/compactor2/src/error.rs
@@ -0,0 +1,213 @@
+//! Error handling.
+
+use datafusion::{arrow::error::ArrowError, error::DataFusionError, parquet::errors::ParquetError};
+use object_store::Error as ObjectStoreError;
+use std::{error::Error, fmt::Display, sync::Arc};
+
+/// What kind of error did we occur during compaction?
+#[derive(Debug, Clone, Copy, PartialEq, Eq, Hash, PartialOrd, Ord)]
+pub enum ErrorKind {
+ /// Could not access the object store.
+ ///
+ /// This may happen during K8s pod boot, e.g. when kube2iam is not started yet.
+ ///
+ /// See <https://github.com/influxdata/idpe/issues/16984>.
+ ObjectStore,
+
+ /// We ran out of memory (OOM).
+ ///
+ /// The compactor shall retry (if possible) with a smaller set of files.
+ OutOfMemory,
+
+ /// Unknown/unexpected error.
+ ///
+ /// This will likely mark the affected partition as "skipped" and the compactor will no longer touch it.
+ Unknown,
+}
+
+impl ErrorKind {
+ /// Return all variants.
+ pub fn variants() -> &'static [Self] {
+ &[Self::ObjectStore, Self::OutOfMemory, Self::Unknown]
+ }
+
+ /// Return static name.
+ pub fn name(&self) -> &'static str {
+ match self {
+ Self::ObjectStore => "object_store",
+ Self::OutOfMemory => "out_of_memory",
+ Self::Unknown => "unknown",
+ }
+ }
+}
+
+impl Display for ErrorKind {
+ fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
+ write!(f, "{}", self.name())
+ }
+}
+
+/// Extension trait for normal errors to support classification.
+pub trait ErrorKindExt {
+ /// Classify error.
+ fn classify(&self) -> ErrorKind;
+}
+
+impl ErrorKindExt for &ArrowError {
+ fn classify(&self) -> ErrorKind {
+ if let Some(source) = self.source() {
+ return source.classify();
+ }
+
+ match self {
+ ArrowError::ExternalError(e) => e.classify(),
+ // ArrowError is also mostly broken for many variants
+ e => try_recover_unknown(e),
+ }
+ }
+}
+
+impl ErrorKindExt for &DataFusionError {
+ fn classify(&self) -> ErrorKind {
+ match self.find_root() {
+ DataFusionError::ArrowError(e) => e.classify(),
+ DataFusionError::External(e) => e.classify(),
+ DataFusionError::ObjectStore(e) => e.classify(),
+ DataFusionError::ParquetError(e) => e.classify(),
+ DataFusionError::ResourcesExhausted(_) => ErrorKind::OutOfMemory,
+ e => try_recover_unknown(e),
+ }
+ }
+}
+
+impl ErrorKindExt for ObjectStoreError {
+ fn classify(&self) -> ErrorKind {
+ if let Some(source) = self.source() {
+ return source.classify();
+ }
+
+ ErrorKind::ObjectStore
+ }
+}
+
+impl ErrorKindExt for ParquetError {
+ fn classify(&self) -> ErrorKind {
+ if let Some(source) = self.source() {
+ return source.classify();
+ }
+
+ // ParquetError is completely broken and doesn't contain proper error chains
+ try_recover_unknown(self)
+ }
+}
+
+macro_rules! dispatch_body {
+ ($self:ident) => {
+ if let Some(e) = $self.downcast_ref::<ArrowError>() {
+ e.classify()
+ } else if let Some(e) = $self.downcast_ref::<Arc<ArrowError>>() {
+ e.as_ref().classify()
+ } else if let Some(e) = $self.downcast_ref::<Box<ArrowError>>() {
+ e.as_ref().classify()
+ } else if let Some(e) = $self.downcast_ref::<DataFusionError>() {
+ e.classify()
+ } else if let Some(e) = $self.downcast_ref::<Arc<DataFusionError>>() {
+ e.as_ref().classify()
+ } else if let Some(e) = $self.downcast_ref::<Box<DataFusionError>>() {
+ e.as_ref().classify()
+ } else if let Some(e) = $self.downcast_ref::<ObjectStoreError>() {
+ e.classify()
+ } else if let Some(e) = $self.downcast_ref::<Arc<ObjectStoreError>>() {
+ e.as_ref().classify()
+ } else if let Some(e) = $self.downcast_ref::<Box<ObjectStoreError>>() {
+ e.as_ref().classify()
+ } else if let Some(e) = $self.downcast_ref::<ParquetError>() {
+ e.classify()
+ } else if let Some(e) = $self.downcast_ref::<Arc<ParquetError>>() {
+ e.as_ref().classify()
+ } else if let Some(e) = $self.downcast_ref::<Box<ParquetError>>() {
+ e.as_ref().classify()
+ } else if let Some(e) = $self.downcast_ref::<Arc<dyn std::error::Error>>() {
+ e.as_ref().classify()
+ } else if let Some(e) = $self.downcast_ref::<Arc<dyn std::error::Error + Send + Sync>>() {
+ e.as_ref().classify()
+ } else {
+ try_recover_unknown($self)
+ }
+ };
+}
+
+impl ErrorKindExt for &(dyn std::error::Error + 'static) {
+ fn classify(&self) -> ErrorKind {
+ if let Some(source) = self.source() {
+ return source.classify();
+ }
+
+ dispatch_body!(self)
+ }
+}
+
+impl ErrorKindExt for &(dyn std::error::Error + Send + Sync + 'static) {
+ fn classify(&self) -> ErrorKind {
+ if let Some(source) = self.source() {
+ return source.classify();
+ }
+
+ dispatch_body!(self)
+ }
+}
+
+impl ErrorKindExt for Arc<dyn std::error::Error> {
+ fn classify(&self) -> ErrorKind {
+ if let Some(source) = self.source() {
+ return source.classify();
+ }
+
+ self.as_ref().classify()
+ }
+}
+
+impl ErrorKindExt for Arc<dyn std::error::Error + Send + Sync> {
+ fn classify(&self) -> ErrorKind {
+ if let Some(source) = self.source() {
+ return source.classify();
+ }
+
+ self.as_ref().classify()
+ }
+}
+
+impl ErrorKindExt for Box<dyn std::error::Error> {
+ fn classify(&self) -> ErrorKind {
+ if let Some(source) = self.source() {
+ return source.classify();
+ }
+
+ self.as_ref().classify()
+ }
+}
+
+impl ErrorKindExt for Box<dyn std::error::Error + Send + Sync> {
+ fn classify(&self) -> ErrorKind {
+ if let Some(source) = self.source() {
+ return source.classify();
+ }
+
+ self.as_ref().classify()
+ }
+}
+
+fn try_recover_unknown<E>(e: &E) -> ErrorKind
+where
+ E: std::error::Error,
+{
+ let s = e.to_string();
+ if s.contains("Object Store error") {
+ return ErrorKind::ObjectStore;
+ }
+ if s.contains("Resources exhausted") {
+ return ErrorKind::OutOfMemory;
+ }
+
+ ErrorKind::Unknown
+}
diff --git a/compactor2/src/lib.rs b/compactor2/src/lib.rs
index a276a5d809..122300fec2 100644
--- a/compactor2/src/lib.rs
+++ b/compactor2/src/lib.rs
@@ -15,6 +15,7 @@ pub mod compactor;
mod components;
pub mod config;
mod driver;
+mod error;
mod partition_info;
mod compactor_tests;
|
bf6ae3dc4ddaf5279fd937a28c6cad6f7e0c524b
|
Dom Dwyer
|
2023-02-01 11:29:13
|
map retention period 0 values to NULL
|
Treat a retention period of 0 as "infinite", and not "none".
| null |
fix: map retention period 0 values to NULL
Treat a retention period of 0 as "infinite", and not "none".
|
diff --git a/Cargo.lock b/Cargo.lock
index 11331fdc77..d9b6b4d5de 100644
--- a/Cargo.lock
+++ b/Cargo.lock
@@ -5231,6 +5231,7 @@ dependencies = [
name = "service_grpc_namespace"
version = "0.1.0"
dependencies = [
+ "assert_matches",
"data_types",
"generated_types",
"iox_catalog",
diff --git a/service_grpc_namespace/Cargo.toml b/service_grpc_namespace/Cargo.toml
index 6c7e436056..ffbda0e179 100644
--- a/service_grpc_namespace/Cargo.toml
+++ b/service_grpc_namespace/Cargo.toml
@@ -14,6 +14,7 @@ iox_catalog = { path = "../iox_catalog" }
workspace-hack = { path = "../workspace-hack"}
[dev-dependencies]
+assert_matches = "1.5.0"
iox_tests = { path = "../iox_tests" }
metric = { path = "../metric" }
tokio = { version = "1", features = ["rt-multi-thread", "macros"] }
diff --git a/service_grpc_namespace/src/lib.rs b/service_grpc_namespace/src/lib.rs
index 8099318857..bd44b69d22 100644
--- a/service_grpc_namespace/src/lib.rs
+++ b/service_grpc_namespace/src/lib.rs
@@ -64,6 +64,8 @@ impl namespace_service_server::NamespaceService for NamespaceService {
retention_period_ns,
} = request.into_inner();
+ let retention_period_ns = map_retention_period(retention_period_ns);
+
debug!(%namespace_name, ?retention_period_ns, "Creating namespace");
let namespace = repos
@@ -110,6 +112,8 @@ impl namespace_service_server::NamespaceService for NamespaceService {
retention_period_ns,
} = request.into_inner();
+ let retention_period_ns = map_retention_period(retention_period_ns);
+
debug!(%namespace_name, ?retention_period_ns, "Updating namespace retention");
let namespace = repos
@@ -151,3 +155,34 @@ fn create_namespace_to_proto(namespace: CatalogNamespace) -> CreateNamespaceResp
}),
}
}
+
+/// Map a user-submitted retention period value to the correct internal
+/// encoding.
+///
+/// 0 is always mapped to [`None`], indicating infinite retention.
+///
+/// Negative retention periods are rejected with an error.
+fn map_retention_period(v: Option<i64>) -> Option<i64> {
+ match v {
+ Some(0) => None,
+ Some(v) => Some(v),
+ None => None,
+ }
+}
+
+#[cfg(test)]
+mod tests {
+ use super::*;
+
+ use assert_matches::assert_matches;
+
+ #[test]
+ fn test_retention_mapping() {
+ assert_matches!(map_retention_period(None), None);
+ assert_matches!(map_retention_period(Some(0)), None);
+ assert_matches!(map_retention_period(Some(1)), Some(1));
+ assert_matches!(map_retention_period(Some(42)), Some(42));
+ assert_matches!(map_retention_period(Some(-1)), Some(-1));
+ assert_matches!(map_retention_period(Some(-42)), Some(-42));
+ }
+}
|
21757d39ef3ce109db5639c52075060baaf1bd91
|
Dom Dwyer
|
2023-07-03 15:42:35
|
don't doc behind tokio_unstable flags
|
Unfortunately there's no good way to conditionally document:
https://doc.rust-lang.org/beta/unstable-book/language-features/doc-cfg.html
Currently unstable.
| null |
chore: don't doc behind tokio_unstable flags
Unfortunately there's no good way to conditionally document:
https://doc.rust-lang.org/beta/unstable-book/language-features/doc-cfg.html
Currently unstable.
|
diff --git a/.cargo/config b/.cargo/config
index 9cd294c8cd..a16ed45ce8 100644
--- a/.cargo/config
+++ b/.cargo/config
@@ -3,9 +3,6 @@
rustflags = [
"--cfg", "tokio_unstable",
]
-rustdocflags = [
- "--cfg", "tokio_unstable",
-]
# sparse protocol opt-in
# See https://blog.rust-lang.org/2023/03/09/Rust-1.68.0.html#cargos-sparse-protocol
|
45ddeaa25e46f2dc4b8aebab29a5fd70c0308337
|
Dom Dwyer
|
2023-05-22 14:10:22
|
add missing lints to ioxd_querier
|
Adds the standard lints to ioxd_querier and fixes any lint failures.
Note this doesn't include the normal "document things" lint, because
there's a load of missing docs
| null |
refactor(lints): add missing lints to ioxd_querier
Adds the standard lints to ioxd_querier and fixes any lint failures.
Note this doesn't include the normal "document things" lint, because
there's a load of missing docs
|
diff --git a/ioxd_querier/src/lib.rs b/ioxd_querier/src/lib.rs
index 805e901287..cacf426e8a 100644
--- a/ioxd_querier/src/lib.rs
+++ b/ioxd_querier/src/lib.rs
@@ -1,3 +1,15 @@
+#![deny(rustdoc::broken_intra_doc_links, rust_2018_idioms)]
+#![warn(
+ clippy::clone_on_ref_ptr,
+ clippy::dbg_macro,
+ clippy::explicit_iter_loop,
+ // See https://github.com/influxdata/influxdb_iox/pull/1671
+ clippy::future_not_send,
+ clippy::todo,
+ clippy::use_self,
+ missing_debug_implementations,
+)]
+
use async_trait::async_trait;
use authz::{Authorizer, IoxAuthorizer};
use clap_blocks::querier::QuerierConfig;
@@ -131,7 +143,7 @@ pub enum IoxHttpError {
impl IoxHttpError {
fn status_code(&self) -> HttpApiErrorCode {
match self {
- IoxHttpError::NotFound => HttpApiErrorCode::NotFound,
+ Self::NotFound => HttpApiErrorCode::NotFound,
}
}
}
|
30f69ce4f6a0db1f25dc3f9b79887747af9ac4ff
|
Dom Dwyer
|
2022-11-03 11:49:01
|
ArcMap values() snapshot
|
Returns a snapshot of the values within an ArcMap.
| null |
feat: ArcMap values() snapshot
Returns a snapshot of the values within an ArcMap.
|
diff --git a/ingester/src/arcmap.rs b/ingester/src/arcmap.rs
index 5b9fda0005..351bc08e4a 100644
--- a/ingester/src/arcmap.rs
+++ b/ingester/src/arcmap.rs
@@ -153,6 +153,19 @@ where
}
}
+ /// Return a state snapshot of all the values in this [`ArcMap`] in
+ /// arbitrary order.
+ ///
+ /// # Concurrency
+ ///
+ /// The snapshot generation is serialised w.r.t concurrent calls to mutate
+ /// `self` (that is, a new entry may appear immediately after the snapshot
+ /// is generated). Calls to [`Self::values`] and other "read" methods
+ /// proceed in parallel.
+ pub(crate) fn values(&self) -> Vec<Arc<V>> {
+ self.map.read().values().map(Arc::clone).collect()
+ }
+
fn compute_hash<Q: Hash + ?Sized>(&self, key: &Q) -> u64 {
let mut state = self.hasher.build_hasher();
key.hash(&mut state);
@@ -230,6 +243,23 @@ mod tests {
assert!(Arc::ptr_eq(&got, &other));
}
+ #[test]
+ fn test_values() {
+ let map = ArcMap::<usize, String>::default();
+
+ map.insert(&1, Arc::new("bananas".to_string()));
+ map.insert(&2, Arc::new("platanos".to_string()));
+
+ let mut got = map
+ .values()
+ .into_iter()
+ .map(|v| String::clone(&*v))
+ .collect::<Vec<_>>();
+ got.sort_unstable();
+
+ assert_eq!(got, &["bananas", "platanos"]);
+ }
+
#[test]
#[should_panic = "inserting existing key"]
fn test_insert_existing() {
|
368d4af23f23a0b505ad2c6e6da7fef63988bc9a
|
Dom Dwyer
|
2023-04-26 20:37:08
|
bump rust version
|
Bump to 1.69 for more fixing magic.
| null |
build: bump rust version
Bump to 1.69 for more fixing magic.
|
diff --git a/rust-toolchain.toml b/rust-toolchain.toml
index fcb51a8a44..564cd2abb2 100644
--- a/rust-toolchain.toml
+++ b/rust-toolchain.toml
@@ -1,3 +1,3 @@
[toolchain]
-channel = "1.68"
+channel = "1.69"
components = [ "rustfmt", "clippy" ]
|
5e64c2e4b730f7dbcbd92d1edc79a86276db23c7
|
Marco Neumann
|
2022-11-28 17:50:09
|
make `ReadResponse` chunking stream-based (#6239)
|
* refactor: make `ReadResponse` chunking stream-based
* docs: improve
Co-authored-by: Andrew Lamb <[email protected]>
* refactor: error out on oversized frames
|
Co-authored-by: Andrew Lamb <[email protected]>
Co-authored-by: kodiakhq[bot] <49736102+kodiakhq[bot]@users.noreply.github.com>
|
refactor: make `ReadResponse` chunking stream-based (#6239)
* refactor: make `ReadResponse` chunking stream-based
* docs: improve
Co-authored-by: Andrew Lamb <[email protected]>
* refactor: error out on oversized frames
Co-authored-by: Andrew Lamb <[email protected]>
Co-authored-by: kodiakhq[bot] <49736102+kodiakhq[bot]@users.noreply.github.com>
|
diff --git a/service_grpc_influxrpc/src/lib.rs b/service_grpc_influxrpc/src/lib.rs
index 6f1e7b58b7..303f16ee06 100644
--- a/service_grpc_influxrpc/src/lib.rs
+++ b/service_grpc_influxrpc/src/lib.rs
@@ -12,6 +12,7 @@ pub mod data;
pub mod expr;
pub mod id;
pub mod input;
+mod response_chunking;
pub mod service;
use generated_types::storage_server::{Storage, StorageServer};
diff --git a/service_grpc_influxrpc/src/response_chunking.rs b/service_grpc_influxrpc/src/response_chunking.rs
new file mode 100644
index 0000000000..ba113d7f85
--- /dev/null
+++ b/service_grpc_influxrpc/src/response_chunking.rs
@@ -0,0 +1,346 @@
+use std::{
+ pin::Pin,
+ task::{Context, Poll},
+};
+
+use futures::{ready, stream::BoxStream, Stream, StreamExt};
+use generated_types::{read_response::Frame, ReadResponse};
+
+/// Chunk given [`ReadResponse`]s -- while preserving the [`Frame`] order -- into responses that shall at max have the
+/// given `size_limit`, in bytes.
+pub struct ChunkReadResponses {
+ inner: BoxStream<'static, Result<Frame, tonic::Status>>,
+ size_limit: usize,
+ finished: bool,
+ frames: Vec<Frame>,
+ /// Current size of `frames`, in bytes
+ frames_size: usize,
+}
+
+impl ChunkReadResponses {
+ /// Create new stream wrapper.
+ ///
+ /// # Panic
+ /// Panics if `size_limit` is 0.
+ pub fn new<S>(inner: S, size_limit: usize) -> Self
+ where
+ S: Stream<Item = Result<ReadResponse, tonic::Status>> + Send + 'static,
+ {
+ assert!(size_limit > 0, "zero size limit");
+
+ Self {
+ inner: inner
+ .flat_map(|res| match res {
+ Ok(read_response) => {
+ futures::stream::iter(read_response.frames).map(Ok).boxed()
+ as BoxStream<'static, Result<Frame, tonic::Status>>
+ }
+ Err(e) => futures::stream::once(async move { Err(e) }).boxed()
+ as BoxStream<'static, Result<Frame, tonic::Status>>,
+ })
+ .boxed(),
+ size_limit,
+ finished: false,
+ frames: Vec::default(),
+ frames_size: 0,
+ }
+ }
+}
+
+impl Stream for ChunkReadResponses {
+ type Item = Result<ReadResponse, tonic::Status>;
+
+ fn poll_next(mut self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<Option<Self::Item>> {
+ let this = &mut *self;
+ if this.finished {
+ return Poll::Ready(None);
+ }
+
+ loop {
+ match ready!(this.inner.poll_next_unpin(cx)) {
+ Some(Ok(frame)) => {
+ let fsize = frame_size(&frame);
+
+ if fsize > this.size_limit {
+ this.finished = true;
+ return Poll::Ready(Some(Err(tonic::Status::resource_exhausted(format!(
+ "Oversized frame in read response: frame_size={}, size_limit={}",
+ fsize, this.size_limit
+ )))));
+ }
+
+ // flush?
+ if this.frames_size + fsize > this.size_limit {
+ this.frames_size = fsize;
+ let mut tmp = vec![frame];
+ std::mem::swap(&mut tmp, &mut this.frames);
+ return Poll::Ready(Some(Ok(ReadResponse { frames: tmp })));
+ }
+
+ this.frames.push(frame);
+ this.frames_size += fsize;
+ }
+ Some(Err(e)) => {
+ return Poll::Ready(Some(Err(e)));
+ }
+ None => {
+ this.finished = true;
+
+ // final flush
+ if !this.frames.is_empty() {
+ this.frames_size = 0;
+ return Poll::Ready(Some(Ok(ReadResponse {
+ frames: std::mem::take(&mut this.frames),
+ })));
+ } else {
+ return Poll::Ready(None);
+ }
+ }
+ }
+ }
+ }
+}
+
+fn frame_size(frame: &Frame) -> usize {
+ frame
+ .data
+ .as_ref()
+ .map(|data| data.encoded_len())
+ .unwrap_or_default()
+}
+
+#[cfg(test)]
+mod tests {
+ use futures::TryStreamExt;
+ use generated_types::influxdata::platform::storage::read_response::{
+ frame::Data, BooleanPointsFrame,
+ };
+
+ use super::*;
+
+ #[test]
+ #[should_panic(expected = "zero size limit")]
+ fn test_new_panics() {
+ ChunkReadResponses::new(futures::stream::empty(), 0);
+ }
+
+ #[tokio::test]
+ async fn test_ok() {
+ let frame1 = Frame {
+ data: Some(Data::BooleanPoints(BooleanPointsFrame {
+ timestamps: vec![1, 2, 3],
+ values: vec![false, true, false],
+ })),
+ };
+ let frame2 = Frame {
+ data: Some(Data::BooleanPoints(BooleanPointsFrame {
+ timestamps: vec![4],
+ values: vec![true],
+ })),
+ };
+ let fsize1 = frame_size(&frame1);
+ let fsize2 = frame_size(&frame2);
+
+ // no respones
+ assert_eq!(
+ ChunkReadResponses::new(futures::stream::empty(), 1)
+ .try_collect::<Vec<_>>()
+ .await
+ .unwrap(),
+ vec![],
+ );
+
+ // no frames
+ assert_eq!(
+ ChunkReadResponses::new(
+ futures::stream::iter(vec![Ok(ReadResponse { frames: vec![] })]),
+ 1
+ )
+ .try_collect::<Vec<_>>()
+ .await
+ .unwrap(),
+ vec![],
+ );
+
+ // split
+ assert_eq!(
+ ChunkReadResponses::new(
+ futures::stream::iter(vec![Ok(ReadResponse {
+ frames: vec![
+ frame1.clone(),
+ frame1.clone(),
+ frame2.clone(),
+ frame2.clone(),
+ frame1.clone(),
+ ],
+ })]),
+ fsize1 + fsize1 + fsize2,
+ )
+ .try_collect::<Vec<_>>()
+ .await
+ .unwrap(),
+ vec![
+ ReadResponse {
+ frames: vec![frame1.clone(), frame1.clone(), frame2.clone()],
+ },
+ ReadResponse {
+ frames: vec![frame2.clone(), frame1.clone()],
+ },
+ ],
+ );
+
+ // join
+ assert_eq!(
+ ChunkReadResponses::new(
+ futures::stream::iter(vec![
+ Ok(ReadResponse {
+ frames: vec![frame1.clone(), frame2.clone(),],
+ }),
+ Ok(ReadResponse {
+ frames: vec![frame2.clone(),],
+ }),
+ ]),
+ fsize1 + fsize2 + fsize2,
+ )
+ .try_collect::<Vec<_>>()
+ .await
+ .unwrap(),
+ vec![ReadResponse {
+ frames: vec![frame1.clone(), frame2.clone(), frame2.clone()],
+ },],
+ );
+
+ // re-arrange
+ assert_eq!(
+ ChunkReadResponses::new(
+ futures::stream::iter(vec![
+ Ok(ReadResponse {
+ frames: vec![
+ frame1.clone(),
+ frame1.clone(),
+ frame2.clone(),
+ frame2.clone(),
+ frame1.clone(),
+ ],
+ }),
+ Ok(ReadResponse {
+ frames: vec![frame1.clone(), frame2.clone(),],
+ }),
+ ]),
+ fsize1 + fsize1 + fsize2,
+ )
+ .try_collect::<Vec<_>>()
+ .await
+ .unwrap(),
+ vec![
+ ReadResponse {
+ frames: vec![frame1.clone(), frame1.clone(), frame2.clone()],
+ },
+ ReadResponse {
+ frames: vec![frame2.clone(), frame1.clone(), frame1],
+ },
+ ReadResponse {
+ frames: vec![frame2],
+ },
+ ],
+ );
+ }
+
+ #[tokio::test]
+ async fn test_err_stream() {
+ let frame = Frame {
+ data: Some(Data::BooleanPoints(BooleanPointsFrame {
+ timestamps: vec![1, 2, 3],
+ values: vec![false, true, false],
+ })),
+ };
+ let fsize = frame_size(&frame);
+
+ // split
+ let res = ChunkReadResponses::new(
+ futures::stream::iter(vec![
+ Ok(ReadResponse {
+ frames: vec![frame.clone()],
+ }),
+ Ok(ReadResponse {
+ frames: vec![frame.clone()],
+ }),
+ Ok(ReadResponse {
+ frames: vec![frame.clone()],
+ }),
+ Ok(ReadResponse {
+ frames: vec![frame.clone()],
+ }),
+ Err(tonic::Status::internal("foo")),
+ Ok(ReadResponse {
+ frames: vec![frame.clone()],
+ }),
+ ]),
+ 2 * fsize,
+ )
+ .collect::<Vec<_>>()
+ .await;
+
+ assert_eq!(res.len(), 4);
+
+ assert_eq!(
+ res[0].as_ref().unwrap(),
+ &ReadResponse {
+ frames: vec![frame.clone(), frame.clone()],
+ },
+ );
+
+ // error comes two frames early because the package wasn't full yet
+ assert_eq!(res[1].as_ref().unwrap_err().code(), tonic::Code::Internal,);
+ assert_eq!(res[1].as_ref().unwrap_err().message(), "foo",);
+
+ assert_eq!(
+ res[2].as_ref().unwrap(),
+ &ReadResponse {
+ frames: vec![frame.clone(), frame.clone()],
+ },
+ );
+ assert_eq!(
+ res[3].as_ref().unwrap(),
+ &ReadResponse {
+ frames: vec![frame],
+ },
+ );
+ }
+
+ #[tokio::test]
+ async fn test_err_oversized() {
+ let frame = Frame {
+ data: Some(Data::BooleanPoints(BooleanPointsFrame {
+ timestamps: vec![1, 2, 3],
+ values: vec![false, true, false],
+ })),
+ };
+
+ // split
+ let res = ChunkReadResponses::new(
+ futures::stream::iter(vec![
+ Ok(ReadResponse {
+ frames: vec![frame.clone()],
+ }),
+ Ok(ReadResponse {
+ frames: vec![frame.clone()],
+ }),
+ ]),
+ 1,
+ )
+ .collect::<Vec<_>>()
+ .await;
+
+ assert_eq!(res.len(), 1);
+
+ assert_eq!(
+ res[0].as_ref().unwrap_err().code(),
+ tonic::Code::ResourceExhausted,
+ );
+ assert_eq!(
+ res[0].as_ref().unwrap_err().message(),
+ "Oversized frame in read response: frame_size=33, size_limit=1",
+ );
+ }
+}
diff --git a/service_grpc_influxrpc/src/service.rs b/service_grpc_influxrpc/src/service.rs
index 238c2eca1a..1c462a2847 100644
--- a/service_grpc_influxrpc/src/service.rs
+++ b/service_grpc_influxrpc/src/service.rs
@@ -9,6 +9,7 @@ use crate::{
},
expr::{self, DecodedTagKey, GroupByAndAggregate, InfluxRpcPredicateBuilder, Loggable},
input::GrpcInputs,
+ response_chunking::ChunkReadResponses,
StorageService,
};
use data_types::{org_and_bucket_to_namespace, NamespaceName};
@@ -19,7 +20,6 @@ use generated_types::{
influxdata::platform::errors::InfluxDbError,
literal_or_regex::Value as RegexOrLiteralValue,
offsets_response::PartitionOffsetResponse,
- read_response::Frame,
storage_server::Storage,
tag_key_predicate, CapabilitiesResponse, Capability, Int64ValuesResponse, LiteralOrRegex,
MeasurementFieldsRequest, MeasurementFieldsResponse, MeasurementNamesRequest,
@@ -36,7 +36,7 @@ use iox_query::{
},
QueryNamespace, QueryText,
};
-use observability_deps::tracing::{error, info, trace, warn};
+use observability_deps::tracing::{error, info, trace};
use pin_project::pin_project;
use prost::{bytes::BytesMut, Message};
use service_common::{datafusion_error_to_tonic_code, planner::Planner, QueryNamespaceProvider};
@@ -343,8 +343,7 @@ impl<T> Storage for StorageService<T>
where
T: QueryNamespaceProvider + 'static,
{
- type ReadFilterStream =
- StreamWithPermit<futures::stream::Iter<std::vec::IntoIter<Result<ReadResponse, Status>>>>;
+ type ReadFilterStream = StreamWithPermit<ChunkReadResponses>;
async fn read_filter(
&self,
@@ -377,8 +376,7 @@ where
let mut query_completed_token = db.record_query(&ctx, "read_filter", defer_json(&req));
let results = read_filter_impl(Arc::clone(&db), db_name, req, &ctx)
- .await
- .map(|responses| chunk_read_responses(responses, MAX_READ_RESPONSE_SIZE))?
+ .await?
.into_iter()
.map(Ok)
.collect::<Vec<_>>();
@@ -387,11 +385,13 @@ where
query_completed_token.set_success();
}
- make_response(futures::stream::iter(results), permit)
+ make_response(
+ ChunkReadResponses::new(futures::stream::iter(results), MAX_READ_RESPONSE_SIZE),
+ permit,
+ )
}
- type ReadGroupStream =
- StreamWithPermit<futures::stream::Iter<std::vec::IntoIter<Result<ReadResponse, Status>>>>;
+ type ReadGroupStream = StreamWithPermit<ChunkReadResponses>;
async fn read_group(
&self,
@@ -458,7 +458,6 @@ where
&ctx,
)
.await
- .map(|responses| chunk_read_responses(responses, MAX_READ_RESPONSE_SIZE))
.map_err(|e| e.into_status())?
.into_iter()
.map(Ok)
@@ -468,11 +467,13 @@ where
query_completed_token.set_success();
}
- make_response(futures::stream::iter(results), permit)
+ make_response(
+ ChunkReadResponses::new(futures::stream::iter(results), MAX_READ_RESPONSE_SIZE),
+ permit,
+ )
}
- type ReadWindowAggregateStream =
- StreamWithPermit<futures::stream::Iter<std::vec::IntoIter<Result<ReadResponse, Status>>>>;
+ type ReadWindowAggregateStream = StreamWithPermit<ChunkReadResponses>;
async fn read_window_aggregate(
&self,
@@ -538,7 +539,6 @@ where
&ctx,
)
.await
- .map(|responses| chunk_read_responses(responses, MAX_READ_RESPONSE_SIZE))
.map_err(|e| e.into_status())?
.into_iter()
.map(Ok)
@@ -548,7 +548,10 @@ where
query_completed_token.set_success();
}
- make_response(futures::stream::iter(results), permit)
+ make_response(
+ ChunkReadResponses::new(futures::stream::iter(results), MAX_READ_RESPONSE_SIZE),
+ permit,
+ )
}
type TagKeysStream = StreamWithPermit<ReceiverStream<Result<StringValuesResponse, Status>>>;
@@ -1696,58 +1699,6 @@ where
}
}
-/// Chunk given [`ReadResponse`]s -- while preserving the [`Frame`] order -- into responses that shall at max have the
-/// given size.
-///
-/// # Panic
-/// Panics if `size_limit` is 0.
-fn chunk_read_responses(responses: Vec<ReadResponse>, size_limit: usize) -> Vec<ReadResponse> {
- assert!(size_limit > 0, "zero size limit");
-
- let mut out = Vec::with_capacity(1);
- let it = responses
- .into_iter()
- .flat_map(|response| response.frames.into_iter());
-
- let mut frames = vec![];
- let mut size = 0;
- for frame in it {
- let fsize = frame_size(&frame);
-
- // flush?
- if size + fsize > size_limit {
- size = 0;
- out.push(ReadResponse {
- frames: std::mem::take(&mut frames),
- });
- }
-
- if fsize > size_limit {
- warn!(
- frame_size = fsize,
- size_limit, "Oversized frame in read response",
- );
- }
- frames.push(frame);
- size += fsize;
- }
-
- // final flush
- if !frames.is_empty() {
- out.push(ReadResponse { frames });
- }
-
- out
-}
-
-fn frame_size(frame: &Frame) -> usize {
- frame
- .data
- .as_ref()
- .map(|data| data.encoded_len())
- .unwrap_or_default()
-}
-
#[cfg(test)]
mod tests {
use super::*;
@@ -3764,117 +3715,6 @@ mod tests {
assert_eq!(None, influx_err.error);
}
- #[test]
- #[should_panic(expected = "zero size limit")]
- fn test_chunk_read_responses_panics() {
- chunk_read_responses(vec![], 0);
- }
-
- #[test]
- fn test_chunk_read_responses_ok() {
- use generated_types::influxdata::platform::storage::read_response::{
- frame::Data, BooleanPointsFrame,
- };
-
- let frame1 = Frame {
- data: Some(Data::BooleanPoints(BooleanPointsFrame {
- timestamps: vec![1, 2, 3],
- values: vec![false, true, false],
- })),
- };
- let frame2 = Frame {
- data: Some(Data::BooleanPoints(BooleanPointsFrame {
- timestamps: vec![4],
- values: vec![true],
- })),
- };
- let fsize1 = frame_size(&frame1);
- let fsize2 = frame_size(&frame2);
-
- // no respones
- assert_eq!(chunk_read_responses(vec![], 1), vec![],);
-
- // no frames
- assert_eq!(
- chunk_read_responses(vec![ReadResponse { frames: vec![] }], 1),
- vec![],
- );
-
- // split
- assert_eq!(
- chunk_read_responses(
- vec![ReadResponse {
- frames: vec![
- frame1.clone(),
- frame1.clone(),
- frame2.clone(),
- frame2.clone(),
- frame1.clone(),
- ],
- }],
- fsize1 + fsize1 + fsize2,
- ),
- vec![
- ReadResponse {
- frames: vec![frame1.clone(), frame1.clone(), frame2.clone()],
- },
- ReadResponse {
- frames: vec![frame2.clone(), frame1.clone()],
- },
- ],
- );
-
- // join
- assert_eq!(
- chunk_read_responses(
- vec![
- ReadResponse {
- frames: vec![frame1.clone(), frame2.clone(),],
- },
- ReadResponse {
- frames: vec![frame2.clone(),],
- },
- ],
- fsize1 + fsize2 + fsize2,
- ),
- vec![ReadResponse {
- frames: vec![frame1.clone(), frame2.clone(), frame2.clone()],
- },],
- );
-
- // re-arrange
- assert_eq!(
- chunk_read_responses(
- vec![
- ReadResponse {
- frames: vec![
- frame1.clone(),
- frame1.clone(),
- frame2.clone(),
- frame2.clone(),
- frame1.clone(),
- ],
- },
- ReadResponse {
- frames: vec![frame1.clone(), frame2.clone(),],
- },
- ],
- fsize1 + fsize1 + fsize2,
- ),
- vec![
- ReadResponse {
- frames: vec![frame1.clone(), frame1.clone(), frame2.clone()],
- },
- ReadResponse {
- frames: vec![frame2.clone(), frame1.clone(), frame1],
- },
- ReadResponse {
- frames: vec![frame2],
- },
- ],
- );
- }
-
fn make_timestamp_range(start: i64, end: i64) -> TimestampRange {
TimestampRange { start, end }
}
|
2d18a61949370b1136c41af03e819a77e33a158b
|
Paul Dix
|
2025-01-09 20:13:20
|
Add query API to Python plugins (#25766)
|
This ended up being a couple things rolled into one. In order to add a query API to the Python plugin, I had to pull the QueryExecutor trait out of server into a place so that the python crate could use it.
This implements the query API, but also fixes up the WAL plugin test CLI a bit. I've added a test in the CLI section so that it shows end-to-end operation of the WAL plugin test API and exercise of the entire Plugin API.
Closes #25757
| null |
feat: Add query API to Python plugins (#25766)
This ended up being a couple things rolled into one. In order to add a query API to the Python plugin, I had to pull the QueryExecutor trait out of server into a place so that the python crate could use it.
This implements the query API, but also fixes up the WAL plugin test CLI a bit. I've added a test in the CLI section so that it shows end-to-end operation of the WAL plugin test API and exercise of the entire Plugin API.
Closes #25757
|
diff --git a/Cargo.lock b/Cargo.lock
index 6db154b723..96cc211e0c 100644
--- a/Cargo.lock
+++ b/Cargo.lock
@@ -473,9 +473,9 @@ dependencies = [
[[package]]
name = "async-trait"
-version = "0.1.84"
+version = "0.1.85"
source = "registry+https://github.com/rust-lang/crates.io-index"
-checksum = "1b1244b10dcd56c92219da4e14caa97e312079e185f04ba3eea25061561dc0a0"
+checksum = "3f934833b4b7233644e5848f235df3f57ed8c80f1528a26c3dfa13d2147fa056"
dependencies = [
"proc-macro2",
"quote",
@@ -2910,6 +2910,20 @@ dependencies = [
"serde_json",
]
+[[package]]
+name = "influxdb3_internal_api"
+version = "0.1.0"
+dependencies = [
+ "async-trait",
+ "datafusion",
+ "iox_query",
+ "iox_query_params",
+ "thiserror 1.0.69",
+ "trace",
+ "trace_http",
+ "tracker",
+]
+
[[package]]
name = "influxdb3_load_generator"
version = "0.1.0"
@@ -2954,12 +2968,17 @@ dependencies = [
name = "influxdb3_py_api"
version = "0.1.0"
dependencies = [
- "async-trait",
+ "arrow-array",
+ "arrow-schema",
+ "futures",
"influxdb3_catalog",
+ "influxdb3_internal_api",
"influxdb3_wal",
+ "iox_query_params",
"parking_lot",
"pyo3",
"schema",
+ "tokio",
]
[[package]]
@@ -2993,6 +3012,7 @@ dependencies = [
"influxdb3_catalog",
"influxdb3_client",
"influxdb3_id",
+ "influxdb3_internal_api",
"influxdb3_process",
"influxdb3_sys_events",
"influxdb3_telemetry",
@@ -3149,6 +3169,7 @@ dependencies = [
"influxdb3_catalog",
"influxdb3_client",
"influxdb3_id",
+ "influxdb3_internal_api",
"influxdb3_py_api",
"influxdb3_telemetry",
"influxdb3_test_helpers",
diff --git a/Cargo.toml b/Cargo.toml
index 2b2f5817bb..0f6d697ff4 100644
--- a/Cargo.toml
+++ b/Cargo.toml
@@ -7,6 +7,7 @@ members = [
"influxdb3_clap_blocks",
"influxdb3_client",
"influxdb3_id",
+ "influxdb3_internal_api",
"influxdb3_load_generator",
"influxdb3_process",
"influxdb3_py_api",
diff --git a/influxdb3/src/commands/test.rs b/influxdb3/src/commands/test.rs
index 137dcc0c78..117268f4e6 100644
--- a/influxdb3/src/commands/test.rs
+++ b/influxdb3/src/commands/test.rs
@@ -1,4 +1,5 @@
use crate::commands::common::{InfluxDb3Config, SeparatedKeyValue, SeparatedList};
+use anyhow::Context;
use influxdb3_client::plugin_development::WalPluginTestRequest;
use influxdb3_client::Client;
use secrecy::ExposeSecret;
@@ -53,26 +54,10 @@ pub struct WalPluginConfig {
/// If given pass this map of string key/value pairs as input arguments
#[clap(long = "input-arguments")]
pub input_arguments: Option<SeparatedList<SeparatedKeyValue<String, String>>>,
- /// The name of the plugin, which should match its file name on the server `<plugin-dir>/<name>.py`
+ /// The file name of the plugin, which should exist on the server in `<plugin-dir>/<filename>`.
+ /// The plugin-dir is provided on server startup.
#[clap(required = true)]
- pub name: String,
-}
-
-impl From<WalPluginConfig> for WalPluginTestRequest {
- fn from(val: WalPluginConfig) -> Self {
- let input_arguments = val.input_arguments.map(|a| {
- a.into_iter()
- .map(|SeparatedKeyValue((k, v))| (k, v))
- .collect::<HashMap<String, String>>()
- });
-
- Self {
- name: val.name,
- input_lp: val.input_lp,
- input_file: val.input_file,
- input_arguments,
- }
- }
+ pub filename: String,
}
pub async fn command(config: Config) -> Result<(), Box<dyn Error>> {
@@ -80,7 +65,28 @@ pub async fn command(config: Config) -> Result<(), Box<dyn Error>> {
match config.cmd {
SubCommand::WalPlugin(plugin_config) => {
- let wal_plugin_test_request: WalPluginTestRequest = plugin_config.into();
+ let input_arguments = plugin_config.input_arguments.map(|a| {
+ a.into_iter()
+ .map(|SeparatedKeyValue((k, v))| (k, v))
+ .collect::<HashMap<String, String>>()
+ });
+
+ let input_lp = match plugin_config.input_lp {
+ Some(lp) => lp,
+ None => {
+ let file_path = plugin_config
+ .input_file
+ .context("either input_lp or input_file must be provided")?;
+ std::fs::read_to_string(file_path).context("unable to read input file")?
+ }
+ };
+
+ let wal_plugin_test_request = WalPluginTestRequest {
+ filename: plugin_config.filename,
+ database: plugin_config.influxdb3_config.database_name,
+ input_lp,
+ input_arguments,
+ };
let response = client.wal_plugin_test(wal_plugin_test_request).await?;
diff --git a/influxdb3/tests/server/cli.rs b/influxdb3/tests/server/cli.rs
index fa77139289..5baeec728c 100644
--- a/influxdb3/tests/server/cli.rs
+++ b/influxdb3/tests/server/cli.rs
@@ -849,3 +849,105 @@ async fn meta_cache_create_and_delete() {
insta::assert_yaml_snapshot!(result);
}
+
+#[cfg(feature = "system-py")]
+#[test_log::test(tokio::test)]
+async fn test_wal_plugin_test() {
+ use crate::ConfigProvider;
+ use influxdb3_client::Precision;
+
+ // Create plugin file
+ let plugin_file = create_plugin_file(
+ r#"
+def process_writes(influxdb3_local, table_batches, args=None):
+ influxdb3_local.info("arg1: " + args["arg1"])
+
+ query_params = {"host": args["host"]}
+ query_result = influxdb3_local.query_rows("SELECT * FROM cpu where host = $host", query_params)
+ influxdb3_local.info("query result: " + str(query_result))
+
+ for table_batch in table_batches:
+ influxdb3_local.info("table: " + table_batch["table_name"])
+
+ for row in table_batch["rows"]:
+ influxdb3_local.info("row: " + str(row))
+
+ line = LineBuilder("some_table")\
+ .tag("tag1", "tag1_value")\
+ .tag("tag2", "tag2_value")\
+ .int64_field("field1", 1)\
+ .float64_field("field2", 2.0)\
+ .string_field("field3", "number three")
+ influxdb3_local.write(line)
+
+ other_line = LineBuilder("other_table")
+ other_line.int64_field("other_field", 1)
+ other_line.float64_field("other_field2", 3.14)
+ other_line.time_ns(1302)
+
+ influxdb3_local.write_to_db("mytestdb", other_line)
+
+ influxdb3_local.info("done")"#,
+ );
+
+ let plugin_dir = plugin_file.path().parent().unwrap().to_str().unwrap();
+ let plugin_name = plugin_file.path().file_name().unwrap().to_str().unwrap();
+
+ let server = TestServer::configure()
+ .with_plugin_dir(plugin_dir)
+ .spawn()
+ .await;
+ let server_addr = server.client_addr();
+
+ server
+ .write_lp_to_db(
+ "foo",
+ "cpu,host=s1,region=us-east usage=0.9 1\n\
+ cpu,host=s2,region=us-east usage=0.89 2\n\
+ cpu,host=s1,region=us-east usage=0.85 3",
+ Precision::Nanosecond,
+ )
+ .await
+ .unwrap();
+
+ let db_name = "foo";
+
+ // Run the test
+ let result = run_with_confirmation(&[
+ "test",
+ "wal_plugin",
+ "--database",
+ db_name,
+ "--host",
+ &server_addr,
+ "--lp",
+ "test_input,tag1=tag1_value,tag2=tag2_value field1=1i 500",
+ "--input-arguments",
+ "arg1=arg1_value,host=s2",
+ plugin_name,
+ ]);
+ debug!(result = ?result, "test wal plugin");
+
+ let res = serde_json::from_str::<serde_json::Value>(&result).unwrap();
+
+ let expected_result = r#"{
+ "log_lines": [
+ "INFO: arg1: arg1_value",
+ "INFO: query result: [{'host': 's2', 'region': 'us-east', 'time': 2, 'usage': 0.89}]",
+ "INFO: table: test_input",
+ "INFO: row: {'tag1': 'tag1_value', 'tag2': 'tag2_value', 'field1': 1, 'time': 500}",
+ "INFO: done"
+ ],
+ "database_writes": {
+ "mytestdb": [
+ "other_table other_field=1i,other_field2=3.14 1302"
+ ],
+ "foo": [
+ "some_table,tag1=tag1_value,tag2=tag2_value field1=1i,field2=2.0,field3=\"number three\""
+ ]
+ },
+ "errors": []
+}"#;
+ let expected_result = serde_json::from_str::<serde_json::Value>(expected_result).unwrap();
+ assert_eq!(res, expected_result);
+}
diff --git a/influxdb3/tests/server/main.rs b/influxdb3/tests/server/main.rs
index f2aac07bcf..1180cc38f2 100644
--- a/influxdb3/tests/server/main.rs
+++ b/influxdb3/tests/server/main.rs
@@ -48,6 +48,7 @@ trait ConfigProvider {
pub struct TestConfig {
auth_token: Option<(String, String)>,
host_id: Option<String>,
+ plugin_dir: Option<String>,
}
impl TestConfig {
@@ -66,6 +67,12 @@ impl TestConfig {
self.host_id = Some(host_id.into());
self
}
+
+ /// Set the plugin dir for this [`TestServer`]
+ pub fn with_plugin_dir<S: Into<String>>(mut self, plugin_dir: S) -> Self {
+ self.plugin_dir = Some(plugin_dir.into());
+ self
+ }
}
impl ConfigProvider for TestConfig {
@@ -74,6 +81,9 @@ impl ConfigProvider for TestConfig {
if let Some((token, _)) = &self.auth_token {
args.append(&mut vec!["--bearer-token".to_string(), token.to_owned()]);
}
+ if let Some(plugin_dir) = &self.plugin_dir {
+ args.append(&mut vec!["--plugin-dir".to_string(), plugin_dir.to_owned()]);
+ }
args.push("--host-id".to_string());
if let Some(host) = &self.host_id {
args.push(host.to_owned());
diff --git a/influxdb3_client/src/plugin_development.rs b/influxdb3_client/src/plugin_development.rs
index afe05ed360..4da1711b1d 100644
--- a/influxdb3_client/src/plugin_development.rs
+++ b/influxdb3_client/src/plugin_development.rs
@@ -6,9 +6,9 @@ use std::collections::HashMap;
/// Request definition for `POST /api/v3/plugin_test/wal` API
#[derive(Debug, Serialize, Deserialize)]
pub struct WalPluginTestRequest {
- pub name: String,
- pub input_lp: Option<String>,
- pub input_file: Option<String>,
+ pub filename: String,
+ pub database: String,
+ pub input_lp: String,
pub input_arguments: Option<HashMap<String, String>>,
}
diff --git a/influxdb3_internal_api/Cargo.toml b/influxdb3_internal_api/Cargo.toml
new file mode 100644
index 0000000000..e2259cf5c1
--- /dev/null
+++ b/influxdb3_internal_api/Cargo.toml
@@ -0,0 +1,24 @@
+[package]
+name = "influxdb3_internal_api"
+version.workspace = true
+authors.workspace = true
+edition.workspace = true
+license.workspace = true
+
+[dependencies]
+# Core Crates
+iox_query.workspace = true
+iox_query_params.workspace = true
+trace.workspace = true
+trace_http.workspace = true
+tracker.workspace = true
+
+# Local Crates
+
+# Crates.io dependencies
+async-trait.workspace = true
+datafusion.workspace = true
+thiserror.workspace = true
+
+[lints]
+workspace = true
diff --git a/influxdb3_internal_api/src/lib.rs b/influxdb3_internal_api/src/lib.rs
new file mode 100644
index 0000000000..61ccc6254d
--- /dev/null
+++ b/influxdb3_internal_api/src/lib.rs
@@ -0,0 +1,4 @@
+//! This crate contains the internal API for use across the crates in this code base, mainly
+//! to get around circular dependency issues.
+
+pub mod query_executor;
diff --git a/influxdb3_internal_api/src/query_executor.rs b/influxdb3_internal_api/src/query_executor.rs
new file mode 100644
index 0000000000..05266d45f5
--- /dev/null
+++ b/influxdb3_internal_api/src/query_executor.rs
@@ -0,0 +1,134 @@
+use async_trait::async_trait;
+use datafusion::arrow::error::ArrowError;
+use datafusion::common::DataFusionError;
+use datafusion::execution::SendableRecordBatchStream;
+use iox_query::query_log::QueryLogEntries;
+use iox_query::{QueryDatabase, QueryNamespace};
+use iox_query_params::StatementParams;
+use std::fmt::Debug;
+use std::sync::Arc;
+use trace::ctx::SpanContext;
+use trace::span::Span;
+use trace_http::ctx::RequestLogContext;
+use tracker::InstrumentedAsyncOwnedSemaphorePermit;
+
+#[derive(Debug, thiserror::Error)]
+pub enum QueryExecutorError {
+ #[error("database not found: {db_name}")]
+ DatabaseNotFound { db_name: String },
+ #[error("error while planning query: {0}")]
+ QueryPlanning(#[source] DataFusionError),
+ #[error("error while executing plan: {0}")]
+ ExecuteStream(#[source] DataFusionError),
+ #[error("unable to compose record batches from databases: {0}")]
+ DatabasesToRecordBatch(#[source] ArrowError),
+ #[error("unable to compose record batches from retention policies: {0}")]
+ RetentionPoliciesToRecordBatch(#[source] ArrowError),
+}
+
+#[async_trait]
+pub trait QueryExecutor: QueryDatabase + Debug + Send + Sync + 'static {
+ async fn query(
+ &self,
+ database: &str,
+ q: &str,
+ params: Option<StatementParams>,
+ kind: QueryKind,
+ span_ctx: Option<SpanContext>,
+ external_span_ctx: Option<RequestLogContext>,
+ ) -> Result<SendableRecordBatchStream, QueryExecutorError>;
+
+ fn show_databases(
+ &self,
+ include_deleted: bool,
+ ) -> Result<SendableRecordBatchStream, QueryExecutorError>;
+
+ async fn show_retention_policies(
+ &self,
+ database: Option<&str>,
+ span_ctx: Option<SpanContext>,
+ ) -> Result<SendableRecordBatchStream, QueryExecutorError>;
+
+ fn upcast(&self) -> Arc<(dyn QueryDatabase + 'static)>;
+}
+
+#[derive(Debug, Clone, Copy)]
+pub enum QueryKind {
+ Sql,
+ InfluxQl,
+}
+
+impl QueryKind {
+ pub fn query_type(&self) -> &'static str {
+ match self {
+ Self::Sql => "sql",
+ Self::InfluxQl => "influxql",
+ }
+ }
+}
+
+#[derive(Debug, Copy, Clone)]
+pub struct UnimplementedQueryExecutor;
+
+#[async_trait]
+impl QueryDatabase for UnimplementedQueryExecutor {
+ async fn namespace(
+ &self,
+ _name: &str,
+ _span: Option<Span>,
+ _include_debug_info_tables: bool,
+ ) -> Result<Option<Arc<dyn QueryNamespace>>, DataFusionError> {
+ unimplemented!()
+ }
+
+ async fn acquire_semaphore(
+ &self,
+ _span: Option<Span>,
+ ) -> InstrumentedAsyncOwnedSemaphorePermit {
+ unimplemented!()
+ }
+
+ fn query_log(&self) -> QueryLogEntries {
+ unimplemented!()
+ }
+}
+
+#[async_trait]
+impl QueryExecutor for UnimplementedQueryExecutor {
+ async fn query(
+ &self,
+ _database: &str,
+ _q: &str,
+ _params: Option<StatementParams>,
+ _kind: QueryKind,
+ _span_ctx: Option<SpanContext>,
+ _external_span_ctx: Option<RequestLogContext>,
+ ) -> Result<SendableRecordBatchStream, QueryExecutorError> {
+ Err(QueryExecutorError::DatabaseNotFound {
+ db_name: "unimplemented".to_string(),
+ })
+ }
+
+ fn show_databases(
+ &self,
+ _include_deleted: bool,
+ ) -> Result<SendableRecordBatchStream, QueryExecutorError> {
+ Err(QueryExecutorError::DatabaseNotFound {
+ db_name: "unimplemented".to_string(),
+ })
+ }
+
+ async fn show_retention_policies(
+ &self,
+ _database: Option<&str>,
+ _span_ctx: Option<SpanContext>,
+ ) -> Result<SendableRecordBatchStream, QueryExecutorError> {
+ Err(QueryExecutorError::DatabaseNotFound {
+ db_name: "unimplemented".to_string(),
+ })
+ }
+
+ fn upcast(&self) -> Arc<(dyn QueryDatabase + 'static)> {
+ Arc::new(UnimplementedQueryExecutor) as _
+ }
+}
diff --git a/influxdb3_py_api/Cargo.toml b/influxdb3_py_api/Cargo.toml
index a76817489e..aab94b4c36 100644
--- a/influxdb3_py_api/Cargo.toml
+++ b/influxdb3_py_api/Cargo.toml
@@ -5,20 +5,25 @@ authors.workspace = true
edition.workspace = true
license.workspace = true
-
[features]
system-py = ["pyo3"]
+
[dependencies]
+arrow-array.workspace = true
+arrow-schema.workspace = true
influxdb3_wal = { path = "../influxdb3_wal" }
influxdb3_catalog = {path = "../influxdb3_catalog"}
-async-trait.workspace = true
+influxdb3_internal_api = { path = "../influxdb3_internal_api" }
+iox_query_params.workspace = true
schema.workspace = true
parking_lot.workspace = true
+futures.workspace = true
+tokio.workspace = true
[dependencies.pyo3]
version = "0.23.3"
# this is necessary to automatically initialize the Python interpreter
-features = ["auto-initialize"]
+features = ["auto-initialize", "experimental-async"]
optional = true
diff --git a/influxdb3_py_api/src/system_py.rs b/influxdb3_py_api/src/system_py.rs
index 2a4dcef6be..1bc87c2e88 100644
--- a/influxdb3_py_api/src/system_py.rs
+++ b/influxdb3_py_api/src/system_py.rs
@@ -1,11 +1,20 @@
-use influxdb3_catalog::catalog::{Catalog, DatabaseSchema, TableDefinition};
+use arrow_array::types::Int32Type;
+use arrow_array::{
+ BooleanArray, DictionaryArray, Float64Array, Int64Array, RecordBatch, StringArray,
+ TimestampNanosecondArray, UInt64Array,
+};
+use arrow_schema::DataType;
+use futures::TryStreamExt;
+use influxdb3_catalog::catalog::{DatabaseSchema, TableDefinition};
+use influxdb3_internal_api::query_executor::{QueryExecutor, QueryKind};
use influxdb3_wal::{FieldData, Row, WriteBatch};
+use iox_query_params::StatementParams;
use parking_lot::Mutex;
use pyo3::exceptions::PyValueError;
use pyo3::prelude::{PyAnyMethods, PyModule, PyModuleMethods};
use pyo3::types::{PyDict, PyList};
use pyo3::{
- pyclass, pymethods, pymodule, Bound, IntoPyObject, PyAny, PyErr, PyObject, PyResult, Python,
+ pyclass, pymethods, pymodule, Bound, IntoPyObject, Py, PyAny, PyErr, PyObject, PyResult, Python,
};
use schema::InfluxColumnType;
use std::collections::HashMap;
@@ -190,8 +199,8 @@ impl PyWriteBatch {
#[pyclass]
#[derive(Debug)]
struct PyPluginCallApi {
- _schema: Arc<DatabaseSchema>,
- _catalog: Arc<Catalog>,
+ db_schema: Arc<DatabaseSchema>,
+ query_executor: Arc<dyn QueryExecutor>,
return_state: Arc<Mutex<PluginReturnState>>,
}
@@ -280,6 +289,127 @@ impl PyPluginCallApi {
Ok(())
}
+
+ #[pyo3(signature = (query, args=None))]
+ fn query_rows(
+ &self,
+ query: String,
+ args: Option<HashMap<String, String>>,
+ ) -> PyResult<Py<PyList>> {
+ let query_executor = Arc::clone(&self.query_executor);
+ let db_schema_name = Arc::clone(&self.db_schema.name);
+
+ let params = args.map(|args| {
+ let mut params = StatementParams::new();
+ for (key, value) in args {
+ params.insert(key, value);
+ }
+ params
+ });
+
+ // Spawn the async task
+ let handle = tokio::spawn(async move {
+ let res = query_executor
+ .query(
+ db_schema_name.as_ref(),
+ &query,
+ params,
+ QueryKind::Sql,
+ None,
+ None,
+ )
+ .await
+ .map_err(|e| PyValueError::new_err(format!("Error executing query: {}", e)))?;
+
+ res.try_collect().await.map_err(|e| {
+ PyValueError::new_err(format!("Error collecting query results: {}", e))
+ })
+ });
+
+ // Block the current thread until the async task completes
+ let res =
+ tokio::task::block_in_place(|| tokio::runtime::Handle::current().block_on(handle));
+
+ let res =
+ res.map_err(|e| PyValueError::new_err(format!("Error executing query: {}", e)))?;
+
+ let batches: Vec<RecordBatch> = res
+ .map_err(|e| PyValueError::new_err(format!("Error collecting query results: {}", e)))?;
+
+ Python::with_gil(|py| {
+ let mut rows: Vec<PyObject> = Vec::new();
+
+ for batch in batches {
+ let num_rows = batch.num_rows();
+ let schema = batch.schema();
+
+ for row_idx in 0..num_rows {
+ let row = PyDict::new(py);
+ for col_idx in 0..schema.fields().len() {
+ let field = schema.field(col_idx);
+ let field_name = field.name().as_str();
+
+ let array = batch.column(col_idx);
+
+ match array.data_type() {
+ DataType::Int64 => {
+ let array = array.as_any().downcast_ref::<Int64Array>().unwrap();
+ row.set_item(field_name, array.value(row_idx))?;
+ }
+ DataType::UInt64 => {
+ let array = array.as_any().downcast_ref::<UInt64Array>().unwrap();
+ row.set_item(field_name, array.value(row_idx))?;
+ }
+ DataType::Float64 => {
+ let array = array.as_any().downcast_ref::<Float64Array>().unwrap();
+ row.set_item(field_name, array.value(row_idx))?;
+ }
+ DataType::Utf8 => {
+ let array = array.as_any().downcast_ref::<StringArray>().unwrap();
+ row.set_item(field_name, array.value(row_idx))?;
+ }
+ DataType::Boolean => {
+ let array = array.as_any().downcast_ref::<BooleanArray>().unwrap();
+ row.set_item(field_name, array.value(row_idx))?;
+ }
+ DataType::Timestamp(_, _) => {
+ let array = array
+ .as_any()
+ .downcast_ref::<TimestampNanosecondArray>()
+ .unwrap();
+ row.set_item(field_name, array.value(row_idx))?;
+ }
+ DataType::Dictionary(_, _) => {
+ let col = array
+ .as_any()
+ .downcast_ref::<DictionaryArray<Int32Type>>()
+ .expect("unexpected datatype");
+
+ let values = col.values();
+ let values = values
+ .as_any()
+ .downcast_ref::<StringArray>()
+ .expect("unexpected datatype");
+
+ let val = values.value(row_idx).to_string();
+ row.set_item(field_name, val)?;
+ }
+ _ => {
+ return Err(PyValueError::new_err(format!(
+ "Unsupported data type: {:?}",
+ array.data_type()
+ )))
+ }
+ }
+ }
+ rows.push(row.into());
+ }
+ }
+
+ let list = PyList::new(py, rows)?.unbind();
+ Ok(list)
+ })
+ }
}
// constant for the process writes call site string
@@ -384,7 +514,7 @@ pub fn execute_python_with_batch(
code: &str,
write_batch: &WriteBatch,
schema: Arc<DatabaseSchema>,
- catalog: Arc<Catalog>,
+ query_executor: Arc<dyn QueryExecutor>,
args: Option<HashMap<String, String>>,
) -> PyResult<PluginReturnState> {
Python::with_gil(|py| {
@@ -411,50 +541,36 @@ pub fn execute_python_with_batch(
for chunk in table_chunks.chunk_time_to_chunk.values() {
for row in &chunk.rows {
let py_row = PyDict::new(py);
- py_row.set_item("time", row.time).unwrap();
- let mut fields = Vec::with_capacity(row.fields.len());
+
for field in &row.fields {
let field_name = table_def.column_id_to_name(&field.id).unwrap();
- if field_name.as_ref() == "time" {
- continue;
- }
- let py_field = PyDict::new(py);
- py_field.set_item("name", field_name.as_ref()).unwrap();
-
match &field.value {
FieldData::String(s) => {
- py_field.set_item("value", s.as_str()).unwrap();
+ py_row.set_item(field_name.as_ref(), s.as_str()).unwrap();
}
FieldData::Integer(i) => {
- py_field.set_item("value", i).unwrap();
+ py_row.set_item(field_name.as_ref(), i).unwrap();
}
FieldData::UInteger(u) => {
- py_field.set_item("value", u).unwrap();
+ py_row.set_item(field_name.as_ref(), u).unwrap();
}
FieldData::Float(f) => {
- py_field.set_item("value", f).unwrap();
+ py_row.set_item(field_name.as_ref(), f).unwrap();
}
FieldData::Boolean(b) => {
- py_field.set_item("value", b).unwrap();
+ py_row.set_item(field_name.as_ref(), b).unwrap();
}
FieldData::Tag(t) => {
- py_field.set_item("value", t.as_str()).unwrap();
+ py_row.set_item(field_name.as_ref(), t.as_str()).unwrap();
}
FieldData::Key(k) => {
- py_field.set_item("value", k.as_str()).unwrap();
+ py_row.set_item(field_name.as_ref(), k.as_str()).unwrap();
}
- FieldData::Timestamp(_) => {
- // return an error, this shouldn't happen
- return Err(PyValueError::new_err(
- "Timestamps should be in the time field",
- ));
+ FieldData::Timestamp(t) => {
+ py_row.set_item(field_name.as_ref(), t).unwrap();
}
};
-
- fields.push(py_field.unbind());
}
- let fields = PyList::new(py, fields).unwrap();
- py_row.set_item("fields", fields.unbind()).unwrap();
rows.push(py_row.into());
}
@@ -469,8 +585,8 @@ pub fn execute_python_with_batch(
let py_batches = PyList::new(py, table_batches).unwrap();
let api = PyPluginCallApi {
- _schema: schema,
- _catalog: catalog,
+ db_schema: schema,
+ query_executor,
return_state: Default::default(),
};
let return_state = Arc::clone(&api.return_state);
@@ -492,6 +608,7 @@ pub fn execute_python_with_batch(
Some(&globals),
None,
)?;
+
py_func.call1((local_api, py_batches.unbind(), args))?;
// swap with an empty return state to avoid cloning
diff --git a/influxdb3_server/Cargo.toml b/influxdb3_server/Cargo.toml
index c1aa58fb96..c5aca26053 100644
--- a/influxdb3_server/Cargo.toml
+++ b/influxdb3_server/Cargo.toml
@@ -34,6 +34,7 @@ influxdb3_cache = { path = "../influxdb3_cache" }
influxdb3_catalog = { path = "../influxdb3_catalog" }
influxdb3_client = { path = "../influxdb3_client" }
influxdb3_id = { path = "../influxdb3_id" }
+influxdb3_internal_api = { path = "../influxdb3_internal_api" }
influxdb3_process = { path = "../influxdb3_process", default-features = false }
influxdb3_wal = { path = "../influxdb3_wal"}
influxdb3_write = { path = "../influxdb3_write" }
diff --git a/influxdb3_server/src/builder.rs b/influxdb3_server/src/builder.rs
index c7d9b4dd4e..56edfa14e1 100644
--- a/influxdb3_server/src/builder.rs
+++ b/influxdb3_server/src/builder.rs
@@ -1,14 +1,11 @@
use std::sync::Arc;
+use crate::{auth::DefaultAuthorizer, http::HttpApi, CommonServerState, Server};
use authz::Authorizer;
+use influxdb3_internal_api::query_executor::QueryExecutor;
use influxdb3_write::{persister::Persister, WriteBuffer};
use tokio::net::TcpListener;
-use crate::{
- auth::DefaultAuthorizer, http::HttpApi, query_executor, CommonServerState, QueryExecutor,
- Server,
-};
-
#[derive(Debug)]
pub struct ServerBuilder<W, Q, P, T, L> {
common_state: CommonServerState,
@@ -55,7 +52,7 @@ pub struct WithWriteBuf(Arc<dyn WriteBuffer>);
#[derive(Debug)]
pub struct NoQueryExec;
#[derive(Debug)]
-pub struct WithQueryExec(Arc<dyn QueryExecutor<Error = query_executor::Error>>);
+pub struct WithQueryExec(Arc<dyn QueryExecutor>);
#[derive(Debug)]
pub struct NoPersister;
#[derive(Debug)]
@@ -87,7 +84,7 @@ impl<Q, P, T, L> ServerBuilder<NoWriteBuf, Q, P, T, L> {
impl<W, P, T, L> ServerBuilder<W, NoQueryExec, P, T, L> {
pub fn query_executor(
self,
- qe: Arc<dyn QueryExecutor<Error = query_executor::Error>>,
+ qe: Arc<dyn QueryExecutor>,
) -> ServerBuilder<W, WithQueryExec, P, T, L> {
ServerBuilder {
common_state: self.common_state,
diff --git a/influxdb3_server/src/grpc.rs b/influxdb3_server/src/grpc.rs
index 5793416117..075fb254de 100644
--- a/influxdb3_server/src/grpc.rs
+++ b/influxdb3_server/src/grpc.rs
@@ -4,11 +4,10 @@ use arrow_flight::flight_service_server::{
FlightService as Flight, FlightServiceServer as FlightServer,
};
use authz::Authorizer;
-
-use crate::{query_executor, QueryExecutor};
+use influxdb3_internal_api::query_executor::QueryExecutor;
pub(crate) fn make_flight_server(
- server: Arc<dyn QueryExecutor<Error = query_executor::Error>>,
+ server: Arc<dyn QueryExecutor>,
authz: Option<Arc<dyn Authorizer>>,
) -> FlightServer<impl Flight> {
let query_db = server.upcast();
diff --git a/influxdb3_server/src/http.rs b/influxdb3_server/src/http.rs
index aabb510e75..175025992b 100644
--- a/influxdb3_server/src/http.rs
+++ b/influxdb3_server/src/http.rs
@@ -1,7 +1,6 @@
//! HTTP API service implementations for `server`
-use crate::{query_executor, QueryKind};
-use crate::{CommonServerState, QueryExecutor};
+use crate::CommonServerState;
use arrow::record_batch::RecordBatch;
use arrow::util::pretty;
use authz::http::AuthorizationHeaderExtension;
@@ -23,6 +22,7 @@ use hyper::{Body, Method, Request, Response, StatusCode};
use influxdb3_cache::last_cache;
use influxdb3_cache::meta_cache::{self, CreateMetaCacheArgs, MaxAge, MaxCardinality};
use influxdb3_catalog::catalog::Error as CatalogError;
+use influxdb3_internal_api::query_executor::{QueryExecutor, QueryExecutorError, QueryKind};
use influxdb3_process::{INFLUXDB3_GIT_HASH_SHORT, INFLUXDB3_VERSION};
use influxdb3_wal::{PluginType, TriggerSpecificationDefinition};
use influxdb3_write::persister::TrackedMemoryArrowWriter;
@@ -181,7 +181,7 @@ pub enum Error {
Io(#[from] std::io::Error),
#[error("query error: {0}")]
- Query(#[from] query_executor::Error),
+ Query(#[from] QueryExecutorError),
#[error(transparent)]
DbName(#[from] ValidateDbNameError),
@@ -214,6 +214,9 @@ pub enum Error {
#[error("Python plugins not enabled on this server")]
PythonPluginsNotEnabled,
+
+ #[error("Plugin error")]
+ Plugin(#[from] influxdb3_write::write_buffer::plugins::Error),
}
#[derive(Debug, Error)]
@@ -384,7 +387,7 @@ impl Error {
.body(body)
.unwrap()
}
- Self::Query(query_executor::Error::DatabaseNotFound { .. }) => {
+ Self::Query(QueryExecutorError::DatabaseNotFound { .. }) => {
let err: ErrorMessage<()> = ErrorMessage {
error: self.to_string(),
data: None,
@@ -437,7 +440,7 @@ pub(crate) struct HttpApi<T> {
common_state: CommonServerState,
write_buffer: Arc<dyn WriteBuffer>,
time_provider: Arc<T>,
- pub(crate) query_executor: Arc<dyn QueryExecutor<Error = query_executor::Error>>,
+ pub(crate) query_executor: Arc<dyn QueryExecutor>,
max_request_bytes: usize,
authorizer: Arc<dyn Authorizer>,
legacy_write_param_unifier: SingleTenantRequestUnifier,
@@ -448,7 +451,7 @@ impl<T> HttpApi<T> {
common_state: CommonServerState,
time_provider: Arc<T>,
write_buffer: Arc<dyn WriteBuffer>,
- query_executor: Arc<dyn QueryExecutor<Error = query_executor::Error>>,
+ query_executor: Arc<dyn QueryExecutor>,
max_request_bytes: usize,
authorizer: Arc<dyn Authorizer>,
) -> Self {
@@ -1135,7 +1138,10 @@ where
let request: influxdb3_client::plugin_development::WalPluginTestRequest =
self.read_body_json(req).await?;
- let output = self.write_buffer.test_wal_plugin(request).await?;
+ let output = self
+ .write_buffer
+ .test_wal_plugin(request, Arc::clone(&self.query_executor))
+ .await?;
let body = serde_json::to_string(&output)?;
Ok(Response::builder()
diff --git a/influxdb3_server/src/lib.rs b/influxdb3_server/src/lib.rs
index 44915e562a..60b5879623 100644
--- a/influxdb3_server/src/lib.rs
+++ b/influxdb3_server/src/lib.rs
@@ -23,16 +23,12 @@ mod system_tables;
use crate::grpc::make_flight_server;
use crate::http::route_request;
use crate::http::HttpApi;
-use async_trait::async_trait;
use authz::Authorizer;
-use datafusion::execution::SendableRecordBatchStream;
use hyper::server::conn::AddrIncoming;
use hyper::server::conn::Http;
use hyper::service::service_fn;
use influxdb3_telemetry::store::TelemetryStore;
use influxdb3_write::persister::Persister;
-use iox_query::QueryDatabase;
-use iox_query_params::StatementParams;
use iox_time::TimeProvider;
use observability_deps::tracing::error;
use observability_deps::tracing::info;
@@ -45,9 +41,7 @@ use tokio::net::TcpListener;
use tokio::time::Instant;
use tokio_util::sync::CancellationToken;
use tower::Layer;
-use trace::ctx::SpanContext;
use trace::TraceCollector;
-use trace_http::ctx::RequestLogContext;
use trace_http::ctx::TraceHeaderParser;
use trace_http::metrics::MetricFamily;
use trace_http::metrics::RequestMetrics;
@@ -130,49 +124,6 @@ pub struct Server<T> {
listener: TcpListener,
}
-#[async_trait]
-pub trait QueryExecutor: QueryDatabase + Debug + Send + Sync + 'static {
- type Error;
-
- async fn query(
- &self,
- database: &str,
- q: &str,
- params: Option<StatementParams>,
- kind: QueryKind,
- span_ctx: Option<SpanContext>,
- external_span_ctx: Option<RequestLogContext>,
- ) -> Result<SendableRecordBatchStream, Self::Error>;
-
- fn show_databases(
- &self,
- include_deleted: bool,
- ) -> Result<SendableRecordBatchStream, Self::Error>;
-
- async fn show_retention_policies(
- &self,
- database: Option<&str>,
- span_ctx: Option<SpanContext>,
- ) -> Result<SendableRecordBatchStream, Self::Error>;
-
- fn upcast(&self) -> Arc<(dyn QueryDatabase + 'static)>;
-}
-
-#[derive(Debug, Clone, Copy)]
-pub enum QueryKind {
- Sql,
- InfluxQl,
-}
-
-impl QueryKind {
- pub(crate) fn query_type(&self) -> &'static str {
- match self {
- Self::Sql => "sql",
- Self::InfluxQl => "influxql",
- }
- }
-}
-
impl<T> Server<T> {
pub fn authorizer(&self) -> Arc<dyn Authorizer> {
Arc::clone(&self.authorizer)
diff --git a/influxdb3_server/src/query_executor/mod.rs b/influxdb3_server/src/query_executor/mod.rs
index 0a39a08e33..05e3f7fb5a 100644
--- a/influxdb3_server/src/query_executor/mod.rs
+++ b/influxdb3_server/src/query_executor/mod.rs
@@ -1,12 +1,10 @@
//! module for query executor
use crate::system_tables::{SystemSchemaProvider, SYSTEM_SCHEMA_NAME};
use crate::{query_planner::Planner, system_tables::AllSystemSchemaTablesProvider};
-use crate::{QueryExecutor, QueryKind};
use arrow::array::{ArrayRef, Int64Builder, StringBuilder, StructArray};
use arrow::datatypes::SchemaRef;
use arrow::record_batch::RecordBatch;
use arrow_array::{Array, BooleanArray};
-use arrow_schema::ArrowError;
use async_trait::async_trait;
use data_types::NamespaceId;
use datafusion::catalog::{CatalogProvider, SchemaProvider, Session};
@@ -23,6 +21,7 @@ use datafusion_util::MemoryStream;
use influxdb3_cache::last_cache::{LastCacheFunction, LAST_CACHE_UDTF_NAME};
use influxdb3_cache::meta_cache::{MetaCacheFunction, META_CACHE_UDTF_NAME};
use influxdb3_catalog::catalog::{Catalog, DatabaseSchema};
+use influxdb3_internal_api::query_executor::{QueryExecutor, QueryExecutorError, QueryKind};
use influxdb3_sys_events::SysEventStore;
use influxdb3_telemetry::store::TelemetryStore;
use influxdb3_write::WriteBuffer;
@@ -114,8 +113,6 @@ impl QueryExecutorImpl {
#[async_trait]
impl QueryExecutor for QueryExecutorImpl {
- type Error = Error;
-
async fn query(
&self,
database: &str,
@@ -124,15 +121,15 @@ impl QueryExecutor for QueryExecutorImpl {
kind: QueryKind,
span_ctx: Option<SpanContext>,
external_span_ctx: Option<RequestLogContext>,
- ) -> Result<SendableRecordBatchStream, Self::Error> {
+ ) -> Result<SendableRecordBatchStream, QueryExecutorError> {
info!(%database, %query, ?params, ?kind, "QueryExecutorImpl as QueryExecutor::query");
let db = self
.namespace(database, span_ctx.child_span("get database"), false)
.await
- .map_err(|_| Error::DatabaseNotFound {
+ .map_err(|_| QueryExecutorError::DatabaseNotFound {
db_name: database.to_string(),
})?
- .ok_or_else(|| Error::DatabaseNotFound {
+ .ok_or_else(|| QueryExecutorError::DatabaseNotFound {
db_name: database.to_string(),
})?;
@@ -161,7 +158,7 @@ impl QueryExecutor for QueryExecutorImpl {
})
.await;
- let plan = match plan.map_err(Error::QueryPlanning) {
+ let plan = match plan.map_err(QueryExecutorError::QueryPlanning) {
Ok(plan) => plan,
Err(e) => {
token.fail();
@@ -182,7 +179,7 @@ impl QueryExecutor for QueryExecutorImpl {
}
Err(err) => {
token.fail();
- Err(Error::ExecuteStream(err))
+ Err(QueryExecutorError::ExecuteStream(err))
}
}
}
@@ -190,7 +187,7 @@ impl QueryExecutor for QueryExecutorImpl {
fn show_databases(
&self,
include_deleted: bool,
- ) -> Result<SendableRecordBatchStream, Self::Error> {
+ ) -> Result<SendableRecordBatchStream, QueryExecutorError> {
let mut databases = self.catalog.list_db_schema();
// sort them to ensure consistent order, first by deleted, then by name:
databases.sort_unstable_by(|a, b| match a.deleted.cmp(&b.deleted) {
@@ -222,7 +219,7 @@ impl QueryExecutor for QueryExecutorImpl {
}
let schema = DatafusionSchema::new(fields);
let batch = RecordBatch::try_new(Arc::new(schema), arrays)
- .map_err(Error::DatabasesToRecordBatch)?;
+ .map_err(QueryExecutorError::DatabasesToRecordBatch)?;
Ok(Box::pin(MemoryStream::new(vec![batch])))
}
@@ -230,7 +227,7 @@ impl QueryExecutor for QueryExecutorImpl {
&self,
database: Option<&str>,
span_ctx: Option<SpanContext>,
- ) -> Result<SendableRecordBatchStream, Self::Error> {
+ ) -> Result<SendableRecordBatchStream, QueryExecutorError> {
let mut databases = if let Some(db) = database {
vec![db.to_owned()]
} else {
@@ -244,10 +241,10 @@ impl QueryExecutor for QueryExecutorImpl {
let db = self
.namespace(&database, span_ctx.child_span("get database"), false)
.await
- .map_err(|_| Error::DatabaseNotFound {
+ .map_err(|_| QueryExecutorError::DatabaseNotFound {
db_name: database.to_string(),
})?
- .ok_or_else(|| Error::DatabaseNotFound {
+ .ok_or_else(|| QueryExecutorError::DatabaseNotFound {
db_name: database.to_string(),
})?;
let duration = db.retention_time_ns();
@@ -337,20 +334,6 @@ fn split_database_name(db_name: &str) -> (String, String) {
)
}
-#[derive(Debug, thiserror::Error)]
-pub enum Error {
- #[error("database not found: {db_name}")]
- DatabaseNotFound { db_name: String },
- #[error("error while planning query: {0}")]
- QueryPlanning(#[source] DataFusionError),
- #[error("error while executing plan: {0}")]
- ExecuteStream(#[source] DataFusionError),
- #[error("unable to compose record batches from databases: {0}")]
- DatabasesToRecordBatch(#[source] ArrowError),
- #[error("unable to compose record batches from retention policies: {0}")]
- RetentionPoliciesToRecordBatch(#[source] ArrowError),
-}
-
// This implementation is for the Flight service
#[async_trait]
impl QueryDatabase for QueryExecutorImpl {
@@ -364,7 +347,7 @@ impl QueryDatabase for QueryExecutorImpl {
let _span_recorder = SpanRecorder::new(span);
let db_schema = self.catalog.db_schema(name).ok_or_else(|| {
- DataFusionError::External(Box::new(Error::DatabaseNotFound {
+ DataFusionError::External(Box::new(QueryExecutorError::DatabaseNotFound {
db_name: name.into(),
}))
})?;
@@ -647,6 +630,7 @@ impl TableProvider for QueryTable {
mod tests {
use std::{num::NonZeroUsize, sync::Arc, time::Duration};
+ use crate::query_executor::QueryExecutorImpl;
use arrow::array::RecordBatch;
use data_types::NamespaceName;
use datafusion::assert_batches_sorted_eq;
@@ -656,6 +640,7 @@ mod tests {
parquet_cache::test_cached_obj_store_and_oracle,
};
use influxdb3_catalog::catalog::Catalog;
+ use influxdb3_internal_api::query_executor::{QueryExecutor, QueryKind};
use influxdb3_sys_events::SysEventStore;
use influxdb3_telemetry::store::TelemetryStore;
use influxdb3_wal::{Gen1Duration, WalConfig};
@@ -670,8 +655,6 @@ mod tests {
use object_store::{local::LocalFileSystem, ObjectStore};
use parquet_file::storage::{ParquetStorage, StorageId};
- use crate::{query_executor::QueryExecutorImpl, QueryExecutor};
-
use super::CreateQueryExecutorArgs;
fn make_exec(object_store: Arc<dyn ObjectStore>) -> Arc<Executor> {
@@ -860,7 +843,7 @@ mod tests {
for t in test_cases {
let batch_stream = query_executor
- .query(db_name, t.query, None, crate::QueryKind::Sql, None, None)
+ .query(db_name, t.query, None, QueryKind::Sql, None, None)
.await
.unwrap();
let batches: Vec<RecordBatch> = batch_stream.try_collect().await.unwrap();
diff --git a/influxdb3_write/Cargo.toml b/influxdb3_write/Cargo.toml
index 22a7f6ee17..5606d72c5a 100644
--- a/influxdb3_write/Cargo.toml
+++ b/influxdb3_write/Cargo.toml
@@ -28,6 +28,7 @@ influxdb3_cache = { path = "../influxdb3_cache" }
influxdb3_catalog = { path = "../influxdb3_catalog" }
influxdb3_client = { path = "../influxdb3_client" }
influxdb3_id = { path = "../influxdb3_id" }
+influxdb3_internal_api = { path = "../influxdb3_internal_api" }
influxdb3_test_helpers = { path = "../influxdb3_test_helpers" }
influxdb3_wal = { path = "../influxdb3_wal" }
influxdb3_telemetry = { path = "../influxdb3_telemetry" }
diff --git a/influxdb3_write/src/write_buffer/mod.rs b/influxdb3_write/src/write_buffer/mod.rs
index d7df44bd1b..26928d15fd 100644
--- a/influxdb3_write/src/write_buffer/mod.rs
+++ b/influxdb3_write/src/write_buffer/mod.rs
@@ -69,6 +69,7 @@ use tokio::sync::watch::Receiver;
#[cfg(feature = "system-py")]
use crate::write_buffer::plugins::PluginContext;
use influxdb3_client::plugin_development::{WalPluginTestRequest, WalPluginTestResponse};
+use influxdb3_internal_api::query_executor::QueryExecutor;
#[derive(Debug, Error)]
pub enum Error {
@@ -135,9 +136,6 @@ pub enum Error {
#[error("error: {0}")]
AnyhowError(#[from] anyhow::Error),
-
- #[error("reading plugin file: {0}")]
- ReadPluginError(#[from] std::io::Error),
}
pub type Result<T, E = Error> = std::result::Result<T, E>;
@@ -379,9 +377,9 @@ impl WriteBufferImpl {
}
#[cfg(feature = "system-py")]
- fn read_plugin_code(&self, name: &str) -> Result<String> {
+ fn read_plugin_code(&self, name: &str) -> Result<String, plugins::Error> {
let plugin_dir = self.plugin_dir.clone().context("plugin dir not set")?;
- let path = plugin_dir.join(format!("{}.py", name));
+ let path = plugin_dir.join(name);
Ok(std::fs::read_to_string(path)?)
}
}
@@ -1108,20 +1106,28 @@ impl ProcessingEngineManager for WriteBufferImpl {
async fn test_wal_plugin(
&self,
request: WalPluginTestRequest,
- ) -> crate::Result<WalPluginTestResponse, Error> {
+ query_executor: Arc<dyn QueryExecutor>,
+ ) -> crate::Result<WalPluginTestResponse, plugins::Error> {
#[cfg(feature = "system-py")]
{
// create a copy of the catalog so we don't modify the original
let catalog = Arc::new(Catalog::from_inner(self.catalog.clone_inner()));
let now = self.time_provider.now();
- let code = self.read_plugin_code(&request.name)?;
+ let code = self.read_plugin_code(&request.filename)?;
+
+ let res = plugins::run_test_wal_plugin(now, catalog, query_executor, code, request)
+ .unwrap_or_else(|e| WalPluginTestResponse {
+ log_lines: vec![],
+ database_writes: Default::default(),
+ errors: vec![e.to_string()],
+ });
- return Ok(plugins::run_test_wal_plugin(now, catalog, code, request).unwrap());
+ return Ok(res);
}
#[cfg(not(feature = "system-py"))]
- Err(Error::AnyhowError(anyhow::anyhow!(
+ Err(plugins::Error::AnyhowError(anyhow::anyhow!(
"system-py feature not enabled"
)))
}
diff --git a/influxdb3_write/src/write_buffer/plugins.rs b/influxdb3_write/src/write_buffer/plugins.rs
index 0855dc2c8f..ed9c571d75 100644
--- a/influxdb3_write/src/write_buffer/plugins.rs
+++ b/influxdb3_write/src/write_buffer/plugins.rs
@@ -1,6 +1,7 @@
-use crate::write_buffer::PluginEvent;
+use crate::write_buffer::{plugins, PluginEvent};
use crate::{write_buffer, WriteBuffer};
use influxdb3_client::plugin_development::{WalPluginTestRequest, WalPluginTestResponse};
+use influxdb3_internal_api::query_executor::QueryExecutor;
use influxdb3_wal::{PluginType, TriggerDefinition, TriggerSpecificationDefinition};
use std::fmt::Debug;
use std::sync::Arc;
@@ -9,6 +10,9 @@ use tokio::sync::mpsc;
#[derive(Debug, Error)]
pub enum Error {
+ #[error("invalid database {0}")]
+ InvalidDatabase(String),
+
#[error("couldn't find db")]
MissingDb,
@@ -24,6 +28,9 @@ pub enum Error {
#[error(transparent)]
AnyhowError(#[from] anyhow::Error),
+
+ #[error("reading plugin file: {0}")]
+ ReadPluginError(#[from] std::io::Error),
}
/// `[ProcessingEngineManager]` is used to interact with the processing engine,
@@ -87,7 +94,8 @@ pub trait ProcessingEngineManager: Debug + Send + Sync + 'static {
async fn test_wal_plugin(
&self,
request: WalPluginTestRequest,
- ) -> crate::Result<WalPluginTestResponse, write_buffer::Error>;
+ query_executor: Arc<dyn QueryExecutor>,
+ ) -> crate::Result<WalPluginTestResponse, plugins::Error>;
}
#[cfg(feature = "system-py")]
@@ -231,6 +239,7 @@ mod python_plugin {
pub(crate) fn run_test_wal_plugin(
now_time: iox_time::Time,
catalog: Arc<influxdb3_catalog::catalog::Catalog>,
+ query_executor: Arc<dyn QueryExecutor>,
code: String,
request: WalPluginTestRequest,
) -> Result<WalPluginTestResponse, Error> {
@@ -239,9 +248,9 @@ pub(crate) fn run_test_wal_plugin(
use data_types::NamespaceName;
use influxdb3_wal::Gen1Duration;
- const TEST_NAMESPACE: &str = "_testdb";
-
- let namespace = NamespaceName::new(TEST_NAMESPACE).unwrap();
+ let database = request.database;
+ let namespace = NamespaceName::new(database.clone())
+ .map_err(|_e| Error::InvalidDatabase(database.clone()))?;
// parse the lp into a write batch
let validator = WriteValidator::initialize(
namespace.clone(),
@@ -249,19 +258,19 @@ pub(crate) fn run_test_wal_plugin(
now_time.timestamp_nanos(),
)?;
let data = validator.v1_parse_lines_and_update_schema(
- &request.input_lp.unwrap(),
+ &request.input_lp,
false,
now_time,
Precision::Nanosecond,
)?;
let data = data.convert_lines_to_buffer(Gen1Duration::new_1m());
- let db = catalog.db_schema("_testdb").unwrap();
+ let db = catalog.db_schema(&database).ok_or(Error::MissingDb)?;
let plugin_return_state = influxdb3_py_api::system_py::execute_python_with_batch(
&code,
&data.valid_data,
db,
- Arc::clone(&catalog),
+ query_executor,
request.input_arguments,
)?;
@@ -336,7 +345,7 @@ pub(crate) fn run_test_wal_plugin(
let log_lines = plugin_return_state.log();
let mut database_writes = plugin_return_state.write_db_lines;
- database_writes.insert("_testdb".to_string(), plugin_return_state.write_back_lines);
+ database_writes.insert(database, plugin_return_state.write_back_lines);
Ok(WalPluginTestResponse {
log_lines,
@@ -353,6 +362,7 @@ mod tests {
use crate::Precision;
use data_types::NamespaceName;
use influxdb3_catalog::catalog::Catalog;
+ use influxdb3_internal_api::query_executor::UnimplementedQueryExecutor;
use iox_time::Time;
use std::collections::HashMap;
@@ -394,25 +404,32 @@ def process_writes(influxdb3_local, table_batches, args=None):
.join("\n");
let request = WalPluginTestRequest {
- name: "test".into(),
- input_lp: Some(lp),
- input_file: None,
+ filename: "test".into(),
+ database: "_testdb".into(),
+ input_lp: lp,
input_arguments: Some(HashMap::from([(
String::from("arg1"),
String::from("val1"),
)])),
};
+ let executor: Arc<dyn QueryExecutor> = Arc::new(UnimplementedQueryExecutor);
+
let response =
- run_test_wal_plugin(now, Arc::new(catalog), code.to_string(), request).unwrap();
+ run_test_wal_plugin(now, Arc::new(catalog), executor, code.to_string(), request)
+ .unwrap();
let expected_log_lines = vec![
"INFO: arg1: val1",
"INFO: table: cpu",
- "INFO: row: {'time': 100, 'fields': [{'name': 'host', 'value': 'A'}, {'name': 'region', 'value': 'west'}, {'name': 'usage', 'value': 1}, {'name': 'system', 'value': 23.2}]}",
- "INFO: table: mem", "INFO: row: {'time': 120, 'fields': [{'name': 'host', 'value': 'B'}, {'name': 'user', 'value': 43.1}]}",
+ "INFO: row: {'host': 'A', 'region': 'west', 'usage': 1, 'system': 23.2, 'time': 100}",
+ "INFO: table: mem",
+ "INFO: row: {'host': 'B', 'user': 43.1, 'time': 120}",
"INFO: done",
- ].into_iter().map(|s| s.to_string()).collect::<Vec<_>>();
+ ]
+ .into_iter()
+ .map(|s| s.to_string())
+ .collect::<Vec<_>>();
assert_eq!(response.log_lines, expected_log_lines);
let expected_testdb_lines = vec![
@@ -475,14 +492,22 @@ def process_writes(influxdb3_local, table_batches, args=None):
let lp = ["mem,host=B user=43.1 120"].join("\n");
let request = WalPluginTestRequest {
- name: "test".into(),
- input_lp: Some(lp),
- input_file: None,
+ filename: "test".into(),
+ database: "_testdb".into(),
+ input_lp: lp,
input_arguments: None,
};
- let reesponse =
- run_test_wal_plugin(now, Arc::clone(&catalog), code.to_string(), request).unwrap();
+ let executor: Arc<dyn QueryExecutor> = Arc::new(UnimplementedQueryExecutor);
+
+ let reesponse = run_test_wal_plugin(
+ now,
+ Arc::clone(&catalog),
+ executor,
+ code.to_string(),
+ request,
+ )
+ .unwrap();
let expected_testdb_lines = vec![
"some_table,tag1=tag1_value,tag2=tag2_value field1=1i,field2=2.0,field3=\"number three\""
|
4e38fbc887301b30cd159b3ab64e36e20d63fa02
|
Dom Dwyer
|
2023-07-03 14:56:21
|
configurable querier circuit breakers
|
Allow the querier's circuit breaker thresholds to be configured in test
runs - this helps speed up tests that involve hitting offline ingesters.
| null |
feat(e2e): configurable querier circuit breakers
Allow the querier's circuit breaker thresholds to be configured in test
runs - this helps speed up tests that involve hitting offline ingesters.
|
diff --git a/test_helpers_end_to_end/src/config.rs b/test_helpers_end_to_end/src/config.rs
index eaac901727..66feeec99c 100644
--- a/test_helpers_end_to_end/src/config.rs
+++ b/test_helpers_end_to_end/src/config.rs
@@ -155,6 +155,16 @@ impl TestConfig {
Self::new(ServerType::AllInOne, dsn, random_catalog_schema_name()).with_new_object_store()
}
+ /// Set the number of failed ingester queries before the querier considers
+ /// the ingester to be dead.
+ pub fn with_querier_circuit_breaker_threshold(self, count: usize) -> Self {
+ assert!(count > 0);
+ self.with_env(
+ "INFLUXDB_IOX_INGESTER_CIRCUIT_BREAKER_THRESHOLD",
+ count.to_string(),
+ )
+ }
+
/// Configure tracing capture
pub fn with_tracing(self, udp_capture: &UdpCapture) -> Self {
self.with_env("TRACES_EXPORTER", "jaeger")
|
d18d2c34e4b3692ede8504c37387947ce61cede3
|
Carol (Nichols || Goulding)
|
2023-01-31 07:55:30
|
Port measurement_names/table_names query_tests to end-to-end tests (#6757)
|
* refactor: Start a new file for measurement names tests; move the one existing test
* fix: Pass on predicate when sending a measurement names request with GrpcRequestBuilder
* feat: Support literal integer queries too
* test: Port measurement_names/table_names query_tests to end-to-end tests
* fix: merge conflict error
---------
|
Co-authored-by: Andrew Lamb <[email protected]>
Co-authored-by: kodiakhq[bot] <49736102+kodiakhq[bot]@users.noreply.github.com>
|
test: Port measurement_names/table_names query_tests to end-to-end tests (#6757)
* refactor: Start a new file for measurement names tests; move the one existing test
* fix: Pass on predicate when sending a measurement names request with GrpcRequestBuilder
* feat: Support literal integer queries too
* test: Port measurement_names/table_names query_tests to end-to-end tests
* fix: merge conflict error
---------
Co-authored-by: Andrew Lamb <[email protected]>
Co-authored-by: kodiakhq[bot] <49736102+kodiakhq[bot]@users.noreply.github.com>
|
diff --git a/influxdb_iox/tests/end_to_end_cases/querier/influxrpc/metadata.rs b/influxdb_iox/tests/end_to_end_cases/querier/influxrpc/metadata.rs
index 2f26576411..90c5873f3d 100644
--- a/influxdb_iox/tests/end_to_end_cases/querier/influxrpc/metadata.rs
+++ b/influxdb_iox/tests/end_to_end_cases/querier/influxrpc/metadata.rs
@@ -8,6 +8,7 @@ use std::sync::Arc;
use test_helpers_end_to_end::{DataGenerator, GrpcRequestBuilder, StepTestState};
mod measurement_fields;
+mod measurement_names;
#[tokio::test]
/// Validate that capabilities storage endpoint is hooked up
@@ -120,48 +121,6 @@ async fn tag_values() {
.await
}
-#[tokio::test]
-async fn measurement_names() {
- let generator = Arc::new(DataGenerator::new());
- run_data_test(
- Arc::clone(&generator),
- Box::new(move |state: &mut StepTestState| {
- let generator = Arc::clone(&generator);
- async move {
- let mut storage_client = state.cluster().querier_storage_client();
-
- let measurement_names_request = GrpcRequestBuilder::new()
- .source(state.cluster())
- .timestamp_range(generator.min_time(), generator.max_time())
- .build_measurement_names();
-
- let measurement_names_response = storage_client
- .measurement_names(measurement_names_request)
- .await
- .unwrap();
- let responses: Vec<_> = measurement_names_response
- .into_inner()
- .try_collect()
- .await
- .unwrap();
-
- let values = &responses[0].values;
- let values: Vec<_> = values
- .iter()
- .map(|s| std::str::from_utf8(s).unwrap())
- .collect();
-
- assert_eq!(
- values,
- vec!["attributes", "cpu_load_short", "status", "swap", "system"]
- );
- }
- .boxed()
- }),
- )
- .await
-}
-
#[tokio::test]
async fn measurement_tag_keys() {
let generator = Arc::new(DataGenerator::new());
diff --git a/influxdb_iox/tests/end_to_end_cases/querier/influxrpc/metadata/measurement_names.rs b/influxdb_iox/tests/end_to_end_cases/querier/influxrpc/metadata/measurement_names.rs
new file mode 100644
index 0000000000..98b7b569b1
--- /dev/null
+++ b/influxdb_iox/tests/end_to_end_cases/querier/influxrpc/metadata/measurement_names.rs
@@ -0,0 +1,240 @@
+use super::{run_data_test, InfluxRpcTest};
+use async_trait::async_trait;
+use data_types::{MAX_NANO_TIME, MIN_NANO_TIME};
+use futures::{prelude::*, FutureExt};
+use std::sync::Arc;
+use test_helpers_end_to_end::{DataGenerator, GrpcRequestBuilder, MiniCluster, StepTestState};
+
+#[tokio::test]
+async fn measurement_names() {
+ let generator = Arc::new(DataGenerator::new());
+ run_data_test(
+ Arc::clone(&generator),
+ Box::new(move |state: &mut StepTestState| {
+ let generator = Arc::clone(&generator);
+ async move {
+ let mut storage_client = state.cluster().querier_storage_client();
+
+ let measurement_names_request = GrpcRequestBuilder::new()
+ .source(state.cluster())
+ .timestamp_range(generator.min_time(), generator.max_time())
+ .build_measurement_names();
+
+ let measurement_names_response = storage_client
+ .measurement_names(measurement_names_request)
+ .await
+ .unwrap();
+ let responses: Vec<_> = measurement_names_response
+ .into_inner()
+ .try_collect()
+ .await
+ .unwrap();
+
+ let values = &responses[0].values;
+ let values: Vec<_> = values
+ .iter()
+ .map(|s| std::str::from_utf8(s).unwrap())
+ .collect();
+
+ assert_eq!(
+ values,
+ vec!["attributes", "cpu_load_short", "status", "swap", "system"]
+ );
+ }
+ .boxed()
+ }),
+ )
+ .await
+}
+
+#[tokio::test]
+async fn no_predicate() {
+ Arc::new(MeasurementNamesTest {
+ setup_name: "TwoMeasurements",
+ request: GrpcRequestBuilder::new(),
+ expected_names: vec!["cpu", "disk"],
+ })
+ .run()
+ .await;
+}
+
+#[tokio::test]
+async fn predicate_no_results() {
+ Arc::new(MeasurementNamesTest {
+ setup_name: "TwoMeasurementsManyFields",
+ // no rows pass this predicate
+ request: GrpcRequestBuilder::new().timestamp_range(10_000_000, 20_000_000),
+ expected_names: vec![],
+ })
+ .run()
+ .await;
+}
+
+#[tokio::test]
+async fn predicate_no_non_null_results() {
+ // only a single row with a null field passes this predicate (expect no table names)
+ Arc::new(MeasurementNamesTest {
+ setup_name: "TwoMeasurementsManyFields",
+ // no rows pass this predicate
+ request: GrpcRequestBuilder::new()
+ // only get last row of o2 (timestamp = 300)
+ .timestamp_range(200, 400)
+ // model predicate like _field='reading' which last row does not have
+ .field_predicate("reading")
+ .measurement_predicate("o2"),
+ expected_names: vec![],
+ })
+ .run()
+ .await;
+}
+
+#[tokio::test]
+async fn generic_plan_predicate_no_non_null_results() {
+ // only a single row with a null field passes this predicate (expect no table names) -- has a
+ // general purpose predicate to force a generic plan
+ Arc::new(MeasurementNamesTest {
+ setup_name: "TwoMeasurementsManyFields",
+ request: GrpcRequestBuilder::new()
+ // only get last row of o2 (timestamp = 300)
+ .timestamp_range(200, 400)
+ // model predicate like _field='reading' which last row does not have
+ .field_predicate("reading")
+ .measurement_predicate("o2")
+ .tag_predicate("state", "CA"),
+ expected_names: vec![],
+ })
+ .run()
+ .await;
+}
+
+#[tokio::test]
+async fn timestamp_range_includes_all_measurements() {
+ Arc::new(MeasurementNamesTest {
+ setup_name: "TwoMeasurements",
+ request: GrpcRequestBuilder::new().timestamp_range(0, 201),
+ expected_names: vec!["cpu", "disk"],
+ })
+ .run()
+ .await;
+}
+
+#[tokio::test]
+async fn timestamp_range_includes_some_measurements() {
+ Arc::new(MeasurementNamesTest {
+ setup_name: "TwoMeasurements",
+ request: GrpcRequestBuilder::new().timestamp_range(0, 200),
+ expected_names: vec!["cpu"],
+ })
+ .run()
+ .await;
+}
+
+#[tokio::test]
+async fn timestamp_range_includes_no_measurements() {
+ Arc::new(MeasurementNamesTest {
+ setup_name: "TwoMeasurements",
+ request: GrpcRequestBuilder::new().timestamp_range(250, 350),
+ expected_names: vec![],
+ })
+ .run()
+ .await;
+}
+
+#[tokio::test]
+async fn timestamp_range_max_time_included() {
+ Arc::new(MeasurementNamesTest {
+ setup_name: "MeasurementWithMaxTime",
+ request: GrpcRequestBuilder::new().timestamp_range(MIN_NANO_TIME + 1, MAX_NANO_TIME + 1),
+ expected_names: vec!["cpu"],
+ })
+ .run()
+ .await;
+}
+
+#[tokio::test]
+async fn timestamp_range_max_time_excluded() {
+ Arc::new(MeasurementNamesTest {
+ setup_name: "MeasurementWithMaxTime",
+ request: GrpcRequestBuilder::new().timestamp_range(MIN_NANO_TIME + 1, MAX_NANO_TIME),
+ expected_names: vec![],
+ })
+ .run()
+ .await;
+}
+
+#[tokio::test]
+async fn timestamp_range_all_time() {
+ Arc::new(MeasurementNamesTest {
+ setup_name: "MeasurementWithMaxTime",
+ request: GrpcRequestBuilder::new().timestamp_range(MIN_NANO_TIME, MAX_NANO_TIME + 1),
+ expected_names: vec!["cpu"],
+ })
+ .run()
+ .await;
+}
+
+#[tokio::test]
+async fn periods() {
+ Arc::new(MeasurementNamesTest {
+ setup_name: "PeriodsInNames",
+ request: GrpcRequestBuilder::new().timestamp_range(MIN_NANO_TIME, MAX_NANO_TIME + 1),
+ expected_names: vec!["measurement.one"],
+ })
+ .run()
+ .await;
+}
+
+#[tokio::test]
+async fn generic_predicate() {
+ Arc::new(MeasurementNamesTest {
+ setup_name: "TwoMeasurements",
+ request: GrpcRequestBuilder::new()
+ .field_predicate("bytes")
+ .field_value_predicate(99),
+ expected_names: vec!["disk"],
+ })
+ .run()
+ .await;
+}
+
+#[derive(Debug)]
+struct MeasurementNamesTest {
+ setup_name: &'static str,
+ request: GrpcRequestBuilder,
+ expected_names: Vec<&'static str>,
+}
+
+#[async_trait]
+impl InfluxRpcTest for MeasurementNamesTest {
+ fn setup_name(&self) -> &'static str {
+ self.setup_name
+ }
+
+ async fn request_and_assert(&self, cluster: &MiniCluster) {
+ let mut storage_client = cluster.querier_storage_client();
+
+ let measurement_names_request = self
+ .request
+ .clone()
+ .source(cluster)
+ .build_measurement_names();
+
+ let measurement_names_response = storage_client
+ .measurement_names(measurement_names_request)
+ .await
+ .unwrap();
+ let responses: Vec<_> = measurement_names_response
+ .into_inner()
+ .try_collect()
+ .await
+ .unwrap();
+
+ let names = &responses[0].values;
+ let names: Vec<_> = names
+ .iter()
+ .map(|s| std::str::from_utf8(s).unwrap())
+ .collect();
+
+ assert_eq!(names, self.expected_names);
+ }
+}
diff --git a/query_tests/src/influxrpc.rs b/query_tests/src/influxrpc.rs
index 2534d4f5a4..cee32e0013 100644
--- a/query_tests/src/influxrpc.rs
+++ b/query_tests/src/influxrpc.rs
@@ -1,4 +1,3 @@
-pub mod table_names;
pub mod tag_keys;
pub mod tag_values;
pub mod util;
diff --git a/query_tests/src/influxrpc/table_names.rs b/query_tests/src/influxrpc/table_names.rs
deleted file mode 100644
index e171c4fc9d..0000000000
--- a/query_tests/src/influxrpc/table_names.rs
+++ /dev/null
@@ -1,180 +0,0 @@
-//! Tests for the Influx gRPC queries
-use crate::scenarios::*;
-use data_types::{MAX_NANO_TIME, MIN_NANO_TIME};
-use datafusion::prelude::{col, lit};
-use iox_query::{
- exec::stringset::{IntoStringSet, StringSetRef},
- frontend::influxrpc::InfluxRpcPlanner,
-};
-use predicate::{rpc_predicate::InfluxRpcPredicate, Predicate};
-
-/// runs table_names(predicate) and compares it to the expected
-/// output
-async fn run_table_names_test_case<D>(
- db_setup: D,
- predicate: InfluxRpcPredicate,
- expected_names: Vec<&str>,
-) where
- D: DbSetup,
-{
- test_helpers::maybe_start_logging();
-
- for scenario in db_setup.make().await {
- let DbScenario {
- scenario_name, db, ..
- } = scenario;
- println!("Running scenario '{}'", scenario_name);
- println!("Predicate: '{:#?}'", predicate);
- let ctx = db.new_query_context(None);
- let planner = InfluxRpcPlanner::new(ctx.child_ctx("planner"));
-
- let plan = planner
- .table_names(db.as_query_namespace_arc(), predicate.clone())
- .await
- .expect("built plan successfully");
-
- let names = ctx
- .to_string_set(plan)
- .await
- .expect("converted plan to strings successfully");
-
- assert_eq!(
- names,
- to_stringset(&expected_names),
- "Error in scenario '{}'\n\nexpected:\n{:?}\nactual:\n{:?}",
- scenario_name,
- expected_names,
- names
- );
- }
-}
-
-#[tokio::test]
-async fn list_table_names_no_data_pred() {
- run_table_names_test_case(
- TwoMeasurements {},
- InfluxRpcPredicate::default(),
- vec!["cpu", "disk"],
- )
- .await;
-}
-
-#[tokio::test]
-async fn list_table_names_no_data_passes() {
- // no rows pass this predicate
- run_table_names_test_case(
- TwoMeasurementsManyFields {},
- tsp(10000000, 20000000),
- vec![],
- )
- .await;
-}
-
-#[tokio::test]
-async fn list_table_names_no_non_null_data_passes() {
- // only a single row with a null field passes this predicate (expect no table names)
- let predicate = Predicate::default()
- // only get last row of o2 (timestamp = 300)
- .with_range(200, 400)
- // model predicate like _field='reading' which last row does not have
- .with_field_columns(vec!["reading"]);
- let predicate = InfluxRpcPredicate::new_table("o2", predicate);
-
- run_table_names_test_case(TwoMeasurementsManyFields {}, predicate, vec![]).await;
-}
-
-#[tokio::test]
-async fn list_table_names_no_non_null_general_data_passes() {
- // only a single row with a null field passes this predicate
- // (expect no table names) -- has a general purpose predicate to
- // force a generic plan
- let predicate = Predicate::default()
- // only get last row of o2 (timestamp = 300)
- .with_range(200, 400)
- // model predicate like _field='reading' which last row does not have
- .with_field_columns(vec!["reading"])
- // (state = CA) OR (temp > 50)
- .with_expr(col("state").eq(lit("CA")).or(col("temp").gt(lit(50))));
- let predicate = InfluxRpcPredicate::new_table("o2", predicate);
-
- run_table_names_test_case(TwoMeasurementsManyFields {}, predicate, vec![]).await;
-}
-
-#[tokio::test]
-async fn list_table_names_data_pred_0_201() {
- run_table_names_test_case(TwoMeasurements {}, tsp(0, 201), vec!["cpu", "disk"]).await;
-}
-
-#[tokio::test]
-async fn list_table_names_data_pred_0_200() {
- run_table_names_test_case(TwoMeasurements {}, tsp(0, 200), vec!["cpu"]).await;
-}
-
-#[tokio::test]
-async fn list_table_names_data_pred_50_101() {
- run_table_names_test_case(TwoMeasurements {}, tsp(50, 101), vec!["cpu"]).await;
-}
-
-#[tokio::test]
-async fn list_table_names_data_pred_101_160() {
- run_table_names_test_case(TwoMeasurements {}, tsp(101, 160), vec!["cpu"]).await;
-}
-
-#[tokio::test]
-async fn list_table_names_data_pred_250_300() {
- run_table_names_test_case(TwoMeasurements {}, tsp(250, 300), vec![]).await;
-}
-
-#[tokio::test]
-async fn list_table_names_max_time_included() {
- run_table_names_test_case(
- MeasurementWithMaxTime {},
- tsp(MIN_NANO_TIME + 1, MAX_NANO_TIME + 1),
- vec!["cpu"],
- )
- .await;
-}
-
-#[tokio::test]
-async fn list_table_names_max_time_excluded() {
- run_table_names_test_case(
- MeasurementWithMaxTime {},
- // outside valid timestamp range
- tsp(MIN_NANO_TIME + 1, MAX_NANO_TIME),
- vec![],
- )
- .await;
-}
-
-#[tokio::test]
-async fn list_table_names_all_time() {
- run_table_names_test_case(
- MeasurementWithMaxTime {},
- tsp(MIN_NANO_TIME, MAX_NANO_TIME + 1),
- vec!["cpu"],
- )
- .await;
-}
-
-#[tokio::test]
-async fn list_table_names_with_periods() {
- run_table_names_test_case(
- PeriodsInNames {},
- tsp(MIN_NANO_TIME, MAX_NANO_TIME + 1),
- vec!["measurement.one"],
- )
- .await;
-}
-
-// Note when table names supports general purpose predicates, add a
-// test here with a `_measurement` predicate
-// https://github.com/influxdata/influxdb_iox/issues/762
-
-// make a single timestamp predicate between r1 and r2
-fn tsp(r1: i64, r2: i64) -> InfluxRpcPredicate {
- InfluxRpcPredicate::new(None, Predicate::default().with_range(r1, r2))
-}
-
-fn to_stringset(v: &[&str]) -> StringSetRef {
- v.into_stringset().unwrap()
-}
diff --git a/test_helpers_end_to_end/src/grpc.rs b/test_helpers_end_to_end/src/grpc.rs
index 7934dc9d95..3cd14dae1e 100644
--- a/test_helpers_end_to_end/src/grpc.rs
+++ b/test_helpers_end_to_end/src/grpc.rs
@@ -42,11 +42,22 @@ impl GrpcLiteral for f64 {
}
}
+impl GrpcLiteral for i64 {
+ fn make_node(&self) -> Node {
+ Node {
+ node_type: NodeType::Literal.into(),
+ children: vec![],
+ value: Some(Value::IntValue(*self)),
+ }
+ }
+}
+
impl GrpcLiteral for &str {
fn make_node(&self) -> Node {
string_value_node(*self)
}
}
+
impl GrpcLiteral for &String {
fn make_node(&self) -> Node {
string_value_node(self.as_str())
@@ -391,7 +402,7 @@ impl GrpcRequestBuilder {
tonic::Request::new(MeasurementNamesRequest {
source: self.read_source,
range: self.range,
- predicate: None,
+ predicate: self.predicate,
})
}
|
855e8bb34c467d779feb8256038a1c2f939e8f82
|
Dom Dwyer
|
2023-08-24 12:20:51
|
define CompactionEvent protobuf
|
This commit adds the CompactionEvent protobuf type that'll be gossiped
between peers to provide a (compact) description of completed
compactions.
| null |
feat(gossip): define CompactionEvent protobuf
This commit adds the CompactionEvent protobuf type that'll be gossiped
between peers to provide a (compact) description of completed
compactions.
|
diff --git a/generated_types/build.rs b/generated_types/build.rs
index a3d53af1a1..ffbc45f995 100644
--- a/generated_types/build.rs
+++ b/generated_types/build.rs
@@ -57,6 +57,7 @@ fn generate_grpc_types(root: &Path) -> Result<()> {
catalog_path.join("service.proto"),
compactor_path.join("service.proto"),
delete_path.join("service.proto"),
+ gossip_path.join("compaction.proto"),
gossip_path.join("parquet_file.proto"),
gossip_path.join("schema.proto"),
gossip_path.join("schema_sync.proto"),
diff --git a/generated_types/protos/influxdata/iox/gossip/v1/compaction.proto b/generated_types/protos/influxdata/iox/gossip/v1/compaction.proto
new file mode 100644
index 0000000000..936a216646
--- /dev/null
+++ b/generated_types/protos/influxdata/iox/gossip/v1/compaction.proto
@@ -0,0 +1,31 @@
+syntax = "proto3";
+package influxdata.iox.gossip.v1;
+option go_package = "github.com/influxdata/iox/gossip/v1";
+
+import "influxdata/iox/catalog/v1/parquet_file.proto";
+
+// Notification of a compaction round completion.
+//
+// This message defines the output of the compaction round - the files deleted,
+// upgraded, and created. Deleted and upgraded files are addressed by their
+// catalog row IDs ("parquet file ID"), while newly created files are provided
+// with their enitre metadata.
+//
+// # Atomicity
+//
+// This message is atomic - it describes the output of a single compaction job
+// in its entirety. It is never split into multiple messages.
+message CompactionEvent {
+ // Files that were deleted by this compaction event, addressed by their
+ // parquet row ID in the catalog.
+ repeated int64 deleted_file_ids = 1;
+
+ // The set of parquet catalog row IDs that were upgraded to
+ // `upgraded_target_level` as part of this compaction event.
+ int64 upgraded_target_level = 2;
+ repeated int64 updated_file_ids = 3;
+
+ // The set of newly created parquet files that were output by this compaction
+ // event.
+ repeated influxdata.iox.catalog.v1.ParquetFile new_files = 4;
+}
|
0d7393f2c1133413af862cf4f70603eba7b82a46
|
Carol (Nichols || Goulding)
|
2023-03-30 12:36:08
|
Merge pull request #7369 from influxdata/cn/parquet-file-saved-status
|
This reverts commit c320ed11d4d5e533edef54835cfa60a1d7f34c4d, reversing
changes made to 555f2a67aa1299eee537af8dc461638c7209f053.
| null |
revert: Merge pull request #7369 from influxdata/cn/parquet-file-saved-status
This reverts commit c320ed11d4d5e533edef54835cfa60a1d7f34c4d, reversing
changes made to 555f2a67aa1299eee537af8dc461638c7209f053.
|
diff --git a/compactor2/src/compactor.rs b/compactor2/src/compactor.rs
index b57635e109..87a3642676 100644
--- a/compactor2/src/compactor.rs
+++ b/compactor2/src/compactor.rs
@@ -56,12 +56,7 @@ impl Compactor2 {
tokio::select! {
_ = shutdown_captured.cancelled() => {}
_ = async {
- compact(
- config.partition_concurrency,
- config.partition_timeout,
- Arc::clone(&job_semaphore),
- &components
- ).await;
+ compact(config.partition_concurrency, config.partition_timeout, Arc::clone(&job_semaphore), &components).await;
info!("compactor done");
} => {}
diff --git a/compactor2/src/components/hardcoded.rs b/compactor2/src/components/hardcoded.rs
index 2d1020780e..36cc60e620 100644
--- a/compactor2/src/components/hardcoded.rs
+++ b/compactor2/src/components/hardcoded.rs
@@ -191,10 +191,7 @@ pub fn hardcoded_components(config: &Config) -> Arc<Components> {
.filter(|kind| {
// use explicit match statement so we never forget to add new variants
match kind {
- ErrorKind::OutOfMemory
- | ErrorKind::Timeout
- | ErrorKind::ConcurrentModification
- | ErrorKind::Unknown => true,
+ ErrorKind::OutOfMemory | ErrorKind::Timeout | ErrorKind::Unknown => true,
ErrorKind::ObjectStore => false,
}
})
diff --git a/compactor2/src/driver.rs b/compactor2/src/driver.rs
index 8ea00f9242..831f0b6324 100644
--- a/compactor2/src/driver.rs
+++ b/compactor2/src/driver.rs
@@ -15,7 +15,7 @@ use crate::{
},
error::{DynError, ErrorKind, SimpleError},
file_classification::{FileClassification, FilesForProgress, FilesToSplitOrCompact},
- partition_info::{PartitionInfo, SavedParquetFileState},
+ partition_info::PartitionInfo,
PlanIR,
};
@@ -219,12 +219,6 @@ async fn try_compact_partition(
let mut files_next = files_later;
// loop for each "Branch"
for branch in branches {
- // Keep the current state as a check to make sure this is the only compactor modifying this partition's
- // files. Check that the catalog state matches this before committing and, if it doesn't match, throw away
- // the compaction work we've done.
- let saved_parquet_file_state =
- fetch_and_save_parquet_file_state(&components, partition_id).await;
-
let input_paths: Vec<ParquetFilePath> =
branch.iter().map(ParquetFilePath::from).collect();
@@ -282,13 +276,12 @@ async fn try_compact_partition(
let (created_files, upgraded_files) = update_catalog(
Arc::clone(&components),
partition_id,
- saved_parquet_file_state,
files_to_delete,
upgrade,
created_file_params,
target_level,
)
- .await?;
+ .await;
// Extend created files, upgraded files and files_to_keep to files_next
files_next.extend(created_files);
@@ -416,41 +409,17 @@ async fn upload_files_to_object_store(
.collect()
}
-async fn fetch_and_save_parquet_file_state(
- components: &Components,
- partition_id: PartitionId,
-) -> SavedParquetFileState {
- let catalog_files = components.partition_files_source.fetch(partition_id).await;
- SavedParquetFileState::from(&catalog_files)
-}
-
/// Update the catalog to create, soft delete and upgrade corresponding given input
/// to provided target level
/// Return created and upgraded files
async fn update_catalog(
components: Arc<Components>,
partition_id: PartitionId,
- saved_parquet_file_state: SavedParquetFileState,
files_to_delete: Vec<ParquetFile>,
files_to_upgrade: Vec<ParquetFile>,
file_params_to_create: Vec<ParquetFileParams>,
target_level: CompactionLevel,
-) -> Result<(Vec<ParquetFile>, Vec<ParquetFile>), DynError> {
- let current_parquet_file_state =
- fetch_and_save_parquet_file_state(&components, partition_id).await;
-
- if saved_parquet_file_state != current_parquet_file_state {
- // Someone else has changed the files in the catalog since we started compacting; throw away our work and
- // don't commit anything.
- return Err(Box::new(SimpleError::new(
- ErrorKind::ConcurrentModification,
- format!(
- "Parquet files for partition {partition_id} have been modified since compaction started. \
- Saved: {saved_parquet_file_state:?} != Current: {current_parquet_file_state:?}"
- ),
- )));
- }
-
+) -> (Vec<ParquetFile>, Vec<ParquetFile>) {
let created_ids = components
.commit
.commit(
@@ -478,5 +447,5 @@ async fn update_catalog(
})
.collect::<Vec<_>>();
- Ok((created_file_params, upgraded_files))
+ (created_file_params, upgraded_files)
}
diff --git a/compactor2/src/error.rs b/compactor2/src/error.rs
index aed1982a35..3ae7be1b2b 100644
--- a/compactor2/src/error.rs
+++ b/compactor2/src/error.rs
@@ -23,12 +23,6 @@ pub enum ErrorKind {
/// Partition took too long.
Timeout,
- /// Concurrent modification.
- ///
- /// This compactor instance expected to be the only process working on this partition's Parquet files, but the
- /// Parquet files were modified while the compactor was doing work, so the work was thrown away and not committed.
- ConcurrentModification,
-
/// Unknown/unexpected error.
///
/// This will likely mark the affected partition as "skipped" and the compactor will no longer touch it.
@@ -42,7 +36,6 @@ impl ErrorKind {
Self::ObjectStore,
Self::OutOfMemory,
Self::Timeout,
- Self::ConcurrentModification,
Self::Unknown,
]
}
@@ -53,7 +46,6 @@ impl ErrorKind {
Self::ObjectStore => "object_store",
Self::OutOfMemory => "out_of_memory",
Self::Timeout => "timeout",
- Self::ConcurrentModification => "concurrent_modification",
Self::Unknown => "unknown",
}
}
diff --git a/compactor2/src/partition_info.rs b/compactor2/src/partition_info.rs
index 54835d0fe2..ada8b2da31 100644
--- a/compactor2/src/partition_info.rs
+++ b/compactor2/src/partition_info.rs
@@ -2,10 +2,7 @@
use std::sync::Arc;
-use data_types::{
- CompactionLevel, NamespaceId, ParquetFile, ParquetFileId, PartitionId, PartitionKey, Table,
- TableSchema,
-};
+use data_types::{NamespaceId, PartitionId, PartitionKey, Table, TableSchema};
use schema::sort::SortKey;
/// Information about the Partition being compacted
@@ -39,149 +36,3 @@ impl PartitionInfo {
self.table_schema.column_count()
}
}
-
-/// Saved snapshot of a partition's Parquet files' IDs and compaction levels. Save this state at the beginning of a
-/// compaction operation, then just before committing ask for the state again. If the two saved states are identical,
-/// we assume no other compactor instance has compacted this partition and this compactor instance should commit its
-/// work. If the two saved states differ, throw away the work and do not commit as the Parquet files have been changed
-/// by some other process while this compactor instance was working.
-#[derive(Debug, Clone, PartialEq)]
-pub(crate) struct SavedParquetFileState {
- ids_and_levels: Vec<(ParquetFileId, CompactionLevel)>,
-}
-
-impl<'a, T> From<T> for SavedParquetFileState
-where
- T: IntoIterator<Item = &'a ParquetFile>,
-{
- fn from(parquet_files: T) -> Self {
- let mut ids_and_levels: Vec<_> = parquet_files
- .into_iter()
- .map(|pf| (pf.id, pf.compaction_level))
- .collect();
-
- ids_and_levels.sort();
-
- Self { ids_and_levels }
- }
-}
-
-#[cfg(test)]
-mod tests {
- use super::*;
- use iox_tests::ParquetFileBuilder;
-
- #[test]
- fn saved_state_sorts_by_parquet_file_id() {
- let pf_id1_level_0 = ParquetFileBuilder::new(1)
- .with_compaction_level(CompactionLevel::Initial)
- .build();
- let pf_id2_level_2 = ParquetFileBuilder::new(2)
- .with_compaction_level(CompactionLevel::Final)
- .build();
- let pf_id3_level_1 = ParquetFileBuilder::new(3)
- .with_compaction_level(CompactionLevel::FileNonOverlapped)
- .build();
-
- let saved_state_1 =
- SavedParquetFileState::from([&pf_id1_level_0, &pf_id2_level_2, &pf_id3_level_1]);
- let saved_state_2 =
- SavedParquetFileState::from([&pf_id3_level_1, &pf_id1_level_0, &pf_id2_level_2]);
-
- assert_eq!(saved_state_1, saved_state_2);
- }
-
- #[test]
- fn both_empty_parquet_files() {
- let saved_state_1 = SavedParquetFileState::from([]);
- let saved_state_2 = SavedParquetFileState::from([]);
-
- assert_eq!(saved_state_1, saved_state_2);
- }
-
- #[test]
- fn one_empty_parquet_files() {
- let pf_id1_level_0 = ParquetFileBuilder::new(1)
- .with_compaction_level(CompactionLevel::Initial)
- .build();
-
- let saved_state_1 = SavedParquetFileState::from([&pf_id1_level_0]);
- let saved_state_2 = SavedParquetFileState::from([]);
-
- assert_ne!(saved_state_1, saved_state_2);
- }
-
- #[test]
- fn missing_files_not_equal() {
- let pf_id1_level_0 = ParquetFileBuilder::new(1)
- .with_compaction_level(CompactionLevel::Initial)
- .build();
- let pf_id2_level_2 = ParquetFileBuilder::new(2)
- .with_compaction_level(CompactionLevel::Final)
- .build();
- let pf_id3_level_1 = ParquetFileBuilder::new(3)
- .with_compaction_level(CompactionLevel::FileNonOverlapped)
- .build();
-
- let saved_state_1 =
- SavedParquetFileState::from([&pf_id1_level_0, &pf_id2_level_2, &pf_id3_level_1]);
- let saved_state_2 = SavedParquetFileState::from([&pf_id3_level_1, &pf_id1_level_0]);
-
- assert_ne!(saved_state_1, saved_state_2);
- }
-
- #[test]
- fn additional_files_not_equal() {
- let pf_id1_level_0 = ParquetFileBuilder::new(1)
- .with_compaction_level(CompactionLevel::Initial)
- .build();
- let pf_id2_level_2 = ParquetFileBuilder::new(2)
- .with_compaction_level(CompactionLevel::Final)
- .build();
- let pf_id3_level_1 = ParquetFileBuilder::new(3)
- .with_compaction_level(CompactionLevel::FileNonOverlapped)
- .build();
-
- let saved_state_1 = SavedParquetFileState::from([&pf_id3_level_1, &pf_id1_level_0]);
- let saved_state_2 =
- SavedParquetFileState::from([&pf_id1_level_0, &pf_id2_level_2, &pf_id3_level_1]);
-
- assert_ne!(saved_state_1, saved_state_2);
- }
-
- #[test]
- fn changed_compaction_level_not_equal() {
- let pf_id1_level_0 = ParquetFileBuilder::new(1)
- .with_compaction_level(CompactionLevel::Initial)
- .build();
- let pf_id1_level_1 = ParquetFileBuilder::new(1)
- .with_compaction_level(CompactionLevel::FileNonOverlapped)
- .build();
- let pf_id2_level_2 = ParquetFileBuilder::new(2)
- .with_compaction_level(CompactionLevel::Final)
- .build();
-
- let saved_state_1 = SavedParquetFileState::from([&pf_id1_level_0, &pf_id2_level_2]);
- let saved_state_2 = SavedParquetFileState::from([&pf_id1_level_1, &pf_id2_level_2]);
-
- assert_ne!(saved_state_1, saved_state_2);
- }
-
- #[test]
- fn same_number_of_files_different_ids_not_equal() {
- let pf_id1_level_0 = ParquetFileBuilder::new(1)
- .with_compaction_level(CompactionLevel::Initial)
- .build();
- let pf_id2_level_0 = ParquetFileBuilder::new(2)
- .with_compaction_level(CompactionLevel::Initial)
- .build();
- let pf_id3_level_2 = ParquetFileBuilder::new(3)
- .with_compaction_level(CompactionLevel::Final)
- .build();
-
- let saved_state_1 = SavedParquetFileState::from([&pf_id1_level_0, &pf_id3_level_2]);
- let saved_state_2 = SavedParquetFileState::from([&pf_id2_level_0, &pf_id3_level_2]);
-
- assert_ne!(saved_state_1, saved_state_2);
- }
-}
|
789aab2f5dd0d2a8c8d7852e343100b7b7b57f4c
|
Stuart Carnie
|
2023-04-27 08:07:40
|
Rewriter is now smarter for subqueries
|
Rewriter drops `MeasurementSelection` entries from the `FROM` clause
that do not project any fields directly from a measurement. Subqueries
are an exception, such that an outer query may project only tags
from the inner subquery.
| null |
feat: Rewriter is now smarter for subqueries
Rewriter drops `MeasurementSelection` entries from the `FROM` clause
that do not project any fields directly from a measurement. Subqueries
are an exception, such that an outer query may project only tags
from the inner subquery.
|
diff --git a/iox_query_influxql/src/plan/rewriter.rs b/iox_query_influxql/src/plan/rewriter.rs
index c1e0dd21c5..08a05f9bc0 100644
--- a/iox_query_influxql/src/plan/rewriter.rs
+++ b/iox_query_influxql/src/plan/rewriter.rs
@@ -1,7 +1,7 @@
#![allow(dead_code)]
use crate::plan::expr_type_evaluator::evaluate_type;
-use crate::plan::field::field_name;
+use crate::plan::field::{field_by_name, field_name};
use crate::plan::field_mapper::{field_and_dimensions, FieldTypeMap, TagSet};
use crate::plan::{error, util, SchemaProvider};
use datafusion::common::{DataFusionError, Result};
@@ -21,7 +21,7 @@ use std::collections::{HashMap, HashSet};
use std::ops::{ControlFlow, Deref};
/// Recursively expand the `from` clause of `stmt` and any subqueries.
-fn rewrite_from(s: &dyn SchemaProvider, stmt: &mut SelectStatement) -> Result<()> {
+fn from_expand_wildcards(s: &dyn SchemaProvider, stmt: &mut SelectStatement) -> Result<()> {
let mut new_from = Vec::new();
for ms in stmt.from.iter() {
match ms {
@@ -53,7 +53,7 @@ fn rewrite_from(s: &dyn SchemaProvider, stmt: &mut SelectStatement) -> Result<()
},
MeasurementSelection::Subquery(q) => {
let mut q = *q.clone();
- rewrite_from(s, &mut q)?;
+ from_expand_wildcards(s, &mut q)?;
new_from.push(MeasurementSelection::Subquery(Box::new(q)))
}
}
@@ -62,6 +62,57 @@ fn rewrite_from(s: &dyn SchemaProvider, stmt: &mut SelectStatement) -> Result<()
Ok(())
}
+/// Recursively drop any measurements of the `from` clause of `stmt` that do not project
+/// any fields.
+fn from_drop_empty(s: &dyn SchemaProvider, stmt: &mut SelectStatement) {
+ use schema::InfluxColumnType;
+ let mut from = stmt.from.take();
+ from.retain_mut(|ms| {
+ match ms {
+ MeasurementSelection::Name(QualifiedMeasurementName {
+ name: MeasurementName::Name(name),
+ ..
+ }) => {
+ // drop any measurements that have no matching fields in the
+ // projection
+
+ if let Some(table) = s.table_schema(name.deref()) {
+ stmt.fields.iter().any(|f| {
+ walk_expr(&f.expr, &mut |e| {
+ if matches!(e, Expr::VarRef(VarRef { name, ..}) if matches!(table.field_type_by_name(name.deref()), Some(InfluxColumnType::Field(_)))) {
+ ControlFlow::Break(())
+ } else {
+ ControlFlow::Continue(())
+ }
+ }).is_break()
+ })
+ } else {
+ false
+ }
+ }
+ MeasurementSelection::Subquery(q) => {
+ from_drop_empty(s, q);
+ if q.from.is_empty() {
+ return false;
+ }
+
+ stmt.fields.iter().any(|f| {
+ walk_expr(&f.expr, &mut |e| {
+ if matches!(e, Expr::VarRef(VarRef{ name, ..}) if matches!(field_by_name(q, name.deref()), Some(_))) {
+ ControlFlow::Break(())
+ } else {
+ ControlFlow::Continue(())
+ }
+ }).is_break()
+ })
+ },
+ _ => unreachable!("wildcards should have been expanded"),
+ }
+ });
+
+ stmt.from.replace(from);
+}
+
/// Determine the merged fields and tags of the `FROM` clause.
fn from_field_and_dimensions(
s: &dyn SchemaProvider,
@@ -186,11 +237,11 @@ fn has_wildcards(stmt: &SelectStatement) -> (bool, bool) {
/// underlying schema.
///
/// Derived from [Go implementation](https://github.com/influxdata/influxql/blob/1ba470371ec093d57a726b143fe6ccbacf1b452b/ast.go#L1185).
-fn rewrite_field_list(s: &dyn SchemaProvider, stmt: &mut SelectStatement) -> Result<()> {
+fn field_list_expand_wildcards(s: &dyn SchemaProvider, stmt: &mut SelectStatement) -> Result<()> {
// Iterate through the `FROM` clause and rewrite any subqueries first.
for ms in stmt.from.iter_mut() {
if let MeasurementSelection::Subquery(subquery) = ms {
- rewrite_field_list(s, subquery)?;
+ field_list_expand_wildcards(s, subquery)?;
}
}
@@ -454,7 +505,7 @@ fn rewrite_field_list(s: &dyn SchemaProvider, stmt: &mut SelectStatement) -> Res
/// [original implementation]. The names are assigned to the `alias` field of the [`Field`] struct.
///
/// [original implementation]: https://github.com/influxdata/influxql/blob/1ba470371ec093d57a726b143fe6ccbacf1b452b/ast.go#L1651
-fn rewrite_field_list_aliases(field_list: &mut FieldList) -> Result<()> {
+fn field_list_rewrite_aliases(field_list: &mut FieldList) -> Result<()> {
let names = field_list.iter().map(field_name).collect::<Vec<_>>();
let mut column_aliases = HashMap::<&str, _>::from_iter(names.iter().map(|f| (f.as_str(), 0)));
names
@@ -493,9 +544,10 @@ pub(crate) fn rewrite_statement(
q: &SelectStatement,
) -> Result<SelectStatement> {
let mut stmt = q.clone();
- rewrite_from(s, &mut stmt)?;
- rewrite_field_list(s, &mut stmt)?;
- rewrite_field_list_aliases(&mut stmt.fields)?;
+ from_expand_wildcards(s, &mut stmt)?;
+ field_list_expand_wildcards(s, &mut stmt)?;
+ from_drop_empty(s, &mut stmt);
+ field_list_rewrite_aliases(&mut stmt.fields)?;
Ok(stmt)
}
@@ -1552,14 +1604,30 @@ mod test {
let stmt = rewrite_statement(&namespace, &stmt).unwrap();
assert_eq!(stmt.to_string(), "SELECT usage_user::float AS usage_user_1, usage_user::float AS usage_user, usage_user::float AS usage_user_3, usage_user::float AS usage_user_2, usage_user::float AS usage_user_4, usage_user_2 AS usage_user_2_1 FROM cpu");
+ // Only include measurements with at least one field projection
+ let stmt = parse_select("SELECT usage_idle FROM cpu, disk");
+ let stmt = rewrite_statement(&namespace, &stmt).unwrap();
+ assert_eq!(
+ stmt.to_string(),
+ "SELECT usage_idle::float AS usage_idle FROM cpu"
+ );
+
// Rewriting FROM clause
- // Regex, match
+ // Regex, match, fields from multiple measurements
+ let stmt = parse_select("SELECT bytes_free, bytes_read FROM /d/");
+ let stmt = rewrite_statement(&namespace, &stmt).unwrap();
+ assert_eq!(
+ stmt.to_string(),
+ "SELECT bytes_free::integer AS bytes_free, bytes_read::integer AS bytes_read FROM disk, diskio"
+ );
+
+ // Regex matches multiple measurement, but only one has a matching field
let stmt = parse_select("SELECT bytes_free FROM /d/");
let stmt = rewrite_statement(&namespace, &stmt).unwrap();
assert_eq!(
stmt.to_string(),
- "SELECT bytes_free::integer AS bytes_free FROM disk, diskio"
+ "SELECT bytes_free::integer AS bytes_free FROM disk"
);
// Exact, no match
@@ -1598,13 +1666,18 @@ mod test {
);
// Selective wildcard for tags
- let stmt = parse_select("SELECT *::tag FROM cpu");
+ let stmt = parse_select("SELECT *::tag, usage_idle FROM cpu");
let stmt = rewrite_statement(&namespace, &stmt).unwrap();
assert_eq!(
stmt.to_string(),
- "SELECT cpu::tag AS cpu, host::tag AS host, region::tag AS region FROM cpu"
+ "SELECT cpu::tag AS cpu, host::tag AS host, region::tag AS region, usage_idle::float AS usage_idle FROM cpu"
);
+ // Selective wildcard for tags only should not select any measurements
+ let stmt = parse_select("SELECT *::tag FROM cpu");
+ let stmt = rewrite_statement(&namespace, &stmt).unwrap();
+ assert!(stmt.from.is_empty());
+
// Selective wildcard for fields
let stmt = parse_select("SELECT *::field FROM cpu");
let stmt = rewrite_statement(&namespace, &stmt).unwrap();
@@ -1671,37 +1744,53 @@ mod test {
);
// Subquery, regex, match
- let stmt = parse_select("SELECT bytes_free FROM (SELECT bytes_free FROM /d/)");
+ let stmt = parse_select("SELECT bytes_free FROM (SELECT bytes_free, bytes_read FROM /d/)");
let stmt = rewrite_statement(&namespace, &stmt).unwrap();
assert_eq!(
stmt.to_string(),
- "SELECT bytes_free::integer AS bytes_free FROM (SELECT bytes_free::integer FROM disk, diskio)"
+ "SELECT bytes_free::integer AS bytes_free FROM (SELECT bytes_free::integer, bytes_read::integer FROM disk, diskio)"
);
// Subquery, exact, no match
let stmt = parse_select("SELECT usage_idle FROM (SELECT usage_idle FROM foo)");
let stmt = rewrite_statement(&namespace, &stmt).unwrap();
+ assert!(stmt.from.is_empty());
+
+ // Subquery, regex, no match
+ let stmt = parse_select("SELECT bytes_free FROM (SELECT bytes_free FROM /^d$/)");
+ let stmt = rewrite_statement(&namespace, &stmt).unwrap();
+ assert!(stmt.from.is_empty());
+
+ // Correct data type is resolved from subquery
+ let stmt = parse_select("SELECT *::field FROM (SELECT usage_system + usage_idle FROM cpu)");
+ let stmt = rewrite_statement(&namespace, &stmt).unwrap();
assert_eq!(
stmt.to_string(),
- "SELECT usage_idle AS usage_idle FROM (SELECT usage_idle )"
+ "SELECT usage_system_usage_idle::float AS usage_system_usage_idle FROM (SELECT usage_system::float + usage_idle::float FROM cpu)"
);
- // Subquery, regex, no match
- let stmt = parse_select("SELECT bytes_free FROM (SELECT bytes_free FROM /^d$/)");
+ // Subquery, no fields projected should be dropped
+ let stmt = parse_select("SELECT usage_idle FROM cpu, (SELECT usage_system FROM cpu)");
let stmt = rewrite_statement(&namespace, &stmt).unwrap();
assert_eq!(
stmt.to_string(),
- "SELECT bytes_free AS bytes_free FROM (SELECT bytes_free )"
+ "SELECT usage_idle::float AS usage_idle FROM cpu"
);
- // Correct data type is resolved from subquery
- let stmt = parse_select("SELECT *::field FROM (SELECT usage_system + usage_idle FROM cpu)");
+ // Outer query are permitted to project tags only, as long as there are other fields
+ // in the subquery
+ let stmt = parse_select("SELECT cpu FROM (SELECT cpu, usage_system FROM cpu)");
let stmt = rewrite_statement(&namespace, &stmt).unwrap();
assert_eq!(
stmt.to_string(),
- "SELECT usage_system_usage_idle::float AS usage_system_usage_idle FROM (SELECT usage_system::float + usage_idle::float FROM cpu)"
+ "SELECT cpu::tag AS cpu FROM (SELECT cpu::tag, usage_system::float FROM cpu)"
);
+ // Outer FROM should be empty, as the subquery does not project any fields
+ let stmt = parse_select("SELECT cpu FROM (SELECT cpu FROM cpu)");
+ let stmt = rewrite_statement(&namespace, &stmt).unwrap();
+ assert!(stmt.from.is_empty());
+
// Binary expression
let stmt = parse_select("SELECT bytes_free+bytes_used FROM disk");
let stmt = rewrite_statement(&namespace, &stmt).unwrap();
@@ -1790,11 +1879,12 @@ mod test {
"SELECT col0::float AS col0, col0::tag AS col0_1, col1::float AS col1, col1::tag AS col1_1, col2::string AS col2, col3::string AS col3 FROM merge_00, merge_01"
);
+ // This should only select merge_01, as col0 is a tag in merge_00
let stmt = parse_select("SELECT /col0/ FROM merge_00, merge_01");
let stmt = rewrite_statement(&namespace, &stmt).unwrap();
assert_eq!(
stmt.to_string(),
- "SELECT col0::float AS col0, col0::tag AS col0_1 FROM merge_00, merge_01"
+ "SELECT col0::float AS col0, col0::tag AS col0_1 FROM merge_01"
);
// Fallible cases
|
596673d51594125b6f346fa1f48dd38b313ed040
|
Carol (Nichols || Goulding)
|
2023-05-03 13:42:57
|
Create a new ColumnsByName type to abstract over TableSchema columns
|
And allow usage of just the columns when that's all that's needed
without leaking the BTreeMap implementation detail everywhere
| null |
refactor: Create a new ColumnsByName type to abstract over TableSchema columns
And allow usage of just the columns when that's all that's needed
without leaking the BTreeMap implementation detail everywhere
|
diff --git a/compactor/src/components/df_planner/query_chunk.rs b/compactor/src/components/df_planner/query_chunk.rs
index dadeda0b5b..f944295928 100644
--- a/compactor/src/components/df_planner/query_chunk.rs
+++ b/compactor/src/components/df_planner/query_chunk.rs
@@ -184,6 +184,7 @@ fn to_queryable_parquet_chunk(
let table_schema: Schema = partition_info
.table_schema
.as_ref()
+ .columns
.clone()
.try_into()
.expect("table schema is broken");
diff --git a/compactor/src/components/namespaces_source/mock.rs b/compactor/src/components/namespaces_source/mock.rs
index 5d672a187d..201e407e6f 100644
--- a/compactor/src/components/namespaces_source/mock.rs
+++ b/compactor/src/components/namespaces_source/mock.rs
@@ -49,7 +49,9 @@ impl NamespacesSource for MockNamespacesSource {
mod tests {
use std::collections::BTreeMap;
- use data_types::{ColumnId, ColumnSchema, ColumnType, TableId, TableInfo, TableSchema};
+ use data_types::{
+ Column, ColumnId, ColumnType, ColumnsByName, TableId, TableInfo, TableSchema,
+ };
use super::*;
@@ -131,21 +133,19 @@ mod tests {
TableInfo {
schema: TableSchema {
id: TableId::new(1),
- columns: BTreeMap::from([
- (
- "col1".to_string(),
- ColumnSchema {
- id: ColumnId::new(1),
- column_type: ColumnType::I64,
- },
- ),
- (
- "col2".to_string(),
- ColumnSchema {
- id: ColumnId::new(2),
- column_type: ColumnType::String,
- },
- ),
+ columns: ColumnsByName::new(&[
+ Column {
+ name: "col1".to_string(),
+ id: ColumnId::new(1),
+ column_type: ColumnType::I64,
+ table_id: TableId::new(1),
+ },
+ Column {
+ name: "col2".to_string(),
+ id: ColumnId::new(2),
+ column_type: ColumnType::String,
+ table_id: TableId::new(1),
+ },
]),
},
partition_template: None,
@@ -156,28 +156,25 @@ mod tests {
TableInfo {
schema: TableSchema {
id: TableId::new(2),
- columns: BTreeMap::from([
- (
- "col1".to_string(),
- ColumnSchema {
- id: ColumnId::new(3),
- column_type: ColumnType::I64,
- },
- ),
- (
- "col2".to_string(),
- ColumnSchema {
- id: ColumnId::new(4),
- column_type: ColumnType::String,
- },
- ),
- (
- "col3".to_string(),
- ColumnSchema {
- id: ColumnId::new(5),
- column_type: ColumnType::F64,
- },
- ),
+ columns: ColumnsByName::new(&[
+ Column {
+ name: "col1".to_string(),
+ id: ColumnId::new(3),
+ column_type: ColumnType::I64,
+ table_id: TableId::new(2),
+ },
+ Column {
+ name: "col2".to_string(),
+ id: ColumnId::new(4),
+ column_type: ColumnType::String,
+ table_id: TableId::new(2),
+ },
+ Column {
+ name: "col3".to_string(),
+ id: ColumnId::new(5),
+ column_type: ColumnType::F64,
+ table_id: TableId::new(2),
+ },
]),
},
partition_template: None,
diff --git a/compactor/src/test_utils.rs b/compactor/src/test_utils.rs
index c61826210a..618734aed9 100644
--- a/compactor/src/test_utils.rs
+++ b/compactor/src/test_utils.rs
@@ -1,8 +1,8 @@
-use std::{collections::BTreeMap, sync::Arc};
+use std::sync::Arc;
use data_types::{
- ColumnId, ColumnSchema, ColumnType, NamespaceId, PartitionId, PartitionKey, Table, TableId,
- TableSchema,
+ Column, ColumnId, ColumnType, ColumnsByName, NamespaceId, PartitionId, PartitionKey, Table,
+ TableId, TableSchema,
};
use crate::PartitionInfo;
@@ -29,7 +29,7 @@ impl PartitionInfoBuilder {
}),
table_schema: Arc::new(TableSchema {
id: table_id,
- columns: BTreeMap::new(),
+ columns: ColumnsByName::new(&[]),
}),
sort_key: None,
partition_key: PartitionKey::from("key"),
@@ -43,18 +43,18 @@ impl PartitionInfoBuilder {
}
pub fn with_num_columns(mut self, num_cols: usize) -> Self {
- let mut columns = BTreeMap::new();
- for i in 0..num_cols {
- let col = ColumnSchema {
+ let columns: Vec<_> = (0..num_cols)
+ .map(|i| Column {
id: ColumnId::new(i as i64),
+ name: i.to_string(),
column_type: ColumnType::I64,
- };
- columns.insert(i.to_string(), col);
- }
+ table_id: self.inner.table.id,
+ })
+ .collect();
let table_schema = Arc::new(TableSchema {
id: self.inner.table.id,
- columns,
+ columns: ColumnsByName::new(&columns),
});
self.inner.table_schema = table_schema;
diff --git a/data_types/src/lib.rs b/data_types/src/lib.rs
index 9c7a7001c3..578cb4429f 100644
--- a/data_types/src/lib.rs
+++ b/data_types/src/lib.rs
@@ -425,13 +425,101 @@ impl From<&Table> for TableInfo {
}
}
+/// Column definitions for a table indexed by their name
+#[derive(Debug, Clone, Eq, PartialEq)]
+pub struct ColumnsByName(BTreeMap<String, ColumnSchema>);
+
+impl From<BTreeMap<&str, ColumnSchema>> for ColumnsByName {
+ fn from(value: BTreeMap<&str, ColumnSchema>) -> Self {
+ Self(
+ value
+ .into_iter()
+ .map(|(name, column)| (name.to_owned(), column))
+ .collect(),
+ )
+ }
+}
+
+impl ColumnsByName {
+ /// Create a new instance holding the given [`Column`]s.
+ pub fn new(columns: &[Column]) -> Self {
+ Self(
+ columns
+ .iter()
+ .map(|c| {
+ (
+ c.name.to_owned(),
+ ColumnSchema {
+ id: c.id,
+ column_type: c.column_type,
+ },
+ )
+ })
+ .collect(),
+ )
+ }
+
+ /// Iterate over the names and columns.
+ pub fn iter(&self) -> impl Iterator<Item = (&String, &ColumnSchema)> {
+ self.0.iter()
+ }
+
+ /// Return the set of column names. Used in combination with a write operation's
+ /// column names to determine whether a write would exceed the max allowed columns.
+ pub fn names(&self) -> BTreeSet<&str> {
+ self.0.keys().map(|name| name.as_str()).collect()
+ }
+
+ /// Return the set of column IDs.
+ pub fn ids(&self) -> Vec<ColumnId> {
+ self.0.values().map(|c| c.id).collect()
+ }
+
+ /// Get a column by its name.
+ pub fn get(&self, name: &str) -> Option<&ColumnSchema> {
+ self.0.get(name)
+ }
+
+ /// Create `ID->name` map for columns.
+ pub fn id_map(&self) -> HashMap<ColumnId, &str> {
+ self.0
+ .iter()
+ .map(|(name, c)| (c.id, name.as_str()))
+ .collect()
+ }
+}
+
+// ColumnsByName is a newtype so that we can implement this `TryFrom` in this crate
+impl TryFrom<&ColumnsByName> for Schema {
+ type Error = schema::builder::Error;
+
+ fn try_from(value: &ColumnsByName) -> Result<Self, Self::Error> {
+ let mut builder = SchemaBuilder::new();
+
+ for (column_name, column_schema) in value.iter() {
+ let t = InfluxColumnType::from(column_schema.column_type);
+ builder.influx_column(column_name, t);
+ }
+
+ builder.build()
+ }
+}
+
+impl TryFrom<ColumnsByName> for Schema {
+ type Error = schema::builder::Error;
+
+ fn try_from(value: ColumnsByName) -> Result<Self, Self::Error> {
+ Self::try_from(&value)
+ }
+}
+
/// Column definitions for a table
#[derive(Debug, Clone, Eq, PartialEq)]
pub struct TableSchema {
/// the table id
pub id: TableId,
/// the table's columns by their name
- pub columns: BTreeMap<String, ColumnSchema>,
+ pub columns: ColumnsByName,
}
impl TableSchema {
@@ -439,7 +527,7 @@ impl TableSchema {
pub fn new(id: TableId) -> Self {
Self {
id,
- columns: BTreeMap::new(),
+ columns: ColumnsByName::new(&[]),
}
}
@@ -452,10 +540,22 @@ impl TableSchema {
pub fn add_column(&mut self, col: &Column) {
let old = self
.columns
+ .0
.insert(col.name.clone(), ColumnSchema::from(col));
assert!(old.is_none());
}
+ /// Add the name and column schema to this table's schema.
+ ///
+ /// # Panics
+ ///
+ /// This method panics if a column of the same name already exists in
+ /// `self`.
+ pub fn add_column_schema(&mut self, name: &str, column_schema: &ColumnSchema) {
+ let old = self.columns.0.insert(name.into(), column_schema.to_owned());
+ assert!(old.is_none());
+ }
+
/// Estimated Size in bytes including `self`.
pub fn size(&self) -> usize {
size_of_val(self)
@@ -468,21 +568,23 @@ impl TableSchema {
/// Create `ID->name` map for columns.
pub fn column_id_map(&self) -> HashMap<ColumnId, &str> {
- self.columns
- .iter()
- .map(|(name, c)| (c.id, name.as_str()))
- .collect()
+ self.columns.id_map()
+ }
+
+ /// Whether a column with this name is in the schema.
+ pub fn contains_column_name(&self, name: &str) -> bool {
+ self.columns.0.contains_key(name)
}
/// Return the set of column names for this table. Used in combination with a write operation's
/// column names to determine whether a write would exceed the max allowed columns.
pub fn column_names(&self) -> BTreeSet<&str> {
- self.columns.keys().map(|name| name.as_str()).collect()
+ self.columns.names()
}
/// Return number of columns of the table
pub fn column_count(&self) -> usize {
- self.columns.len()
+ self.columns.0.len()
}
}
@@ -645,29 +747,6 @@ impl From<ColumnType> for InfluxColumnType {
}
}
-impl TryFrom<&TableSchema> for Schema {
- type Error = schema::builder::Error;
-
- fn try_from(value: &TableSchema) -> Result<Self, Self::Error> {
- let mut builder = SchemaBuilder::new();
-
- for (column_name, column_schema) in &value.columns {
- let t = InfluxColumnType::from(column_schema.column_type);
- builder.influx_column(column_name, t);
- }
-
- builder.build()
- }
-}
-
-impl TryFrom<TableSchema> for Schema {
- type Error = schema::builder::Error;
-
- fn try_from(value: TableSchema) -> Result<Self, Self::Error> {
- Self::try_from(&value)
- }
-}
-
impl PartialEq<InfluxColumnType> for ColumnType {
fn eq(&self, got: &InfluxColumnType) -> bool {
match self {
@@ -2949,17 +3028,16 @@ mod tests {
fn test_table_schema_size() {
let schema1 = TableSchema {
id: TableId::new(1),
- columns: BTreeMap::from([]),
+ columns: ColumnsByName::new(&[]),
};
let schema2 = TableSchema {
id: TableId::new(2),
- columns: BTreeMap::from([(
- String::from("foo"),
- ColumnSchema {
- id: ColumnId::new(1),
- column_type: ColumnType::Bool,
- },
- )]),
+ columns: ColumnsByName::new(&[Column {
+ id: ColumnId::new(1),
+ table_id: TableId::new(2),
+ name: String::from("foo"),
+ column_type: ColumnType::Bool,
+ }]),
};
assert!(schema1.size() < schema2.size());
}
@@ -2981,7 +3059,7 @@ mod tests {
TableInfo {
schema: TableSchema {
id: TableId::new(1),
- columns: BTreeMap::new(),
+ columns: ColumnsByName::new(&[]),
},
partition_template: None,
},
diff --git a/import/src/aggregate_tsm_schema/update_catalog.rs b/import/src/aggregate_tsm_schema/update_catalog.rs
index a78f6ffd05..561a64170e 100644
--- a/import/src/aggregate_tsm_schema/update_catalog.rs
+++ b/import/src/aggregate_tsm_schema/update_catalog.rs
@@ -384,7 +384,7 @@ mod tests {
.expect("got schema");
assert_eq!(iox_schema.tables.len(), 1);
let table = iox_schema.tables.get("cpu").expect("got table");
- assert_eq!(table.schema.columns.len(), 3); // one tag & one field, plus time
+ assert_eq!(table.schema.column_count(), 3); // one tag & one field, plus time
let tag = table.schema.columns.get("host").expect("got tag");
assert!(tag.is_tag());
let field = table.schema.columns.get("usage").expect("got field");
@@ -491,7 +491,7 @@ mod tests {
.expect("got schema");
assert_eq!(iox_schema.tables.len(), 1);
let table = iox_schema.tables.get("weather").expect("got table");
- assert_eq!(table.schema.columns.len(), 5); // two tags, two fields, plus time
+ assert_eq!(table.schema.column_count(), 5); // two tags, two fields, plus time
let tag1 = table.schema.columns.get("city").expect("got tag");
assert!(tag1.is_tag());
let tag2 = table.schema.columns.get("country").expect("got tag");
diff --git a/ingester/src/persist/worker.rs b/ingester/src/persist/worker.rs
index ee69bcce1b..9d02eba7fd 100644
--- a/ingester/src/persist/worker.rs
+++ b/ingester/src/persist/worker.rs
@@ -3,7 +3,7 @@ use std::{ops::ControlFlow, sync::Arc};
use async_channel::RecvError;
use backoff::Backoff;
use data_types::{CompactionLevel, ParquetFileParams};
-use iox_catalog::interface::{get_table_schema_by_id, CasFailure, Catalog};
+use iox_catalog::interface::{get_table_columns_by_id, CasFailure, Catalog};
use iox_query::exec::Executor;
use iox_time::{SystemProvider, TimeProvider};
use metric::DurationHistogram;
@@ -289,12 +289,11 @@ where
"partition parquet uploaded"
);
- // Read the table schema from the catalog to act as a map of column name
- // -> column IDs.
- let table_schema = Backoff::new(&Default::default())
+ // Read the table's columns from the catalog to get a map of column name -> column IDs.
+ let columns = Backoff::new(&Default::default())
.retry_all_errors("get table schema", || async {
let mut repos = worker_state.catalog.repositories().await;
- get_table_schema_by_id(ctx.table_id(), repos.as_mut()).await
+ get_table_columns_by_id(ctx.table_id(), repos.as_mut()).await
})
.await
.expect("retry forever");
@@ -303,8 +302,7 @@ where
// table in order to make the file visible to queriers.
let parquet_table_data =
iox_metadata.to_parquet_file(ctx.partition_id(), file_size, &md, |name| {
- table_schema
- .columns
+ columns
.get(name)
.unwrap_or_else(|| {
panic!(
diff --git a/iox_catalog/src/interface.rs b/iox_catalog/src/interface.rs
index a6ce6cfc1d..09d36676e5 100644
--- a/iox_catalog/src/interface.rs
+++ b/iox_catalog/src/interface.rs
@@ -2,9 +2,9 @@
use async_trait::async_trait;
use data_types::{
- Column, ColumnSchema, ColumnType, CompactionLevel, Namespace, NamespaceId, NamespaceSchema,
+ Column, ColumnType, ColumnsByName, CompactionLevel, Namespace, NamespaceId, NamespaceSchema,
ParquetFile, ParquetFileId, ParquetFileParams, Partition, PartitionId, PartitionKey,
- SkippedCompaction, Table, TableId, TableInfo, TableSchema, Timestamp,
+ SkippedCompaction, Table, TableId, TableInfo, Timestamp,
};
use iox_time::TimeProvider;
use snafu::{OptionExt, Snafu};
@@ -598,13 +598,7 @@ where
for c in columns {
let (_, t) = table_id_to_info.get_mut(&c.table_id).unwrap();
- t.schema.columns.insert(
- c.name,
- ColumnSchema {
- id: c.id,
- column_type: c.column_type,
- },
- );
+ t.schema.add_column(&c);
}
for (_, (table_name, schema)) in table_id_to_info {
@@ -614,25 +608,14 @@ where
Ok(namespace)
}
-/// Gets the table schema including all columns.
-pub async fn get_table_schema_by_id<R>(id: TableId, repos: &mut R) -> Result<TableSchema>
+/// Gets all the table's columns.
+pub async fn get_table_columns_by_id<R>(id: TableId, repos: &mut R) -> Result<ColumnsByName>
where
R: RepoCollection + ?Sized,
{
let columns = repos.columns().list_by_table_id(id).await?;
- let mut schema = TableSchema::new(id);
-
- for c in columns {
- schema.columns.insert(
- c.name,
- ColumnSchema {
- id: c.id,
- column_type: c.column_type,
- },
- );
- }
- Ok(schema)
+ Ok(ColumnsByName::new(&columns))
}
/// Fetch all [`NamespaceSchema`] in the catalog.
diff --git a/iox_tests/src/catalog.rs b/iox_tests/src/catalog.rs
index 6564abede0..a5534150dc 100644
--- a/iox_tests/src/catalog.rs
+++ b/iox_tests/src/catalog.rs
@@ -5,14 +5,14 @@ use arrow::{
record_batch::RecordBatch,
};
use data_types::{
- Column, ColumnSet, ColumnType, CompactionLevel, Namespace, NamespaceSchema, ParquetFile,
- ParquetFileParams, Partition, PartitionId, Table, TableId, TableSchema, Timestamp,
+ Column, ColumnSet, ColumnType, ColumnsByName, CompactionLevel, Namespace, NamespaceSchema,
+ ParquetFile, ParquetFileParams, Partition, PartitionId, Table, TableId, TableSchema, Timestamp,
};
use datafusion::physical_plan::metrics::Count;
use datafusion_util::MemoryStream;
use iox_catalog::{
interface::{
- get_schema_by_id, get_table_schema_by_id, Catalog, PartitionRepo, SoftDeletedRows,
+ get_schema_by_id, get_table_columns_by_id, Catalog, PartitionRepo, SoftDeletedRows,
},
mem::MemCatalog,
};
@@ -342,25 +342,33 @@ impl TestTable {
})
}
- /// Get catalog schema.
+ /// Get the TableSchema from the catalog.
pub async fn catalog_schema(&self) -> TableSchema {
+ TableSchema {
+ id: self.table.id,
+ columns: self.catalog_columns().await,
+ }
+ }
+
+ /// Get columns from the catalog.
+ pub async fn catalog_columns(&self) -> ColumnsByName {
let mut repos = self.catalog.catalog.repositories().await;
- get_table_schema_by_id(self.table.id, repos.as_mut())
+ get_table_columns_by_id(self.table.id, repos.as_mut())
.await
.unwrap()
}
/// Get schema for this table.
pub async fn schema(&self) -> Schema {
- self.catalog_schema().await.try_into().unwrap()
+ self.catalog_columns().await.try_into().unwrap()
}
/// Read the record batches from the specified Parquet File associated with this table.
pub async fn read_parquet_file(&self, file: ParquetFile) -> Vec<RecordBatch> {
// get schema
- let table_catalog_schema = self.catalog_schema().await;
- let column_id_lookup = table_catalog_schema.column_id_map();
+ let table_catalog_columns = self.catalog_columns().await;
+ let column_id_lookup = table_catalog_columns.id_map();
let table_schema = self.schema().await;
let selection: Vec<_> = file
.column_set
@@ -545,12 +553,11 @@ impl TestPartition {
..
} = builder;
- let table_catalog_schema = self.table.catalog_schema().await;
+ let table_catalog_columns = self.table.catalog_columns().await;
let (row_count, column_set) = if let Some(record_batch) = record_batch {
let column_set = ColumnSet::new(record_batch.schema().fields().iter().map(|f| {
- table_catalog_schema
- .columns
+ table_catalog_columns
.get(f.name())
.unwrap_or_else(|| panic!("Column {} is not registered", f.name()))
.id
@@ -563,8 +570,7 @@ impl TestPartition {
(record_batch.num_rows(), column_set)
} else {
- let column_set =
- ColumnSet::new(table_catalog_schema.columns.values().map(|col| col.id));
+ let column_set = ColumnSet::new(table_catalog_columns.ids());
(row_count.unwrap_or(0), column_set)
};
@@ -829,15 +835,15 @@ impl TestParquetFile {
/// Get Parquet file schema.
pub async fn schema(&self) -> Schema {
- let table_schema = self.table.catalog_schema().await;
- let column_id_lookup = table_schema.column_id_map();
+ let table_columns = self.table.catalog_columns().await;
+ let column_id_lookup = table_columns.id_map();
let selection: Vec<_> = self
.parquet_file
.column_set
.iter()
.map(|id| *column_id_lookup.get(id).unwrap())
.collect();
- let table_schema: Schema = table_schema.clone().try_into().unwrap();
+ let table_schema: Schema = table_columns.clone().try_into().unwrap();
table_schema.select_by_names(&selection).unwrap()
}
}
diff --git a/querier/src/cache/namespace.rs b/querier/src/cache/namespace.rs
index 6000a77c42..c148f8be91 100644
--- a/querier/src/cache/namespace.rs
+++ b/querier/src/cache/namespace.rs
@@ -242,15 +242,16 @@ impl From<TableInfo> for CachedTable {
fn from(table: TableInfo) -> Self {
let mut column_id_map: HashMap<ColumnId, Arc<str>> = table
.schema
- .columns
+ .column_id_map()
.iter()
- .map(|(name, c)| (c.id, Arc::from(name.clone())))
+ .map(|(&c_id, &name)| (c_id, Arc::from(name)))
.collect();
column_id_map.shrink_to_fit();
let id = table.id();
let schema: Schema = table
.schema
+ .columns
.try_into()
.expect("Catalog table schema broken");
diff --git a/querier/src/table/test_util.rs b/querier/src/table/test_util.rs
index 71ce14eb09..b4d907f1cc 100644
--- a/querier/src/table/test_util.rs
+++ b/querier/src/table/test_util.rs
@@ -33,7 +33,7 @@ pub async fn querier_table(catalog: &Arc<TestCatalog>, table: &Arc<TestTable>) -
.await
.unwrap();
let table_info = catalog_schema.tables.remove(&table.table.name).unwrap();
- let schema = Schema::try_from(table_info.schema).unwrap();
+ let schema = Schema::try_from(table_info.schema.columns).unwrap();
let namespace_name = Arc::from(table.namespace.namespace.name.as_str());
diff --git a/router/src/namespace_cache/memory.rs b/router/src/namespace_cache/memory.rs
index 14ac255fdd..281bb6197a 100644
--- a/router/src/namespace_cache/memory.rs
+++ b/router/src/namespace_cache/memory.rs
@@ -59,7 +59,7 @@ impl NamespaceCache for Arc<MemoryNamespaceCache> {
new_columns: schema
.tables
.values()
- .map(|v| v.schema.columns.len())
+ .map(|v| v.schema.column_count())
.sum::<usize>(),
new_tables: schema.tables.len(),
did_update: false,
@@ -100,15 +100,12 @@ fn merge_schema_additive(
// to 0 as the schemas become fully populated, leaving the common path free
// of overhead.
for (old_table_name, old_table) in &old_ns.tables {
- old_column_count += old_table.schema.columns.len();
+ old_column_count += old_table.schema.column_count();
match new_ns.tables.get_mut(old_table_name) {
Some(new_table) => {
- for (column_name, column) in &old_table.schema.columns {
- if !new_table.schema.columns.contains_key(column_name) {
- new_table
- .schema
- .columns
- .insert(column_name.to_owned(), *column);
+ for (column_name, column) in old_table.schema.columns.iter() {
+ if !new_table.schema.contains_column_name(column_name) {
+ new_table.schema.add_column_schema(column_name, column);
}
}
}
@@ -128,7 +125,7 @@ fn merge_schema_additive(
new_columns: new_ns
.tables
.values()
- .map(|v| v.schema.columns.len())
+ .map(|v| v.schema.column_count())
.sum::<usize>()
- old_column_count,
did_update: true,
@@ -142,7 +139,8 @@ mod tests {
use assert_matches::assert_matches;
use data_types::{
- Column, ColumnId, ColumnSchema, ColumnType, NamespaceId, TableId, TableInfo, TableSchema,
+ Column, ColumnId, ColumnSchema, ColumnType, ColumnsByName, NamespaceId, TableId, TableInfo,
+ TableSchema,
};
use proptest::{prelude::*, prop_compose, proptest};
@@ -426,7 +424,7 @@ mod tests {
(0, 10) // Set size range
),
) -> TableInfo {
- let columns = columns.into_iter().map(|(k, v)| (k.to_string(), v)).collect();
+ let columns = ColumnsByName::from(columns);
TableInfo {
schema: TableSchema { id: TableId::new(id), columns },
partition_template: None,
@@ -467,7 +465,8 @@ mod tests {
col_set
.schema
.columns
- .keys()
+ .names()
+ .into_iter()
.map(|col_name| (table_name.to_string(), col_name.to_string()))
})
.collect()
diff --git a/router/src/namespace_cache/metrics.rs b/router/src/namespace_cache/metrics.rs
index b906f68985..5cbb3ff18b 100644
--- a/router/src/namespace_cache/metrics.rs
+++ b/router/src/namespace_cache/metrics.rs
@@ -125,11 +125,9 @@ where
#[cfg(test)]
mod tests {
- use std::collections::BTreeMap;
-
use assert_matches::assert_matches;
use data_types::{
- ColumnId, ColumnSchema, ColumnType, NamespaceId, TableId, TableInfo, TableSchema,
+ Column, ColumnId, ColumnType, ColumnsByName, NamespaceId, TableId, TableInfo, TableSchema,
};
use metric::{Attributes, MetricObserver, Observation};
@@ -145,23 +143,20 @@ mod tests {
.map(|(i, &n)| {
let columns = (0..n)
.enumerate()
- .map(|(i, _)| {
- (
- i.to_string(),
- ColumnSchema {
- id: ColumnId::new(i as _),
- column_type: ColumnType::Bool,
- },
- )
+ .map(|(i, _)| Column {
+ id: ColumnId::new(i as _),
+ column_type: ColumnType::Bool,
+ name: i.to_string(),
+ table_id: TableId::new(i as _),
})
- .collect::<BTreeMap<String, ColumnSchema>>();
+ .collect::<Vec<_>>();
(
i.to_string(),
TableInfo {
schema: TableSchema {
id: TableId::new(i as _),
- columns,
+ columns: ColumnsByName::new(&columns),
},
partition_template: None,
},
|
61409f062ccbe5a8ef521dc4b15b1f46c28eabb6
|
Dom Dwyer
|
2023-02-09 11:24:41
|
soft delete namespace column
|
Adds a "deleted_at" column that will indicate the timestamp at which is
was marked as logically deleted.
| null |
refactor(catalog): soft delete namespace column
Adds a "deleted_at" column that will indicate the timestamp at which is
was marked as logically deleted.
|
diff --git a/iox_catalog/migrations/20230207103859_namespace-soft-delete-column.sql b/iox_catalog/migrations/20230207103859_namespace-soft-delete-column.sql
new file mode 100644
index 0000000000..80b5d5c91e
--- /dev/null
+++ b/iox_catalog/migrations/20230207103859_namespace-soft-delete-column.sql
@@ -0,0 +1,9 @@
+-- Add a soft-deletion timestamp to the "namespace" table.
+--
+-- <https://github.com/influxdata/influxdb_iox/issues/6492>
+ALTER TABLE
+ namespace
+ADD
+ COLUMN deleted_at BIGINT DEFAULT NULL;
+
+CREATE INDEX namespace_deleted_at_idx ON namespace (deleted_at);
\ No newline at end of file
diff --git a/iox_catalog/sqlite/migrations/20230207103944_namespace-soft-delete-column.sql b/iox_catalog/sqlite/migrations/20230207103944_namespace-soft-delete-column.sql
new file mode 100644
index 0000000000..ab2278f245
--- /dev/null
+++ b/iox_catalog/sqlite/migrations/20230207103944_namespace-soft-delete-column.sql
@@ -0,0 +1,9 @@
+-- Add a soft-deletion timestamp to the "namespace" table.
+--
+-- <https://github.com/influxdata/influxdb_iox/issues/6492>
+ALTER TABLE
+ namespace
+ADD
+ COLUMN deleted_at numeric DEFAULT NULL;
+
+CREATE INDEX namespace_deleted_at_idx ON namespace (deleted_at);
\ No newline at end of file
|
e556677192cc2197af68c13a41a0c05be74dd6ea
|
Dom Dwyer
|
2022-10-04 15:10:59
|
remove persist lookup queries
|
Removes the catalog queries previously used to look up various
information about the partition/table/namespace that was already in
memory.
As part of this change, the compaction helper function is changed to
accept the inputs it needs, rather than a struct of data from the
catalog - this significantly simplifies testing.
This commit also adds additional context to all log messages in the
persist() fn.
| null |
perf(ingester): remove persist lookup queries
Removes the catalog queries previously used to look up various
information about the partition/table/namespace that was already in
memory.
As part of this change, the compaction helper function is changed to
accept the inputs it needs, rather than a struct of data from the
catalog - this significantly simplifies testing.
This commit also adds additional context to all log messages in the
persist() fn.
|
diff --git a/ingester/src/compact.rs b/ingester/src/compact.rs
index 8a280cc751..ba08c693ee 100644
--- a/ingester/src/compact.rs
+++ b/ingester/src/compact.rs
@@ -2,15 +2,12 @@
use std::sync::Arc;
-use data_types::{CompactionLevel, NamespaceId, PartitionInfo};
use datafusion::{error::DataFusionError, physical_plan::SendableRecordBatchStream};
use iox_query::{
exec::{Executor, ExecutorType},
frontend::reorg::ReorgPlanner,
QueryChunk, QueryChunkMeta,
};
-use iox_time::TimeProvider;
-use parquet_file::metadata::IoxMetadata;
use schema::sort::{adjust_sort_key_columns, compute_sort_key, SortKey};
use snafu::{ResultExt, Snafu};
@@ -59,21 +56,31 @@ pub(crate) struct CompactedStream {
/// A stream of compacted, deduplicated
/// [`RecordBatch`](arrow::record_batch::RecordBatch)es
pub(crate) stream: SendableRecordBatchStream,
- /// Metadata for `stream`
- pub(crate) iox_metadata: IoxMetadata,
- /// An updated [`SortKey`], if any. If returned, the compaction
- /// required extending the partition's [`SortKey`] (typically
- /// because new columns were in this parquet file that were not in
- /// previous files).
- pub(crate) sort_key_update: Option<SortKey>,
+
+ /// The sort key value the catalog should be updated to, if any.
+ ///
+ /// If returned, the compaction required extending the partition's
+ /// [`SortKey`] (typically because new columns were in this parquet file
+ /// that were not in previous files).
+ pub(crate) catalog_sort_key_update: Option<SortKey>,
+
+ /// The sort key to be used for compaction.
+ ///
+ /// This should be used in the [`IoxMetadata`] for the compacted data, and
+ /// may be a subset of the full sort key contained in
+ /// [`Self::catalog_sort_key_update`] (or the existing sort key in the
+ /// catalog).
+ ///
+ /// [`IoxMetadata`]: parquet_file::metadata::IoxMetadata
+ pub(crate) data_sort_key: SortKey,
}
impl std::fmt::Debug for CompactedStream {
fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
f.debug_struct("CompactedStream")
.field("stream", &"<SendableRecordBatchStream>")
- .field("iox_metadata", &self.iox_metadata)
- .field("sort_key_update", &self.sort_key_update)
+ .field("data_sort_key", &self.data_sort_key)
+ .field("catalog_sort_key_update", &self.catalog_sort_key_update)
.finish()
}
}
@@ -81,22 +88,15 @@ impl std::fmt::Debug for CompactedStream {
/// Compact a given persisting batch into a [`CompactedStream`] or
/// `None` if there is no data to compact.
pub(crate) async fn compact_persisting_batch(
- time_provider: Arc<dyn TimeProvider>,
executor: &Executor,
- namespace_id: i64,
- partition_info: &PartitionInfo,
+ sort_key: Option<SortKey>,
batch: Arc<PersistingBatch>,
) -> Result<CompactedStream> {
assert!(!batch.data.data.is_empty());
- let namespace_name = &partition_info.namespace_name;
- let table_name = &partition_info.table_name;
- let partition_key = &partition_info.partition.partition_key;
- let sort_key = partition_info.partition.sort_key();
-
// Get sort key from the catalog or compute it from
// cardinality.
- let (metadata_sort_key, sort_key_update) = match sort_key {
+ let (data_sort_key, catalog_sort_key_update) = match sort_key {
Some(sk) => {
// Remove any columns not present in this data from the
// sort key that will be used to compact this parquet file
@@ -118,30 +118,12 @@ pub(crate) async fn compact_persisting_batch(
};
// Compact
- let stream = compact(executor, Arc::clone(&batch.data), metadata_sort_key.clone()).await?;
-
- // Compute min and max sequence numbers
- let (_min_seq, max_seq) = batch.data.min_max_sequence_numbers();
-
- let iox_metadata = IoxMetadata {
- object_store_id: batch.object_store_id(),
- creation_timestamp: time_provider.now(),
- shard_id: batch.shard_id(),
- namespace_id: NamespaceId::new(namespace_id),
- namespace_name: Arc::from(namespace_name.as_str()),
- table_id: batch.table_id(),
- table_name: Arc::from(table_name.as_str()),
- partition_id: batch.partition_id(),
- partition_key: partition_key.clone(),
- max_sequence_number: max_seq,
- compaction_level: CompactionLevel::Initial,
- sort_key: Some(metadata_sort_key),
- };
+ let stream = compact(executor, Arc::clone(&batch.data), data_sort_key.clone()).await?;
Ok(CompactedStream {
stream,
- iox_metadata,
- sort_key_update,
+ catalog_sort_key_update,
+ data_sort_key,
})
}
@@ -175,8 +157,6 @@ pub(crate) async fn compact(
#[cfg(test)]
mod tests {
use arrow_util::assert_batches_eq;
- use data_types::{Partition, PartitionId, SequenceNumber, ShardId, TableId};
- use iox_time::SystemProvider;
use mutable_batch_lp::lines_to_batches;
use schema::selection::Selection;
use uuid::Uuid;
@@ -189,8 +169,7 @@ mod tests {
create_batches_with_influxtype_same_columns_different_type,
create_one_record_batch_with_influxtype_duplicates,
create_one_record_batch_with_influxtype_no_duplicates,
- create_one_row_record_batch_with_influxtype, make_meta, make_persisting_batch,
- make_queryable_batch,
+ create_one_row_record_batch_with_influxtype, make_persisting_batch, make_queryable_batch,
};
// this test was added to guard against https://github.com/influxdata/influxdb_iox/issues/3782
@@ -208,8 +187,6 @@ mod tests {
let batches = vec![Arc::new(batch)];
// build persisting batch from the input batches
let uuid = Uuid::new_v4();
- let namespace_name = "test_namespace";
- let partition_key = "test_partition_key";
let table_name = "test_table";
let shard_id = 1;
let seq_num_start: i64 = 1;
@@ -233,22 +210,8 @@ mod tests {
// compact
let exc = Executor::new(1);
- let time_provider = Arc::new(SystemProvider::new());
- let partition_info = PartitionInfo {
- namespace_name: namespace_name.into(),
- table_name: table_name.into(),
- partition: Partition {
- id: PartitionId::new(partition_id),
- shard_id: ShardId::new(shard_id),
- table_id: TableId::new(table_id),
- partition_key: partition_key.into(),
- sort_key: vec![],
- persisted_sequence_number: Some(SequenceNumber::new(42)),
- },
- };
-
let CompactedStream { stream, .. } =
- compact_persisting_batch(time_provider, &exc, 1, &partition_info, persisting_batch)
+ compact_persisting_batch(&exc, Some(SortKey::empty()), persisting_batch)
.await
.unwrap();
@@ -275,13 +238,9 @@ mod tests {
// build persisting batch from the input batches
let uuid = Uuid::new_v4();
- let namespace_name = "test_namespace";
- let partition_key = "test_partition_key";
let table_name = "test_table";
let shard_id = 1;
let seq_num_start: i64 = 1;
- let seq_num_end: i64 = seq_num_start; // one batch
- let namespace_id = 1;
let table_id = 1;
let partition_id = 1;
let persisting_batch = make_persisting_batch(
@@ -302,25 +261,11 @@ mod tests {
// compact
let exc = Executor::new(1);
- let time_provider = Arc::new(SystemProvider::new());
- let partition_info = PartitionInfo {
- namespace_name: namespace_name.into(),
- table_name: table_name.into(),
- partition: Partition {
- id: PartitionId::new(partition_id),
- shard_id: ShardId::new(shard_id),
- table_id: TableId::new(table_id),
- partition_key: partition_key.into(),
- sort_key: vec![],
- persisted_sequence_number: Some(SequenceNumber::new(42)),
- },
- };
-
let CompactedStream {
stream,
- iox_metadata,
- sort_key_update,
- } = compact_persisting_batch(time_provider, &exc, 1, &partition_info, persisting_batch)
+ data_sort_key,
+ catalog_sort_key_update,
+ } = compact_persisting_batch(&exc, Some(SortKey::empty()), persisting_batch)
.await
.unwrap();
@@ -341,24 +286,10 @@ mod tests {
];
assert_batches_eq!(&expected_data, &output_batches);
- let expected_meta = make_meta(
- uuid,
- iox_metadata.creation_timestamp,
- shard_id,
- namespace_id,
- namespace_name,
- table_id,
- table_name,
- partition_id,
- partition_key,
- seq_num_end,
- CompactionLevel::Initial,
- Some(SortKey::from_columns(["tag1", "time"])),
- );
- assert_eq!(expected_meta, iox_metadata);
+ assert_eq!(data_sort_key, SortKey::from_columns(["tag1", "time"]));
assert_eq!(
- sort_key_update.unwrap(),
+ catalog_sort_key_update.unwrap(),
SortKey::from_columns(["tag1", "time"])
);
}
@@ -370,13 +301,9 @@ mod tests {
// build persisting batch from the input batches
let uuid = Uuid::new_v4();
- let namespace_name = "test_namespace";
- let partition_key = "test_partition_key";
let table_name = "test_table";
let shard_id = 1;
let seq_num_start: i64 = 1;
- let seq_num_end: i64 = seq_num_start; // one batch
- let namespace_id = 1;
let table_id = 1;
let partition_id = 1;
let persisting_batch = make_persisting_batch(
@@ -395,28 +322,14 @@ mod tests {
let expected_pk = vec!["tag1", "tag3", "time"];
assert_eq!(expected_pk, pk);
- // compact
let exc = Executor::new(1);
- let time_provider = Arc::new(SystemProvider::new());
- let partition_info = PartitionInfo {
- namespace_name: namespace_name.into(),
- table_name: table_name.into(),
- partition: Partition {
- id: PartitionId::new(partition_id),
- shard_id: ShardId::new(shard_id),
- table_id: TableId::new(table_id),
- partition_key: partition_key.into(),
- // NO SORT KEY from the catalog here, first persisting batch
- sort_key: vec![],
- persisted_sequence_number: Some(SequenceNumber::new(42)),
- },
- };
+ // NO SORT KEY from the catalog here, first persisting batch
let CompactedStream {
stream,
- iox_metadata,
- sort_key_update,
- } = compact_persisting_batch(time_provider, &exc, 1, &partition_info, persisting_batch)
+ data_sort_key,
+ catalog_sort_key_update,
+ } = compact_persisting_batch(&exc, Some(SortKey::empty()), persisting_batch)
.await
.unwrap();
@@ -438,25 +351,13 @@ mod tests {
];
assert_batches_eq!(&expected_data, &output_batches);
- let expected_meta = make_meta(
- uuid,
- iox_metadata.creation_timestamp,
- shard_id,
- namespace_id,
- namespace_name,
- table_id,
- table_name,
- partition_id,
- partition_key,
- seq_num_end,
- CompactionLevel::Initial,
- // Sort key should now be set
- Some(SortKey::from_columns(["tag1", "tag3", "time"])),
+ assert_eq!(
+ data_sort_key,
+ SortKey::from_columns(["tag1", "tag3", "time"])
);
- assert_eq!(expected_meta, iox_metadata);
assert_eq!(
- sort_key_update.unwrap(),
+ catalog_sort_key_update.unwrap(),
SortKey::from_columns(["tag1", "tag3", "time"])
);
}
@@ -468,13 +369,9 @@ mod tests {
// build persisting batch from the input batches
let uuid = Uuid::new_v4();
- let namespace_name = "test_namespace";
- let partition_key = "test_partition_key";
let table_name = "test_table";
let shard_id = 1;
let seq_num_start: i64 = 1;
- let seq_num_end: i64 = seq_num_start; // one batch
- let namespace_id = 1;
let table_id = 1;
let partition_id = 1;
let persisting_batch = make_persisting_batch(
@@ -493,31 +390,21 @@ mod tests {
let expected_pk = vec!["tag1", "tag3", "time"];
assert_eq!(expected_pk, pk);
- // compact
let exc = Executor::new(1);
- let time_provider = Arc::new(SystemProvider::new());
- let partition_info = PartitionInfo {
- namespace_name: namespace_name.into(),
- table_name: table_name.into(),
- partition: Partition {
- id: PartitionId::new(partition_id),
- shard_id: ShardId::new(shard_id),
- table_id: TableId::new(table_id),
- partition_key: partition_key.into(),
- // SPECIFY A SORT KEY HERE to simulate a sort key being stored in the catalog
- // this is NOT what the computed sort key would be based on this data's cardinality
- sort_key: vec!["tag3".to_string(), "tag1".to_string(), "time".to_string()],
- persisted_sequence_number: Some(SequenceNumber::new(42)),
- },
- };
+ // SPECIFY A SORT KEY HERE to simulate a sort key being stored in the catalog
+ // this is NOT what the computed sort key would be based on this data's cardinality
let CompactedStream {
stream,
- iox_metadata,
- sort_key_update,
- } = compact_persisting_batch(time_provider, &exc, 1, &partition_info, persisting_batch)
- .await
- .unwrap();
+ data_sort_key,
+ catalog_sort_key_update,
+ } = compact_persisting_batch(
+ &exc,
+ Some(SortKey::from_columns(["tag3", "tag1", "time"])),
+ persisting_batch,
+ )
+ .await
+ .unwrap();
let output_batches = datafusion::physical_plan::common::collect(stream)
.await
@@ -538,26 +425,13 @@ mod tests {
];
assert_batches_eq!(&expected_data, &output_batches);
- let expected_meta = make_meta(
- uuid,
- iox_metadata.creation_timestamp,
- shard_id,
- namespace_id,
- namespace_name,
- table_id,
- table_name,
- partition_id,
- partition_key,
- seq_num_end,
- CompactionLevel::Initial,
- // The sort key in the metadata should be the same as specified (that is, not
- // recomputed)
- Some(SortKey::from_columns(["tag3", "tag1", "time"])),
+ assert_eq!(
+ data_sort_key,
+ SortKey::from_columns(["tag3", "tag1", "time"])
);
- assert_eq!(expected_meta, iox_metadata);
// The sort key does not need to be updated in the catalog
- assert!(sort_key_update.is_none());
+ assert!(catalog_sort_key_update.is_none());
}
#[tokio::test]
@@ -567,13 +441,9 @@ mod tests {
// build persisting batch from the input batches
let uuid = Uuid::new_v4();
- let namespace_name = "test_namespace";
- let partition_key = "test_partition_key";
let table_name = "test_table";
let shard_id = 1;
let seq_num_start: i64 = 1;
- let seq_num_end: i64 = seq_num_start; // one batch
- let namespace_id = 1;
let table_id = 1;
let partition_id = 1;
let persisting_batch = make_persisting_batch(
@@ -592,32 +462,22 @@ mod tests {
let expected_pk = vec!["tag1", "tag3", "time"];
assert_eq!(expected_pk, pk);
- // compact
let exc = Executor::new(1);
- let time_provider = Arc::new(SystemProvider::new());
- let partition_info = PartitionInfo {
- namespace_name: namespace_name.into(),
- table_name: table_name.into(),
- partition: Partition {
- id: PartitionId::new(partition_id),
- shard_id: ShardId::new(shard_id),
- table_id: TableId::new(table_id),
- partition_key: partition_key.into(),
- // SPECIFY A SORT KEY HERE to simulate a sort key being stored in the catalog
- // this is NOT what the computed sort key would be based on this data's cardinality
- // The new column, tag1, should get added just before the time column
- sort_key: vec!["tag3".to_string(), "time".to_string()],
- persisted_sequence_number: Some(SequenceNumber::new(42)),
- },
- };
+ // SPECIFY A SORT KEY HERE to simulate a sort key being stored in the catalog
+ // this is NOT what the computed sort key would be based on this data's cardinality
+ // The new column, tag1, should get added just before the time column
let CompactedStream {
stream,
- iox_metadata,
- sort_key_update,
- } = compact_persisting_batch(time_provider, &exc, 1, &partition_info, persisting_batch)
- .await
- .unwrap();
+ data_sort_key,
+ catalog_sort_key_update,
+ } = compact_persisting_batch(
+ &exc,
+ Some(SortKey::from_columns(["tag3", "time"])),
+ persisting_batch,
+ )
+ .await
+ .unwrap();
let output_batches = datafusion::physical_plan::common::collect(stream)
.await
@@ -638,27 +498,14 @@ mod tests {
];
assert_batches_eq!(&expected_data, &output_batches);
- let expected_meta = make_meta(
- uuid,
- iox_metadata.creation_timestamp,
- shard_id,
- namespace_id,
- namespace_name,
- table_id,
- table_name,
- partition_id,
- partition_key,
- seq_num_end,
- CompactionLevel::Initial,
- // The sort key in the metadata should be updated to include the new column just before
- // the time column
- Some(SortKey::from_columns(["tag3", "tag1", "time"])),
+ assert_eq!(
+ data_sort_key,
+ SortKey::from_columns(["tag3", "tag1", "time"])
);
- assert_eq!(expected_meta, iox_metadata);
// The sort key in the catalog needs to be updated to include the new column
assert_eq!(
- sort_key_update.unwrap(),
+ catalog_sort_key_update.unwrap(),
SortKey::from_columns(["tag3", "tag1", "time"])
);
}
@@ -670,13 +517,9 @@ mod tests {
// build persisting batch from the input batches
let uuid = Uuid::new_v4();
- let namespace_name = "test_namespace";
- let partition_key = "test_partition_key";
let table_name = "test_table";
let shard_id = 1;
let seq_num_start: i64 = 1;
- let seq_num_end: i64 = seq_num_start; // one batch
- let namespace_id = 1;
let table_id = 1;
let partition_id = 1;
let persisting_batch = make_persisting_batch(
@@ -695,37 +538,22 @@ mod tests {
let expected_pk = vec!["tag1", "tag3", "time"];
assert_eq!(expected_pk, pk);
- // compact
let exc = Executor::new(1);
- let time_provider = Arc::new(SystemProvider::new());
- let partition_info = PartitionInfo {
- namespace_name: namespace_name.into(),
- table_name: table_name.into(),
- partition: Partition {
- id: PartitionId::new(partition_id),
- shard_id: ShardId::new(shard_id),
- table_id: TableId::new(table_id),
- partition_key: partition_key.into(),
- // SPECIFY A SORT KEY HERE to simulate a sort key being stored in the catalog
- // this is NOT what the computed sort key would be based on this data's cardinality
- // This contains a sort key, "tag4", that doesn't appear in the data.
- sort_key: vec![
- "tag3".to_string(),
- "tag1".to_string(),
- "tag4".to_string(),
- "time".to_string(),
- ],
- persisted_sequence_number: Some(SequenceNumber::new(42)),
- },
- };
+ // SPECIFY A SORT KEY HERE to simulate a sort key being stored in the catalog
+ // this is NOT what the computed sort key would be based on this data's cardinality
+ // This contains a sort key, "tag4", that doesn't appear in the data.
let CompactedStream {
stream,
- iox_metadata,
- sort_key_update,
- } = compact_persisting_batch(time_provider, &exc, 1, &partition_info, persisting_batch)
- .await
- .unwrap();
+ data_sort_key,
+ catalog_sort_key_update,
+ } = compact_persisting_batch(
+ &exc,
+ Some(SortKey::from_columns(["tag3", "tag1", "tag4", "time"])),
+ persisting_batch,
+ )
+ .await
+ .unwrap();
let output_batches = datafusion::physical_plan::common::collect(stream)
.await
@@ -746,25 +574,13 @@ mod tests {
];
assert_batches_eq!(&expected_data, &output_batches);
- let expected_meta = make_meta(
- uuid,
- iox_metadata.creation_timestamp,
- shard_id,
- namespace_id,
- namespace_name,
- table_id,
- table_name,
- partition_id,
- partition_key,
- seq_num_end,
- CompactionLevel::Initial,
- // The sort key in the metadata should only contain the columns in this file
- Some(SortKey::from_columns(["tag3", "tag1", "time"])),
+ assert_eq!(
+ data_sort_key,
+ SortKey::from_columns(["tag3", "tag1", "time"])
);
- assert_eq!(expected_meta, iox_metadata);
// The sort key in the catalog should NOT get a new value
- assert!(sort_key_update.is_none());
+ assert!(catalog_sort_key_update.is_none());
}
#[tokio::test]
diff --git a/ingester/src/data.rs b/ingester/src/data.rs
index e234135eae..8622ad7d62 100644
--- a/ingester/src/data.rs
+++ b/ingester/src/data.rs
@@ -4,16 +4,18 @@ use std::{collections::BTreeMap, sync::Arc};
use async_trait::async_trait;
use backoff::{Backoff, BackoffConfig};
-use data_types::{NamespaceId, PartitionId, SequenceNumber, ShardId, ShardIndex, TableId};
+use data_types::{
+ CompactionLevel, NamespaceId, PartitionId, SequenceNumber, ShardId, ShardIndex, TableId,
+};
use dml::DmlOperation;
use iox_catalog::interface::{get_table_schema_by_id, Catalog};
use iox_query::exec::Executor;
-use iox_time::SystemProvider;
+use iox_time::{SystemProvider, TimeProvider};
use metric::{Attributes, Metric, U64Histogram, U64HistogramOptions};
use object_store::DynObjectStore;
use observability_deps::tracing::*;
-use parquet_file::storage::ParquetStorage;
+use parquet_file::{metadata::IoxMetadata, storage::ParquetStorage};
use snafu::{OptionExt, Snafu};
use write_summary::ShardProgress;
@@ -27,7 +29,7 @@ pub mod partition;
pub(crate) mod shard;
pub(crate) mod table;
-use self::{partition::resolver::PartitionProvider, shard::ShardData, table::TableName};
+use self::{partition::resolver::PartitionProvider, shard::ShardData};
#[cfg(test)]
mod triggers;
@@ -247,16 +249,21 @@ impl Persister for IngesterData {
let namespace = shard_data
.namespace_by_id(namespace_id)
.unwrap_or_else(|| panic!("namespace {namespace_id} not in shard {shard_id} state"));
+ let namespace_name = namespace.namespace_name();
let partition_key;
+ let table_name;
let batch;
let sort_key;
+ let last_persisted_sequence_number;
{
let table_data = namespace.table_id(table_id).unwrap_or_else(|| {
panic!("table {table_id} in namespace {namespace_id} not in shard {shard_id} state")
});
let mut guard = table_data.write().await;
+ table_name = guard.table_name().clone();
+
let partition = guard.get_partition(partition_id).unwrap_or_else(|| {
panic!(
"partition {partition_id} in table {table_id} in namespace {namespace_id} not in shard {shard_id} state"
@@ -266,12 +273,15 @@ impl Persister for IngesterData {
partition_key = partition.partition_key().clone();
batch = partition.snapshot_to_persisting_batch();
sort_key = partition.sort_key().clone();
+ last_persisted_sequence_number = partition.max_persisted_sequence_number();
};
trace!(
%shard_id,
%namespace_id,
+ %namespace_name,
%table_id,
+ %table_name,
%partition_id,
%partition_key,
"fetching sort key"
@@ -281,7 +291,9 @@ impl Persister for IngesterData {
debug!(
%shard_id,
%namespace_id,
+ %namespace_name,
%table_id,
+ %table_name,
%partition_id,
%partition_key,
?sort_key,
@@ -295,7 +307,9 @@ impl Persister for IngesterData {
warn!(
%shard_id,
%namespace_id,
+ %namespace_name,
%table_id,
+ %table_name,
%partition_id,
%partition_key,
"partition marked for persistence contains no data"
@@ -304,6 +318,10 @@ impl Persister for IngesterData {
}
};
+ assert_eq!(batch.shard_id(), shard_id);
+ assert_eq!(batch.table_id(), table_id);
+ assert_eq!(batch.partition_id(), partition_id);
+
// lookup column IDs from catalog
// TODO: this can be removed once the ingester uses column IDs internally as well
let table_schema = Backoff::new(&self.backoff_config)
@@ -314,29 +332,37 @@ impl Persister for IngesterData {
.await
.expect("retry forever");
- // lookup the partition_info from the catalog
- let partition_info = Backoff::new(&self.backoff_config)
- .retry_all_errors("get partition_info_by_id", || async {
- let mut repos = self.catalog.repositories().await;
- repos.partitions().partition_info_by_id(partition_id).await
- })
- .await
- .expect("retry forever").unwrap_or_else(|| panic!("partition {partition_id} in table {table_id} in namespace {namespace_id} in shard {shard_id} has no partition info in catalog"));
+ // Read the maximum SequenceNumber in the batch.
+ let (_min, max_sequence_number) = batch.data.min_max_sequence_numbers();
+
+ // Read the future object store ID before passing the batch into
+ // compaction, instead of retaining a copy of the data post-compaction.
+ let object_store_id = batch.object_store_id();
// do the CPU intensive work of compaction, de-duplication and sorting
let CompactedStream {
stream: record_stream,
- iox_metadata,
- sort_key_update,
- } = compact_persisting_batch(
- Arc::new(SystemProvider::new()),
- &self.exec,
- namespace.namespace_id().get(),
- &partition_info,
- Arc::clone(&batch),
- )
- .await
- .expect("unable to compact persisting batch");
+ catalog_sort_key_update,
+ data_sort_key,
+ } = compact_persisting_batch(&self.exec, sort_key, batch)
+ .await
+ .expect("unable to compact persisting batch");
+
+ // Construct the metadata for this parquet file.
+ let iox_metadata = IoxMetadata {
+ object_store_id,
+ creation_timestamp: SystemProvider::new().now(),
+ shard_id,
+ namespace_id,
+ namespace_name: Arc::clone(&**namespace.namespace_name()),
+ table_id,
+ table_name: Arc::clone(&*table_name),
+ partition_id,
+ partition_key: partition_key.clone(),
+ max_sequence_number,
+ compaction_level: CompactionLevel::Initial,
+ sort_key: Some(data_sort_key),
+ };
// Save the compacted data to a parquet file in object storage.
//
@@ -352,7 +378,7 @@ impl Persister for IngesterData {
// catalog. If the order is reversed, the querier or
// compactor may see a parquet file with an inconsistent
// sort key. https://github.com/influxdata/influxdb_iox/issues/5090
- if let Some(new_sort_key) = sort_key_update {
+ if let Some(new_sort_key) = catalog_sort_key_update {
let sort_key = new_sort_key.to_columns().collect::<Vec<_>>();
Backoff::new(&self.backoff_config)
.retry_all_errors("update_sort_key", || async {
@@ -367,9 +393,16 @@ impl Persister for IngesterData {
.await
.expect("retry forever");
debug!(
- ?partition_id,
- table = partition_info.table_name,
- ?new_sort_key,
+ %object_store_id,
+ %shard_id,
+ %namespace_id,
+ %namespace_name,
+ %table_id,
+ %table_name,
+ %partition_id,
+ %partition_key,
+ old_sort_key = ?sort_key,
+ %new_sort_key,
"adjusted sort key during batch compact & persist"
);
}
@@ -384,7 +417,7 @@ impl Persister for IngesterData {
// It is an invariant that partitions are persisted in order so that
// both the per-shard, and per-partition watermarks are correctly
// advanced and accurate.
- if let Some(last_persist) = partition_info.partition.persisted_sequence_number {
+ if let Some(last_persist) = last_persisted_sequence_number {
assert!(
parquet_file.max_sequence_number > last_persist,
"out of order partition persistence, persisting {}, previously persisted {}",
@@ -450,27 +483,28 @@ impl Persister for IngesterData {
.expect("retry forever");
// Record metrics
- let attributes = Attributes::from([(
- "shard_id",
- format!("{}", partition_info.partition.shard_id).into(),
- )]);
+ let attributes = Attributes::from([("shard_id", format!("{}", shard_id).into())]);
self.persisted_file_size_bytes
.recorder(attributes)
.record(file_size as u64);
// and remove the persisted data from memory
- let table_name = TableName::from(&partition_info.table_name);
namespace
.mark_persisted(
&table_name,
- &partition_info.partition.partition_key,
+ &partition_key,
iox_metadata.max_sequence_number,
)
.await;
debug!(
- ?partition_id,
+ %object_store_id,
+ %shard_id,
+ %namespace_id,
+ %namespace_name,
+ %table_id,
%table_name,
- partition_key=%partition_info.partition.partition_key,
+ %partition_id,
+ %partition_key,
max_sequence_number=%iox_metadata.max_sequence_number.get(),
"marked partition as persisted"
);
diff --git a/ingester/src/data/namespace.rs b/ingester/src/data/namespace.rs
index a00f2bf0b1..8ccf6e3ded 100644
--- a/ingester/src/data/namespace.rs
+++ b/ingester/src/data/namespace.rs
@@ -63,7 +63,7 @@ where
}
impl std::ops::Deref for NamespaceName {
- type Target = str;
+ type Target = Arc<str>;
fn deref(&self) -> &Self::Target {
&self.0
@@ -391,7 +391,6 @@ impl NamespaceData {
}
/// Returns the [`NamespaceName`] for this namespace.
- #[cfg(test)]
pub(crate) fn namespace_name(&self) -> &NamespaceName {
&self.namespace_name
}
@@ -483,7 +482,7 @@ mod tests {
);
// Assert the namespace name was stored
- assert_eq!(&**ns.namespace_name(), NAMESPACE_NAME);
+ assert_eq!(ns.namespace_name().to_string(), NAMESPACE_NAME);
// Assert the namespace does not contain the test data
assert!(ns.table_data(&TABLE_NAME.into()).is_none());
diff --git a/ingester/src/data/partition.rs b/ingester/src/data/partition.rs
index 2c1a6c6aba..f50bc68f23 100644
--- a/ingester/src/data/partition.rs
+++ b/ingester/src/data/partition.rs
@@ -268,7 +268,7 @@ impl PartitionData {
/// Return the [`SequenceNumber`] that forms the (inclusive) persistence
/// watermark for this partition.
- pub(super) fn max_persisted_sequence_number(&self) -> Option<SequenceNumber> {
+ pub(crate) fn max_persisted_sequence_number(&self) -> Option<SequenceNumber> {
self.max_persisted_sequence_number
}
diff --git a/ingester/src/data/partition/resolver/catalog.rs b/ingester/src/data/partition/resolver/catalog.rs
index e59d6988d6..a7189e632b 100644
--- a/ingester/src/data/partition/resolver/catalog.rs
+++ b/ingester/src/data/partition/resolver/catalog.rs
@@ -148,7 +148,7 @@ mod tests {
)
.await;
assert_eq!(got.namespace_id(), namespace_id);
- assert_eq!(*got.table_name(), *table_name);
+ assert_eq!(got.table_name().to_string(), table_name.to_string());
assert_matches!(got.sort_key(), SortKeyState::Provided(None));
assert_eq!(got.max_persisted_sequence_number(), None);
assert!(got.partition_key.ptr_eq(&callers_partition_key));
diff --git a/ingester/src/data/partition/resolver/mock.rs b/ingester/src/data/partition/resolver/mock.rs
index 80f859c43e..ef935982e0 100644
--- a/ingester/src/data/partition/resolver/mock.rs
+++ b/ingester/src/data/partition/resolver/mock.rs
@@ -69,7 +69,7 @@ impl PartitionProvider for MockPartitionProvider {
});
assert_eq!(p.namespace_id(), namespace_id);
- assert_eq!(*p.table_name(), *table_name);
+ assert_eq!(p.table_name().to_string(), table_name.to_string());
p
}
}
diff --git a/ingester/src/data/partition/resolver/trait.rs b/ingester/src/data/partition/resolver/trait.rs
index 4ca50ec949..d5904b0cb5 100644
--- a/ingester/src/data/partition/resolver/trait.rs
+++ b/ingester/src/data/partition/resolver/trait.rs
@@ -79,6 +79,6 @@ mod tests {
.await;
assert_eq!(got.partition_id(), partition);
assert_eq!(got.namespace_id(), namespace_id);
- assert_eq!(*got.table_name(), *table_name);
+ assert_eq!(got.table_name().to_string(), table_name.to_string());
}
}
diff --git a/ingester/src/data/table.rs b/ingester/src/data/table.rs
index 8ebaa7a192..472809a783 100644
--- a/ingester/src/data/table.rs
+++ b/ingester/src/data/table.rs
@@ -65,7 +65,7 @@ impl std::fmt::Display for TableName {
}
impl std::ops::Deref for TableName {
- type Target = str;
+ type Target = Arc<str>;
fn deref(&self) -> &Self::Target {
&self.0
diff --git a/ingester/src/test_util.rs b/ingester/src/test_util.rs
index 05dc226f90..693d9cbdc9 100644
--- a/ingester/src/test_util.rs
+++ b/ingester/src/test_util.rs
@@ -9,8 +9,7 @@ use arrow::record_batch::RecordBatch;
use arrow_util::assert_batches_eq;
use bitflags::bitflags;
use data_types::{
- CompactionLevel, NamespaceId, PartitionId, PartitionKey, Sequence, SequenceNumber, ShardId,
- ShardIndex, TableId,
+ NamespaceId, PartitionId, PartitionKey, Sequence, SequenceNumber, ShardId, ShardIndex, TableId,
};
use dml::{DmlMeta, DmlOperation, DmlWrite};
use iox_catalog::{interface::Catalog, mem::MemCatalog};
@@ -18,8 +17,6 @@ use iox_query::test::{raw_data, TestChunk};
use iox_time::{SystemProvider, Time};
use mutable_batch_lp::lines_to_batches;
use object_store::memory::InMemory;
-use parquet_file::metadata::IoxMetadata;
-use schema::sort::SortKey;
use uuid::Uuid;
use crate::{
@@ -31,37 +28,6 @@ use crate::{
query::QueryableBatch,
};
-#[allow(clippy::too_many_arguments)]
-pub(crate) fn make_meta(
- object_store_id: Uuid,
- creation_timestamp: Time,
- shard_id: i64,
- namespace_id: i64,
- namespace_name: &str,
- table_id: i64,
- table_name: &str,
- partition_id: i64,
- partition_key: &str,
- max_sequence_number: i64,
- compaction_level: CompactionLevel,
- sort_key: Option<SortKey>,
-) -> IoxMetadata {
- IoxMetadata {
- object_store_id,
- creation_timestamp,
- shard_id: ShardId::new(shard_id),
- namespace_id: NamespaceId::new(namespace_id),
- namespace_name: Arc::from(namespace_name),
- table_id: TableId::new(table_id),
- table_name: Arc::from(table_name),
- partition_id: PartitionId::new(partition_id),
- partition_key: PartitionKey::from(partition_key),
- max_sequence_number: SequenceNumber::new(max_sequence_number),
- compaction_level,
- sort_key,
- }
-}
-
#[allow(clippy::too_many_arguments)]
pub(crate) fn make_persisting_batch(
shard_id: i64,
|
63d3b867f1d46a1f41b2caf3d45ebe471b2186ac
|
Trevor Hilton
|
2025-01-09 16:02:12
|
patch changes from enterprise (#25776)
|
- reduce parquet row group size to 100k
- add cli option to disable cached parquet loader
| null |
chore: patch changes from enterprise (#25776)
- reduce parquet row group size to 100k
- add cli option to disable cached parquet loader
|
diff --git a/influxdb3_clap_blocks/src/datafusion.rs b/influxdb3_clap_blocks/src/datafusion.rs
index 1ccb2e5c87..01fc7b9a40 100644
--- a/influxdb3_clap_blocks/src/datafusion.rs
+++ b/influxdb3_clap_blocks/src/datafusion.rs
@@ -31,6 +31,20 @@ pub struct IoxQueryDatafusionConfig {
)]
pub max_parquet_fanout: usize,
+ /// Use a cached parquet loader when reading parquet files from object store
+ ///
+ /// This reduces IO operations to a remote object store as parquet is typically read via
+ /// multiple read_range requests which would each require a IO operation. This will cache the
+ /// entire parquet file in memory and serve the read_range requests from the cached data, thus
+ /// requiring a single IO operation.
+ #[clap(
+ long = "datafusion-use-cached-parquet-loader",
+ env = "INFLUXDB3_DATAFUSION_USE_CACHED_PARQUET_LOADER",
+ default_value = "true",
+ action
+ )]
+ pub use_cached_parquet_loader: bool,
+
/// Provide custom configuration to DataFusion as a comma-separated list of key:value pairs.
///
/// # Example
@@ -64,6 +78,13 @@ impl IoxQueryDatafusionConfig {
format!("{prefix}.max_parquet_fanout", prefix = IoxConfigExt::PREFIX),
self.max_parquet_fanout.to_string(),
);
+ self.datafusion_config.insert(
+ format!(
+ "{prefix}.use_cached_parquet_loader",
+ prefix = IoxConfigExt::PREFIX
+ ),
+ self.use_cached_parquet_loader.to_string(),
+ );
self.datafusion_config
}
}
diff --git a/influxdb3_write/src/persister.rs b/influxdb3_write/src/persister.rs
index d321587dd6..e1a53c2e6d 100644
--- a/influxdb3_write/src/persister.rs
+++ b/influxdb3_write/src/persister.rs
@@ -392,7 +392,7 @@ pub struct TrackedMemoryArrowWriter<W: Write + Send> {
}
/// Parquet row group write size
-pub const ROW_GROUP_WRITE_SIZE: usize = 1024 * 1024;
+pub const ROW_GROUP_WRITE_SIZE: usize = 100_000;
impl<W: Write + Send> TrackedMemoryArrowWriter<W> {
/// create a new `TrackedMemoryArrowWriter<`
|
8c38911e8ca3c9e13324368d6109972dfec449d1
|
Dom Dwyer
|
2022-11-16 11:13:40
|
remove redundant comment
|
This comment remains by mistake - table_ids is now used.
| null |
docs: remove redundant comment
This comment remains by mistake - table_ids is now used.
|
diff --git a/router/src/dml_handlers/sharded_write_buffer.rs b/router/src/dml_handlers/sharded_write_buffer.rs
index 385528deb9..7eb84867ca 100644
--- a/router/src/dml_handlers/sharded_write_buffer.rs
+++ b/router/src/dml_handlers/sharded_write_buffer.rs
@@ -125,10 +125,6 @@ where
assert!(existing.is_none());
}
- // This will be used in a future PR, and eliminated in a dead code pass
- // by LLVM in the meantime.
- let _ = table_ids;
-
let iter = collated.into_iter().map(|(shard, batch)| {
let dml = DmlWrite::new(
namespace_id,
|
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.