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 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328
//! # `serde_arrow` - convert sequences Rust objects to / from arrow arrays
//!
//! The arrow in-memory format is a powerful way to work with data frame like
//! structures. However, the API of the underlying Rust crates can be at times
//! cumbersome to use due to the statically typed nature of Rust. `serde_arrow`,
//! offers a simple way to convert Rust objects into Arrow arrays and back.
//! `serde_arrow` relies on the [Serde](https://serde.rs) package to interpret
//! Rust objects. Therefore, adding support for `serde_arrow` to custom types is
//! as easy as using Serde's derive macros.
//!
//! In the Rust ecosystem there are two competing implementations of the arrow
//! in-memory format, [`arrow`](https://github.com/apache/arrow-rs) and
//! [`arrow2`](https://github.com/jorgecarleitao/arrow2). `serde_arrow` supports
//! both. The supported arrow implementations can be selected via
//! [features](#features).
//!
//! `serde_arrow` relies on a schema to translate between Rust and Arrow as
//! their type systems do not directly match. The schema is expressed as a
//! collection of Arrow fields with additional metadata describing the arrays.
//! E.g., to convert Rust strings containing timestamps to Date64 arrays, the
//! schema should contain a `Date64`. `serde_arrow` supports to derive the
//! schema from the data itself via schema tracing, but does not require it. It
//! is always possible to specify the schema manually. See the [`schema`
//! module][schema] and [`SchemaLike`][schema::SchemaLike] for further details.
//!
# | [`arrow2-*`](#features) |
|:-----------------|:--------------------------------------|:------------------------|
| Rust to Arrow | [`to_record_batch`], [`to_arrow`] | [`to_arrow2`] |
| Arrow to Rust | [`from_record_batch`], [`from_arrow`] | [`from_arrow2`] |
| Array Builder | [`ArrowBuilder`] | [`Arrow2Builder`] |
"#
)]
//!
//! See also:
//!
//! - the [quickstart guide][_impl::docs::quickstart] for more examples of how
//! to use this package
//! - the [status summary][_impl::docs::status] for an overview over the
//! supported Arrow and Rust constructs
//!
//! ## `arrow` Example
//! ```rust
//! # use serde::{Deserialize, Serialize};
//! # #[cfg(feature = "has_arrow")]
//! # fn main() -> serde_arrow::Result<()> {
//! use arrow::datatypes::FieldRef;
//! use serde_arrow::schema::{TracingOptions, SerdeArrowSchema};
//!
//! ##[derive(Serialize, Deserialize)]
//! struct Record {
//! a: f32,
//! b: i32,
//! }
//!
//! let records = vec![
//! Record { a: 1.0, b: 1 },
//! Record { a: 2.0, b: 2 },
//! Record { a: 3.0, b: 3 },
//! ];
//!
//! // Determine Arrow schema
//! let fields = Vec::<FieldRef>::from_type::<Record>(TracingOptions::default())?;
//!
//! // Build the record batch
//! let batch = serde_arrow::to_record_batch(&fields, &records)?;
//! # Ok(())
//! # }
//! # #[cfg(not(feature = "has_arrow"))]
//! # fn main() { }
//! ```
//!
//! The `RecordBatch` can then be written to disk, e.g., as parquet using
//! the [`ArrowWriter`] from the [`parquet`] crate.
//!
//! [`ArrowWriter`]: https://docs.rs/parquet/latest/parquet/arrow/arrow_writer/struct.ArrowWriter.html
//! [`parquet`]: https://docs.rs/parquet/latest/parquet/
//!
//! ## `arrow2` Example
//!
//! Requires one of `arrow2` feature (see below).
//!
//! ```rust
//! # use serde::{Deserialize, Serialize};
//! # #[cfg(feature = "has_arrow2")]
//! # fn main() -> serde_arrow::Result<()> {
//! # use serde_arrow::_impl::arrow2;
//! use arrow2::datatypes::Field;
//! use serde_arrow::schema::{TracingOptions, SerdeArrowSchema};
//!
//! ##[derive(Serialize, Deserialize)]
//! struct Record {
//! a: f32,
//! b: i32,
//! }
//!
//! let records = vec![
//! Record { a: 1.0, b: 1 },
//! Record { a: 2.0, b: 2 },
//! Record { a: 3.0, b: 3 },
//! ];
//!
//! let fields = Vec::<Field>::from_type::<Record>(TracingOptions::default())?;
//! let arrays = serde_arrow::to_arrow2(&fields, &records)?;
//! #
//! # drop(arrays);
//! # Ok(())
//! # }
//! # #[cfg(not(feature = "has_arrow2"))]
//! # fn main() { }
//! ```
//!
//! The generated arrays can then be written to disk, e.g., as parquet:
//!
//! ```rust,ignore
//! use arrow2::{chunk::Chunk, datatypes::Schema};
//!
//! // see https://jorgecarleitao.github.io/arrow2/io/parquet_write.html
//! write_chunk(
//! "example.pq",
//! Schema::from(fields),
//! Chunk::new(arrays),
//! )?;
//! ```
//!
//! # Features:
//!
//! The version of `arrow` or `arrow2` used can be selected via features. Per
//! default no arrow implementation is used. In that case only the base features
//! of `serde_arrow` are available.
//!
//! The `arrow-*` and `arrow2-*` feature groups are compatible with each other.
//! I.e., it is possible to use `arrow` and `arrow2` together. Within each group
//! the highest version is selected, if multiple features are activated. E.g,
//! when selecting `arrow2-0-16` and `arrow2-0-17`, `arrow2=0.17` will be used.
//!
//! Available features:
//!
//! | Arrow Feature | Arrow Version |
//! |---------------|---------------|
// arrow-version:insert: //! | `arrow-{version}` | `arrow={version}` |
//! | `arrow-51` | `arrow=51` |
//! | `arrow-50` | `arrow=50` |
//! | `arrow-49` | `arrow=49` |
//! | `arrow-48` | `arrow=48` |
//! | `arrow-47` | `arrow=47` |
//! | `arrow-46` | `arrow=46` |
//! | `arrow-45` | `arrow=45` |
//! | `arrow-44` | `arrow=44` |
//! | `arrow-43` | `arrow=43` |
//! | `arrow-42` | `arrow=42` |
//! | `arrow-41` | `arrow=41` |
//! | `arrow-40` | `arrow=40` |
//! | `arrow-39` | `arrow=39` |
//! | `arrow-38` | `arrow=38` |
//! | `arrow-37` | `arrow=37` |
//! | `arrow2-0-17` | `arrow2=0.17` |
//! | `arrow2-0-16` | `arrow2=0.16` |
// be more forgiving without any active implementation
#[cfg_attr(all(not(has_arrow), not(has_arrow2)), allow(unused))]
mod internal;
/// *Internal. Do not use*
///
/// This module is an internal implementation detail and not subject to any
/// compatibility promises. It re-exports the arrow impls selected via features
/// to allow usage in doc tests or benchmarks.
///
#[rustfmt::skip]
pub mod _impl {
#[cfg(has_arrow2_0_17)]
#[doc(hidden)]
pub use arrow2_0_17 as arrow2;
#[cfg(has_arrow2_0_16)]
pub use arrow2_0_16 as arrow2;
#[allow(unused)]
macro_rules! build_arrow_crate {
($arrow_array:ident, $arrow_buffer:ident, $arrow_data:ident, $arrow_schema:ident) => {
/// A "fake" arrow crate re-exporting the relevant definitions of the
/// used arrow-* subcrates
#[doc(hidden)]
pub mod arrow {
/// The raw arrow packages
pub mod _raw {
pub use $arrow_array as array;
pub use $arrow_buffer as buffer;
pub use $arrow_data as data;
pub use $arrow_schema as schema;
}
pub mod array {
pub use $arrow_array::RecordBatch;
pub use $arrow_array::array::{
Array,
ArrayRef,
ArrowPrimitiveType,
BooleanArray,
DictionaryArray,
GenericListArray,
GenericStringArray,
LargeStringArray,
make_array,
MapArray,
NullArray,
OffsetSizeTrait,
PrimitiveArray,
StringArray,
StructArray,
UnionArray,
};
pub use $arrow_data::ArrayData;
}
pub mod buffer {
pub use $arrow_buffer::buffer::{Buffer, ScalarBuffer};
}
pub mod datatypes {
pub use $arrow_array::types::{
ArrowDictionaryKeyType,
ArrowPrimitiveType,
Date32Type,
Date64Type,
Decimal128Type,
DurationMicrosecondType,
DurationMillisecondType,
DurationNanosecondType,
DurationSecondType,
Float16Type,
Float32Type,
Float64Type,
Int16Type,
Int32Type,
Int64Type,
Int8Type,
Time32MillisecondType,
Time32SecondType,
Time64MicrosecondType,
Time64NanosecondType,
TimestampMicrosecondType,
TimestampMillisecondType,
TimestampNanosecondType,
TimestampSecondType,
UInt16Type,
UInt32Type,
UInt64Type,
UInt8Type,
};
pub use $arrow_buffer::ArrowNativeType;
pub use $arrow_schema::{DataType, Field, FieldRef, Schema, TimeUnit, UnionMode};
}
pub mod error {
pub use $arrow_schema::ArrowError;
}
}
};
}
// arrow-version:insert: #[cfg(has_arrow_{version})] build_arrow_crate!(arrow_array_{version}, arrow_buffer_{version}, arrow_data_{version}, arrow_schema_{version});
#[cfg(has_arrow_51)] build_arrow_crate!(arrow_array_51, arrow_buffer_51, arrow_data_51, arrow_schema_51);
#[cfg(has_arrow_50)] build_arrow_crate!(arrow_array_50, arrow_buffer_50, arrow_data_50, arrow_schema_50);
#[cfg(has_arrow_49)] build_arrow_crate!(arrow_array_49, arrow_buffer_49, arrow_data_49, arrow_schema_49);
#[cfg(has_arrow_48)] build_arrow_crate!(arrow_array_48, arrow_buffer_48, arrow_data_48, arrow_schema_48);
#[cfg(has_arrow_47)] build_arrow_crate!(arrow_array_47, arrow_buffer_47, arrow_data_47, arrow_schema_47);
#[cfg(has_arrow_46)] build_arrow_crate!(arrow_array_46, arrow_buffer_46, arrow_data_46, arrow_schema_46);
#[cfg(has_arrow_45)] build_arrow_crate!(arrow_array_45, arrow_buffer_45, arrow_data_45, arrow_schema_45);
#[cfg(has_arrow_44)] build_arrow_crate!(arrow_array_44, arrow_buffer_44, arrow_data_44, arrow_schema_44);
#[cfg(has_arrow_43)] build_arrow_crate!(arrow_array_43, arrow_buffer_43, arrow_data_43, arrow_schema_43);
#[cfg(has_arrow_42)] build_arrow_crate!(arrow_array_42, arrow_buffer_42, arrow_data_42, arrow_schema_42);
#[cfg(has_arrow_41)] build_arrow_crate!(arrow_array_41, arrow_buffer_41, arrow_data_41, arrow_schema_41);
#[cfg(has_arrow_40)] build_arrow_crate!(arrow_array_40, arrow_buffer_40, arrow_data_40, arrow_schema_40);
#[cfg(has_arrow_39)] build_arrow_crate!(arrow_array_39, arrow_buffer_39, arrow_data_39, arrow_schema_39);
#[cfg(has_arrow_38)] build_arrow_crate!(arrow_array_38, arrow_buffer_38, arrow_data_38, arrow_schema_38);
#[cfg(has_arrow_37)] build_arrow_crate!(arrow_array_37, arrow_buffer_37, arrow_data_37, arrow_schema_37);
#[cfg(has_arrow_36)] build_arrow_crate!(arrow_array_36, arrow_buffer_36, arrow_data_36, arrow_schema_36);
/// Documentation
pub mod docs {
pub mod quickstart;
#[doc = include_str!("../Status.md")]
#[cfg(not(doctest))]
pub mod status {}
}
// Reexport for tests
#[doc(hidden)]
pub use crate::internal::{
error::PanicOnError,
event::Event,
sink::serialize_into_sink,
serialization::array_builder::ArrayBuilder,
};
}
#[cfg(all(test, has_arrow, has_arrow2))]
mod test_impls;
#[cfg(all(test, has_arrow, has_arrow2))]
mod test_end_to_end;
#[cfg(test)]
mod test;
pub use crate::internal::error::{Error, Result};
#[cfg(has_arrow)]
mod arrow_impl;
#[cfg(has_arrow)]
pub use arrow_impl::api::{from_arrow, from_record_batch, to_arrow, to_record_batch, ArrowBuilder};
#[cfg(has_arrow2)]
mod arrow2_impl;
#[cfg(has_arrow2)]
pub use arrow2_impl::api::{from_arrow2, to_arrow2, Arrow2Builder};
#[deny(missing_docs)]
pub mod schema;
#[deny(missing_docs)]
pub mod utils;