forked from delta-io/delta-kernel-rs
-
Notifications
You must be signed in to change notification settings - Fork 0
Expand file tree
/
Copy pathcreate_table.rs
More file actions
178 lines (171 loc) · 6.84 KB
/
create_table.rs
File metadata and controls
178 lines (171 loc) · 6.84 KB
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
//! Create table transaction types and entry point (internal API).
//!
//! This module defines the [`CreateTableTransaction`] type alias and the [`create_table`]
//! entry point function. The builder logic lives in
//! [`builder::create_table`](super::builder::create_table).
//!
//! # Example
//!
//! ```rust,no_run
//! use delta_kernel::transaction::create_table::create_table;
//! use delta_kernel::schema::{StructType, StructField, DataType};
//! use delta_kernel::committer::FileSystemCommitter;
//! use std::sync::Arc;
//! # use delta_kernel::Engine;
//! # fn example(engine: &dyn Engine) -> delta_kernel::DeltaResult<()> {
//!
//! let schema = Arc::new(StructType::try_new(vec![
//! StructField::new("id", DataType::INTEGER, true),
//! ])?);
//!
//! let result = create_table("/path/to/table", schema, "MyApp/1.0")
//! .with_table_properties([("myapp.version", "1.0")])
//! .build(engine, Box::new(FileSystemCommitter::new()))?
//! .commit(engine)?;
//! # Ok(())
//! # }
//! ```
// Allow `pub` items in this module even though the module itself may be `pub(crate)`.
// The module visibility controls external access; items are `pub` for use within the crate
// and for tests. Also allow dead_code since these are used by integration tests.
#![allow(unreachable_pub, dead_code)]
use std::marker::PhantomData;
use std::sync::OnceLock;
// Re-export the builder so callers can still access it from this module path.
pub use super::builder::create_table::CreateTableTransactionBuilder;
use crate::actions::DomainMetadata;
use crate::committer::Committer;
use crate::expressions::ColumnName;
use crate::schema::SchemaRef;
use crate::table_configuration::TableConfiguration;
use crate::transaction::{CreateTable, Transaction};
use crate::utils::current_time_ms;
use crate::DeltaResult;
/// A type alias for create-table transactions.
///
/// This provides a restricted API surface that only exposes operations valid during table
/// creation. Operations like removing files, removing domain metadata, updating deletion
/// vectors, and setting blind append are not available at compile time.
///
/// # Operations NOT available on create-table transactions
///
/// - **`with_domain_metadata_removed()`** — Cannot remove domain metadata from a table that doesn't
/// exist yet.
/// - **`remove_files()`** — Cannot remove files from a table that has no files.
/// - **`with_blind_append()`** — Blind append semantics don't apply to table creation.
/// - **`update_deletion_vectors()`** — Deletion vectors require an existing table.
/// - **`with_transaction_id()`** — Transaction ID (app_id) tracking is for existing tables.
/// - **`with_operation()`** — The operation is fixed to `"CREATE TABLE"`.
///
/// # Example
///
/// ```rust,no_run
/// use delta_kernel::transaction::create_table::create_table;
/// use delta_kernel::schema::{StructType, StructField, DataType};
/// use delta_kernel::committer::FileSystemCommitter;
/// use std::sync::Arc;
/// # use delta_kernel::Engine;
/// # fn example(engine: &dyn Engine) -> delta_kernel::DeltaResult<()> {
///
/// let schema = Arc::new(StructType::try_new(vec![
/// StructField::new("id", DataType::INTEGER, true),
/// ])?);
///
/// let result = create_table("/path/to/table", schema, "MyApp/1.0")
/// .build(engine, Box::new(FileSystemCommitter::new()))?
/// .commit(engine)?;
/// # Ok(())
/// # }
/// ```
pub type CreateTableTransaction = Transaction<CreateTable>;
/// Creates a builder for creating a new Delta table.
///
/// This function returns a [`CreateTableTransactionBuilder`] that can be configured with table
/// properties and other options before building a [`CreateTableTransaction`].
///
/// # Arguments
///
/// * `path` - The file system path where the Delta table will be created
/// * `schema` - The schema for the new table
/// * `engine_info` - Information about the engine creating the table (e.g., "MyApp/1.0")
///
/// # Example
///
/// ```no_run
/// use std::sync::Arc;
/// use delta_kernel::transaction::create_table::create_table;
/// use delta_kernel::schema::{DataType, StructField, StructType};
/// use delta_kernel::committer::FileSystemCommitter;
/// use delta_kernel::engine::default::DefaultEngineBuilder;
/// use delta_kernel::engine::default::storage::store_from_url;
///
/// # fn main() -> delta_kernel::DeltaResult<()> {
/// let schema = Arc::new(StructType::new_unchecked(vec![
/// StructField::new("id", DataType::INTEGER, true),
/// StructField::new("name", DataType::STRING, true),
/// ]));
///
/// let url = url::Url::parse("file:///tmp/my_table")?;
/// let engine = DefaultEngineBuilder::new(store_from_url(&url)?).build();
///
/// let transaction = create_table("/tmp/my_table", schema, "MyApp/1.0")
/// .build(&engine, Box::new(FileSystemCommitter::new()))?;
///
/// // Commit the transaction to create the table
/// transaction.commit(&engine)?;
/// # Ok(())
/// # }
/// ```
pub fn create_table(
path: impl AsRef<str>,
schema: SchemaRef,
engine_info: impl Into<String>,
) -> CreateTableTransactionBuilder {
CreateTableTransactionBuilder::new(path, schema, engine_info)
}
impl CreateTableTransaction {
/// Create a new transaction for creating a new table. This is used when the table doesn't
/// exist yet and we need to create it with Protocol and Metadata actions.
///
/// The `effective_table_config` is the table configuration that will be committed (protocol,
/// metadata, schema).
///
/// This is typically called via `CreateTableTransactionBuilder::build()` rather than directly.
pub(crate) fn try_new_create_table(
effective_table_config: TableConfiguration,
engine_info: String,
committer: Box<dyn Committer>,
system_domain_metadata: Vec<DomainMetadata>,
clustering_columns: Option<Vec<ColumnName>>,
) -> DeltaResult<Self> {
let span = tracing::info_span!(
"txn",
path = %effective_table_config.table_root(),
operation = "CREATE",
);
Ok(Transaction {
span,
read_snapshot_opt: None,
effective_table_config,
should_emit_protocol: true,
should_emit_metadata: true,
committer,
operation: Some("CREATE TABLE".to_string()),
engine_info: Some(engine_info),
add_files_metadata: vec![],
remove_files_metadata: vec![],
set_transactions: vec![],
commit_timestamp: current_time_ms()?,
user_domain_metadata_additions: vec![],
system_domain_metadata_additions: system_domain_metadata,
user_domain_removals: vec![],
data_change: true,
engine_commit_info: None,
is_blind_append: false,
dv_matched_files: vec![],
physical_clustering_columns: clustering_columns,
shared_write_state: OnceLock::new(),
_state: PhantomData,
})
}
}