-
Notifications
You must be signed in to change notification settings - Fork 2k
Basic Extension Type Registry Implementation #20312
New issue
Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.
By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.
Already on GitHub? Sign in to your account
base: main
Are you sure you want to change the base?
Changes from all commits
05b37c0
2a48e73
0eabd10
f36534a
f5d5b12
5616018
4932656
6e1522e
f9b0b36
6f6c011
4a5ca58
52daf69
f5eeb9e
File filter
Filter by extension
Conversations
Jump to
Diff view
Diff view
There are no files selected for viewing
Some generated files are not rendered by default. Learn more about how customized files appear on GitHub.
| Original file line number | Diff line number | Diff line change |
|---|---|---|
| @@ -0,0 +1,84 @@ | ||
| // Licensed to the Apache Software Foundation (ASF) under one | ||
| // or more contributor license agreements. See the NOTICE file | ||
| // distributed with this work for additional information | ||
| // regarding copyright ownership. The ASF licenses this file | ||
| // to you under the Apache License, Version 2.0 (the | ||
| // "License"); you may not use this file except in compliance | ||
| // with the License. You may obtain a copy of the License at | ||
| // | ||
| // http://www.apache.org/licenses/LICENSE-2.0 | ||
| // | ||
| // Unless required by applicable law or agreed to in writing, | ||
| // software distributed under the License is distributed on an | ||
| // "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY | ||
| // KIND, either express or implied. See the License for the | ||
| // specific language governing permissions and limitations | ||
| // under the License. | ||
|
|
||
| //! # Extension type usage examples | ||
| //! | ||
| //! These examples demonstrate the API for creating and using custom extension types. | ||
| //! | ||
| //! ## Usage | ||
| //! ```bash | ||
| //! cargo run --example extension_types -- [all|temperature] | ||
| //! ``` | ||
| //! | ||
| //! Each subcommand runs a corresponding example: | ||
| //! - `all` — run all examples included in this module | ||
| //! | ||
| //! - `temperature` | ||
| //! (file: temperature.rs, desc: Extension type for temperature data.) | ||
|
|
||
| mod temperature; | ||
|
|
||
| use datafusion::error::{DataFusionError, Result}; | ||
| use strum::{IntoEnumIterator, VariantNames}; | ||
| use strum_macros::{Display, EnumIter, EnumString, VariantNames}; | ||
|
|
||
| #[derive(EnumIter, EnumString, Display, VariantNames)] | ||
| #[strum(serialize_all = "snake_case")] | ||
| enum ExampleKind { | ||
| All, | ||
| Temperature, | ||
| } | ||
|
|
||
| impl ExampleKind { | ||
| const EXAMPLE_NAME: &str = "extension_types"; | ||
|
|
||
| fn runnable() -> impl Iterator<Item = ExampleKind> { | ||
| ExampleKind::iter().filter(|v| !matches!(v, ExampleKind::All)) | ||
| } | ||
|
|
||
| async fn run(&self) -> Result<()> { | ||
| match self { | ||
| ExampleKind::All => { | ||
| for example in ExampleKind::runnable() { | ||
| println!("Running example: {example}"); | ||
| Box::pin(example.run()).await?; | ||
| } | ||
| } | ||
| ExampleKind::Temperature => { | ||
| temperature::temperature_example().await?; | ||
| } | ||
| } | ||
| Ok(()) | ||
| } | ||
| } | ||
|
|
||
| #[tokio::main] | ||
| async fn main() -> Result<()> { | ||
| let usage = format!( | ||
| "Usage: cargo run --example {} -- [{}]", | ||
| ExampleKind::EXAMPLE_NAME, | ||
| ExampleKind::VARIANTS.join("|") | ||
| ); | ||
|
|
||
| let example: ExampleKind = std::env::args() | ||
| .nth(1) | ||
| .unwrap_or_else(|| ExampleKind::All.to_string()) | ||
| .parse() | ||
| .map_err(|_| DataFusionError::Execution(format!("Unknown example. {usage}")))?; | ||
|
|
||
| example.run().await | ||
| } |
| Original file line number | Diff line number | Diff line change |
|---|---|---|
| @@ -0,0 +1,268 @@ | ||
| // Licensed to the Apache Software Foundation (ASF) under one | ||
| // or more contributor license agreements. See the NOTICE file | ||
| // distributed with this work for additional information | ||
| // regarding copyright ownership. The ASF licenses this file | ||
| // to you under the Apache License, Version 2.0 (the | ||
| // "License"); you may not use this file except in compliance | ||
| // with the License. You may obtain a copy of the License at | ||
| // | ||
| // http://www.apache.org/licenses/LICENSE-2.0 | ||
| // | ||
| // Unless required by applicable law or agreed to in writing, | ||
| // software distributed under the License is distributed on an | ||
| // "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY | ||
| // KIND, either express or implied. See the License for the | ||
| // specific language governing permissions and limitations | ||
| // under the License. | ||
|
|
||
| use arrow::array::{Array, Float64Array, RecordBatch, StringArray}; | ||
| use arrow::util::display::{ArrayFormatter, DisplayIndex, FormatOptions, FormatResult}; | ||
| use arrow_schema::extension::ExtensionType; | ||
| use arrow_schema::{ArrowError, DataType, Field, Schema, SchemaRef}; | ||
| use datafusion::dataframe::DataFrame; | ||
| use datafusion::error::Result; | ||
| use datafusion::execution::SessionStateBuilder; | ||
| use datafusion::prelude::SessionContext; | ||
| use datafusion_common::internal_err; | ||
| use datafusion_common::types::DFExtensionType; | ||
| use datafusion_expr::registry::{ | ||
| DefaultExtensionTypeRegistration, ExtensionTypeRegistry, MemoryExtensionTypeRegistry, | ||
| }; | ||
| use std::fmt::Write; | ||
| use std::sync::Arc; | ||
|
|
||
| /// This example demonstrates using DataFusion's extension type API to create a custom | ||
| /// semantic type [`TemperatureExtensionType`]. | ||
| pub async fn temperature_example() -> Result<()> { | ||
| let ctx = create_session_context()?; | ||
| register_temperature_table(&ctx).await?; | ||
|
|
||
| // Print the example table with the custom pretty-printer. | ||
| ctx.table("example").await?.show().await | ||
| } | ||
|
|
||
| /// Creates the DataFusion session context with the custom extension type implementation. | ||
| fn create_session_context() -> Result<SessionContext> { | ||
| let registry = MemoryExtensionTypeRegistry::new_empty(); | ||
|
|
||
| // The registration creates a new instance of the extension type with the deserialized metadata. | ||
| let temp_registration = DefaultExtensionTypeRegistration::new_arc(|metadata| { | ||
| Ok(TemperatureExtensionType(metadata)) | ||
| }); | ||
| registry.add_extension_type_registration(temp_registration)?; | ||
|
|
||
| let state = SessionStateBuilder::default() | ||
| .with_extension_type_registry(Arc::new(registry)) | ||
| .build(); | ||
| Ok(SessionContext::new_with_state(state)) | ||
| } | ||
|
|
||
| /// Registers the example table and returns the data frame. | ||
| async fn register_temperature_table(ctx: &SessionContext) -> Result<DataFrame> { | ||
| let schema = example_schema(); | ||
|
|
||
| let city_names = Arc::new(StringArray::from(vec![ | ||
| "Vienna", "Tokyo", "New York", "Sydney", | ||
| ])); | ||
|
|
||
| // We'll use the same raw float values across columns to show how the | ||
|
Contributor
Author
There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. TODO: That's not accurate anymore. |
||
| // extension type changes the formatting behavior. | ||
| let celsius_temps = vec![15.1, 22.5, 18.98, 25.0]; | ||
| let fahrenheit_temps = vec![59.18, 72.5, 66.164, 77.0]; | ||
| let kelvin_temps = vec![288.25, 295.65, 292.13, 298.15]; | ||
|
|
||
| let batch = RecordBatch::try_new( | ||
| schema, | ||
| vec![ | ||
| city_names, | ||
| Arc::new(Float64Array::from(celsius_temps)), | ||
| Arc::new(Float64Array::from(fahrenheit_temps)), | ||
| Arc::new(Float64Array::from(kelvin_temps)), | ||
| ], | ||
| )?; | ||
|
|
||
| ctx.register_batch("example", batch)?; | ||
| ctx.table("example").await | ||
| } | ||
|
|
||
| /// The schema of the example table. | ||
| fn example_schema() -> SchemaRef { | ||
| Arc::new(Schema::new(vec![ | ||
| Field::new("city", DataType::Utf8, false), | ||
| Field::new("celsius", DataType::Float64, false) | ||
| .with_extension_type(TemperatureExtensionType(TemperatureUnit::Celsius)), | ||
| Field::new("fahrenheit", DataType::Float64, false) | ||
| .with_extension_type(TemperatureExtensionType(TemperatureUnit::Fahrenheit)), | ||
| Field::new("kelvin", DataType::Float64, false) | ||
| .with_extension_type(TemperatureExtensionType(TemperatureUnit::Kelvin)), | ||
| ])) | ||
| } | ||
|
|
||
| /// Represents the unit of a temperature reading. | ||
| #[derive(Debug, Clone, Copy, PartialEq, Eq)] | ||
| pub enum TemperatureUnit { | ||
| Celsius, | ||
| Fahrenheit, | ||
| Kelvin, | ||
| } | ||
|
|
||
| /// Represents a float that semantically represents a temperature. The temperature can be one of | ||
| /// the supported [`TemperatureUnit`]s. | ||
| /// | ||
| /// The unit is realized as an additional extension type metadata and is stored alongside the | ||
| /// extension type name in the Arrow field metadata. This metadata can also be stored within files, | ||
| /// allowing DataFusion to read temperature data from, for example, Parquet files. | ||
| /// | ||
| /// The field metadata for a Celsius temperature field will look like this (serialized as JSON): | ||
| /// ```json | ||
| /// { | ||
| /// "ARROW:extension:name": "custom.temperature", | ||
| /// "ARROW:extension:metadata": "celsius" | ||
| /// } | ||
| /// ``` | ||
| /// | ||
| /// See [the official Arrow documentation](https://arrow.apache.org/docs/format/Columnar.html#extension-types) | ||
| /// for more details on the extension type mechanism. | ||
| #[derive(Debug)] | ||
| pub struct TemperatureExtensionType(TemperatureUnit); | ||
|
|
||
| /// Implementation of [`ExtensionType`] for [`TemperatureExtensionType`]. | ||
| impl ExtensionType for TemperatureExtensionType { | ||
| /// Arrow extension type name that is stored in the `ARROW:extension:name` field. | ||
| const NAME: &'static str = "custom.temperature"; | ||
| type Metadata = TemperatureUnit; | ||
|
|
||
| fn metadata(&self) -> &Self::Metadata { | ||
| &self.0 | ||
| } | ||
|
|
||
| /// Arrow extension type metadata is encoded as a string and stored in the | ||
| /// `ARROW:extension:metadata` field. As we only store the name of the unit, a simple string | ||
|
Contributor
Author
There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. TODO find correct word instead of Field as the term has a concrete meaning in arrow-rs |
||
| /// suffices. Extension types can store more complex metadata using serialization formats like | ||
| /// JSON. | ||
| fn serialize_metadata(&self) -> Option<String> { | ||
| let s = match self.0 { | ||
| TemperatureUnit::Celsius => "celsius", | ||
| TemperatureUnit::Fahrenheit => "fahrenheit", | ||
| TemperatureUnit::Kelvin => "kelvin", | ||
| }; | ||
| Some(s.to_string()) | ||
| } | ||
|
|
||
| fn deserialize_metadata( | ||
| metadata: Option<&str>, | ||
| ) -> std::result::Result<Self::Metadata, ArrowError> { | ||
| match metadata { | ||
| Some("celsius") => Ok(TemperatureUnit::Celsius), | ||
| Some("fahrenheit") => Ok(TemperatureUnit::Fahrenheit), | ||
| Some("kelvin") => Ok(TemperatureUnit::Kelvin), | ||
| Some(other) => Err(ArrowError::InvalidArgumentError(format!( | ||
| "Invalid metadata for temperature type: {other}" | ||
| ))), | ||
| None => Err(ArrowError::InvalidArgumentError( | ||
| "Temperature type requires metadata (unit)".to_owned(), | ||
| )), | ||
| } | ||
| } | ||
|
|
||
| fn supports_data_type( | ||
| &self, | ||
| data_type: &DataType, | ||
| ) -> std::result::Result<(), ArrowError> { | ||
| match data_type { | ||
| DataType::Float64 => Ok(()), | ||
| _ => Err(ArrowError::InvalidArgumentError(format!( | ||
| "Invalid data type: {data_type} for temperature type, expected Float64", | ||
| ))), | ||
| } | ||
| } | ||
|
|
||
| fn try_new( | ||
| data_type: &DataType, | ||
| metadata: Self::Metadata, | ||
| ) -> std::result::Result<Self, ArrowError> { | ||
| let instance = Self(metadata); | ||
| instance.supports_data_type(data_type)?; | ||
| Ok(instance) | ||
| } | ||
| } | ||
|
|
||
| /// Implementation of [`DFExtensionType`] for [`TemperatureExtensionType`]. | ||
|
Contributor
Author
There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. TODO: 1-2 sentences that this is the DataFusion API |
||
| impl DFExtensionType for TemperatureExtensionType { | ||
| fn create_array_formatter<'fmt>( | ||
| &self, | ||
| array: &'fmt dyn Array, | ||
| options: &FormatOptions<'fmt>, | ||
| ) -> Result<Option<ArrayFormatter<'fmt>>> { | ||
| if array.data_type() != &DataType::Float64 { | ||
| return internal_err!("Wrong array type for Temperature"); | ||
| } | ||
|
|
||
| let display_index = TemperatureDisplayIndex { | ||
| array: array.as_any().downcast_ref().unwrap(), | ||
| null_str: options.null(), | ||
| unit: self.0, | ||
| }; | ||
| Ok(Some(ArrayFormatter::new( | ||
| Box::new(display_index), | ||
| options.safe(), | ||
| ))) | ||
| } | ||
| } | ||
|
|
||
| /// Pretty printer for temperatures. | ||
| #[derive(Debug)] | ||
| struct TemperatureDisplayIndex<'a> { | ||
| array: &'a Float64Array, | ||
| null_str: &'a str, | ||
| unit: TemperatureUnit, | ||
| } | ||
|
|
||
| /// Implements the custom display logic. | ||
| impl DisplayIndex for TemperatureDisplayIndex<'_> { | ||
| fn write(&self, idx: usize, f: &mut dyn Write) -> FormatResult { | ||
| if self.array.is_null(idx) { | ||
| write!(f, "{}", self.null_str)?; | ||
| return Ok(()); | ||
| } | ||
|
|
||
| let value = self.array.value(idx); | ||
| let suffix = match self.unit { | ||
| TemperatureUnit::Celsius => "°C", | ||
| TemperatureUnit::Fahrenheit => "°F", | ||
| TemperatureUnit::Kelvin => "K", | ||
| }; | ||
|
|
||
| write!(f, "{value:.2} {suffix}")?; | ||
|
|
||
| Ok(()) | ||
| } | ||
| } | ||
|
|
||
| #[cfg(test)] | ||
| mod tests { | ||
| use super::*; | ||
| use insta::assert_snapshot; | ||
|
|
||
| #[tokio::test] | ||
| async fn test_print_example_table() -> Result<()> { | ||
| let ctx = create_session_context()?; | ||
| let table = register_temperature_table(&ctx).await?; | ||
|
|
||
| assert_snapshot!( | ||
| table.to_string().await?, | ||
| @r" | ||
| +----------+----------+------------+----------+ | ||
| | city | celsius | fahrenheit | kelvin | | ||
| +----------+----------+------------+----------+ | ||
| | Vienna | 15.10 °C | 59.18 °F | 288.25 K | | ||
| | Tokyo | 22.50 °C | 72.50 °F | 295.65 K | | ||
| | New York | 18.98 °C | 66.16 °F | 292.13 K | | ||
| | Sydney | 25.00 °C | 77.00 °F | 298.15 K | | ||
| +----------+----------+------------+----------+ | ||
| " | ||
| ); | ||
|
|
||
| Ok(()) | ||
| } | ||
| } | ||
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
TODO Probably remove semantic and just say extension type. I think it's confusing.