polars_core/frame/horizontal.rs
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
use polars_error::{polars_err, PolarsResult};
use super::Column;
use crate::datatypes::AnyValue;
use crate::frame::DataFrame;
impl DataFrame {
/// Add columns horizontally.
///
/// # Safety
/// The caller must ensure:
/// - the length of all [`Column`] is equal to the height of this [`DataFrame`]
/// - the columns names are unique
///
/// Note: If `self` is empty, `self.height` will always be overridden by the height of the first
/// column in `columns`.
///
/// Note that on a debug build this will panic on duplicates / height mismatch.
pub unsafe fn hstack_mut_unchecked(&mut self, columns: &[Column]) -> &mut Self {
self.clear_schema();
self.columns.extend_from_slice(columns);
if cfg!(debug_assertions) {
if let err @ Err(_) = DataFrame::validate_columns_slice(&self.columns) {
// Reset DataFrame state to before extend.
self.columns.truncate(self.columns.len() - columns.len());
err.unwrap();
}
}
if let Some(c) = self.columns.first() {
unsafe { self.set_height(c.len()) };
}
self
}
/// Add multiple [`Column`] to a [`DataFrame`].
/// Errors if the resulting DataFrame columns have duplicate names or unequal heights.
///
/// Note: If `self` is empty, `self.height` will always be overridden by the height of the first
/// column in `columns`.
///
/// # Example
///
/// ```rust
/// # use polars_core::prelude::*;
/// fn stack(df: &mut DataFrame, columns: &[Column]) {
/// df.hstack_mut(columns);
/// }
/// ```
pub fn hstack_mut(&mut self, columns: &[Column]) -> PolarsResult<&mut Self> {
self.clear_schema();
self.columns.extend_from_slice(columns);
if let err @ Err(_) = DataFrame::validate_columns_slice(&self.columns) {
// Reset DataFrame state to before extend.
self.columns.truncate(self.columns.len() - columns.len());
err?;
}
if let Some(c) = self.columns.first() {
unsafe { self.set_height(c.len()) };
}
Ok(self)
}
}
/// Concat [`DataFrame`]s horizontally.
/// Concat horizontally and extend with null values if lengths don't match
pub fn concat_df_horizontal(dfs: &[DataFrame], check_duplicates: bool) -> PolarsResult<DataFrame> {
let output_height = dfs
.iter()
.map(|df| df.height())
.max()
.ok_or_else(|| polars_err!(ComputeError: "cannot concat empty dataframes"))?;
let owned_df;
let mut out_width = 0;
let all_equal_height = dfs.iter().all(|df| {
out_width += df.width();
df.height() == output_height
});
// if not all equal length, extend the DataFrame with nulls
let dfs = if !all_equal_height {
out_width = 0;
owned_df = dfs
.iter()
.cloned()
.map(|mut df| {
out_width += df.width();
if df.height() != output_height {
let diff = output_height - df.height();
// SAFETY: We extend each column with nulls to the point of being of length
// `output_height`. Then, we set the height of the resulting dataframe.
unsafe { df.get_columns_mut() }.iter_mut().for_each(|c| {
*c = c.extend_constant(AnyValue::Null, diff).unwrap();
});
df.clear_schema();
unsafe {
df.set_height(output_height);
}
}
df
})
.collect::<Vec<_>>();
owned_df.as_slice()
} else {
dfs
};
let mut acc_cols = Vec::with_capacity(out_width);
for df in dfs {
acc_cols.extend(df.get_columns().iter().cloned());
}
if check_duplicates {
DataFrame::validate_columns_slice(&acc_cols)?;
}
let df = unsafe { DataFrame::new_no_checks_height_from_first(acc_cols) };
Ok(df)
}
#[cfg(test)]
mod tests {
use polars_error::PolarsError;
#[test]
fn test_hstack_mut_empty_frame_height_validation() {
use crate::frame::DataFrame;
use crate::prelude::{Column, DataType};
let mut df = DataFrame::empty();
let result = df.hstack_mut(&[
Column::full_null("a".into(), 1, &DataType::Null),
Column::full_null("b".into(), 3, &DataType::Null),
]);
assert!(
matches!(result, Err(PolarsError::ShapeMismatch(_))),
"expected shape mismatch error"
);
// Ensure the DataFrame is not mutated in the error case.
assert_eq!(df.width(), 0);
}
}