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
// 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.
//! Various row layouts for different use case
use crate::schema_null_free;
use arrow::datatypes::{DataType, Schema};
use arrow::util::bit_util::{ceil, round_upto_power_of_2};
const UTF8_DEFAULT_SIZE: usize = 20;
const BINARY_DEFAULT_SIZE: usize = 100;
#[derive(Copy, Clone, Debug)]
/// Type of a RowLayout
pub enum RowType {
/// Stores each field with minimum bytes for space efficiency.
///
/// Its typical use case represents a sorting payload that
/// accesses all row fields as a unit.
///
/// Each tuple consists of up to three parts: "`null bit set`" ,
/// "`values`" and "`var length data`"
///
/// The null bit set is used for null tracking and is aligned to 1-byte. It stores
/// one bit per field.
///
/// In the region of the values, we store the fields in the order they are defined in the schema.
/// - For fixed-length, sequential access fields, we store them directly.
/// E.g., 4 bytes for int and 1 byte for bool.
/// - For fixed-length, update often fields, we store one 8-byte word per field.
/// - For fields of non-primitive or variable-length types,
/// we append their actual content to the end of the var length region and
/// store their offset relative to row base and their length, packed into an 8-byte word.
///
/// ```plaintext
/// ┌────────────────┬──────────────────────────┬───────────────────────┐ ┌───────────────────────┬────────────┐
/// │Validity Bitmask│ Fixed Width Field │ Variable Width Field │ ... │ vardata area │ padding │
/// │ (byte aligned) │ (native type width) │(vardata offset + len) │ │ (variable length) │ bytes │
/// └────────────────┴──────────────────────────┴───────────────────────┘ └───────────────────────┴────────────┘
/// ```
///
/// For example, given the schema (Int8, Utf8, Float32, Utf8)
///
/// Encoding the tuple (1, "FooBar", NULL, "baz")
///
/// Requires 32 bytes (31 bytes payload and 1 byte padding to make each tuple 8-bytes aligned):
///
/// ```plaintext
/// ┌──────────┬──────────┬──────────────────────┬──────────────┬──────────────────────┬───────────────────────┬──────────┐
/// │0b00001011│ 0x01 │0x00000016 0x00000006│ 0x00000000 │0x0000001C 0x00000003│ FooBarbaz │ 0x00 │
/// └──────────┴──────────┴──────────────────────┴──────────────┴──────────────────────┴───────────────────────┴──────────┘
/// 0 1 2 10 14 22 31 32
/// ```
Compact,
/// This type of layout stores one 8-byte word per field for CPU-friendly,
/// It is mainly used to represent the rows with frequently updated content,
/// for example, grouping state for hash aggregation.
WordAligned,
// RawComparable,
}
/// Reveals how the fields of a record are stored in the raw-bytes format
#[derive(Debug, Clone)]
pub struct RowLayout {
/// Type of the layout
row_type: RowType,
/// If a row is null free according to its schema
pub(crate) null_free: bool,
/// The number of bytes used to store null bits for each field.
pub(crate) null_width: usize,
/// Length in bytes for `values` part of the current tuple.
pub(crate) values_width: usize,
/// Total number of fields for each tuple.
pub(crate) field_count: usize,
/// Starting offset for each fields in the raw bytes.
pub(crate) field_offsets: Vec<usize>,
}
impl RowLayout {
/// new
pub fn new(schema: &Schema, row_type: RowType) -> Self {
assert!(
row_supported(schema, row_type),
"{row_type:?}Row with {schema:?} not supported yet.",
);
let null_free = schema_null_free(schema);
let field_count = schema.fields().len();
let null_width = if null_free {
0
} else {
match row_type {
RowType::Compact => ceil(field_count, 8),
RowType::WordAligned => round_upto_power_of_2(ceil(field_count, 8), 8),
}
};
let (field_offsets, values_width) = match row_type {
RowType::Compact => compact_offsets(null_width, schema),
RowType::WordAligned => word_aligned_offsets(null_width, schema),
};
Self {
row_type,
null_free,
null_width,
values_width,
field_count,
field_offsets,
}
}
/// Get fixed part width for this layout
#[inline(always)]
pub fn fixed_part_width(&self) -> usize {
self.null_width + self.values_width
}
}
/// Get relative offsets for each field and total width for values
fn compact_offsets(null_width: usize, schema: &Schema) -> (Vec<usize>, usize) {
let mut offsets = vec![];
let mut offset = null_width;
for f in schema.fields() {
offsets.push(offset);
offset += compact_type_width(f.data_type());
}
(offsets, offset - null_width)
}
fn var_length(dt: &DataType) -> bool {
use DataType::*;
matches!(dt, Utf8 | Binary)
}
fn compact_type_width(dt: &DataType) -> usize {
use DataType::*;
if var_length(dt) {
return std::mem::size_of::<u64>();
}
match dt {
Boolean | UInt8 | Int8 => 1,
UInt16 | Int16 => 2,
UInt32 | Int32 | Float32 | Date32 => 4,
UInt64 | Int64 | Float64 | Date64 => 8,
_ => unreachable!(),
}
}
fn word_aligned_offsets(null_width: usize, schema: &Schema) -> (Vec<usize>, usize) {
let mut offsets = vec![];
let mut offset = null_width;
for f in schema.fields() {
offsets.push(offset);
assert!(!matches!(f.data_type(), DataType::Decimal128(_, _)));
// All of the current support types can fit into one single 8-bytes word.
// When we decide to support Decimal type in the future, its width would be
// of two 8-bytes words and should adapt the width calculation below.
offset += 8;
}
(offsets, offset - null_width)
}
/// Estimate row width based on schema
pub(crate) fn estimate_row_width(schema: &Schema, layout: &RowLayout) -> usize {
let mut width = layout.fixed_part_width();
if matches!(layout.row_type, RowType::WordAligned) {
return width;
}
for f in schema.fields() {
match f.data_type() {
DataType::Utf8 => width += UTF8_DEFAULT_SIZE,
DataType::Binary => width += BINARY_DEFAULT_SIZE,
_ => {}
}
}
round_upto_power_of_2(width, 8)
}
/// Return true of data in `schema` can be converted to raw-bytes
/// based rows.
///
/// Note all schemas can be supported in the row format
pub fn row_supported(schema: &Schema, row_type: RowType) -> bool {
schema
.fields()
.iter()
.all(|f| supported_type(f.data_type(), row_type))
}
fn supported_type(dt: &DataType, row_type: RowType) -> bool {
use DataType::*;
match row_type {
RowType::Compact => {
matches!(
dt,
Boolean
| UInt8
| UInt16
| UInt32
| UInt64
| Int8
| Int16
| Int32
| Int64
| Float32
| Float64
| Date32
| Date64
| Utf8
| Binary
)
}
// only fixed length types are supported for fast in-place update.
RowType::WordAligned => {
matches!(
dt,
Boolean
| UInt8
| UInt16
| UInt32
| UInt64
| Int8
| Int16
| Int32
| Int64
| Float32
| Float64
| Date32
| Date64
)
}
}
}