-
Notifications
You must be signed in to change notification settings - Fork 71
/
fill.rs
359 lines (303 loc) · 10.7 KB
/
fill.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
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
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
static USAGE: &str = r#"
Fill empty fields in selected columns of a CSV.
This command fills empty fields in the selected column
using the last seen non-empty field in the CSV. This is
useful to forward-fill values which may only be included
the first time they are encountered.
The option `--default <value>` fills all empty values
in the selected columns with the provided default value.
The option `--first` fills empty values using the first
seen non-empty value in that column, instead of the most
recent non-empty value in that column.
The option `--backfill` fills empty values at the start of
the CSV with the first valid value in that column. This
requires buffering rows with empty values in the target
column which appear before the first valid value.
The option `--groupby` groups the rows by the specified
columns before filling in the empty values. Using this
option, empty values are only filled with values which
belong to the same group of rows, as determined by the
columns selected in the `--groupby` option.
When both `--groupby` and `--backfill` are specified, and the
CSV is not sorted by the `--groupby` columns, rows may be
re-ordered during output due to the buffering of rows
collected before the first valid value.
For examples, see https://github.com/jqnatividad/qsv/blob/master/tests/test_fill.rs.
Usage:
qsv fill [options] [--] <selection> [<input>]
qsv fill --help
fill options:
-g --groupby <keys> Group by specified columns.
-f --first Fill using the first valid value of a column, instead of the latest.
-b --backfill Fill initial empty values with the first valid value.
-v --default <value> Fill using this default value.
Common options:
-h, --help Display this message
-o, --output <file> Write output to <file> instead of stdout.
-n, --no-headers When set, the first row will not be interpreted
as headers. (i.e., They are not searched, analyzed,
sliced, etc.)
-d, --delimiter <arg> The field delimiter for reading CSV data.
Must be a single character. (default: ,)
"#;
use std::{io, iter, ops};
use ahash::AHashMap;
use serde::Deserialize;
use crate::{
config::{Config, Delimiter},
select::{SelectColumns, Selection},
util,
util::ByteString,
CliResult,
};
type BoxedWriter = csv::Writer<Box<dyn io::Write + 'static>>;
type BoxedReader = csv::Reader<Box<dyn io::Read + Send + 'static>>;
#[derive(Deserialize)]
struct Args {
arg_input: Option<String>,
arg_selection: SelectColumns,
flag_output: Option<String>,
flag_no_headers: bool,
flag_delimiter: Option<Delimiter>,
flag_groupby: Option<SelectColumns>,
flag_first: bool,
flag_backfill: bool,
flag_default: Option<String>,
}
pub fn run(argv: &[&str]) -> CliResult<()> {
let args: Args = util::get_args(USAGE, argv)?;
let rconfig = Config::new(args.arg_input.as_ref())
.delimiter(args.flag_delimiter)
.no_headers(args.flag_no_headers)
.select(args.arg_selection);
let wconfig = Config::new(args.flag_output.as_ref());
let mut rdr = rconfig.reader()?;
let mut wtr = wconfig.writer()?;
let headers = rdr.byte_headers()?.clone();
let select = rconfig.selection(&headers)?;
let groupby = match args.flag_groupby {
Some(value) => Some(value.selection(&headers, !rconfig.no_headers)?),
None => None,
};
if !rconfig.no_headers {
rconfig.write_headers(&mut rdr, &mut wtr)?;
}
let filler = Filler::new(groupby, select)
.use_first_value(args.flag_first)
.backfill_empty_values(args.flag_backfill)
.use_default_value(args.flag_default);
filler.fill(&mut rdr, &mut wtr)
}
#[derive(PartialEq, Eq, Hash, Clone, Debug)]
struct ByteRecord(Vec<ByteString>);
impl<'a> From<&'a csv::ByteRecord> for ByteRecord {
fn from(record: &'a csv::ByteRecord) -> Self {
ByteRecord(record.iter().map(<[u8]>::to_vec).collect())
}
}
impl iter::FromIterator<ByteString> for ByteRecord {
fn from_iter<T: IntoIterator<Item = ByteString>>(iter: T) -> Self {
ByteRecord(Vec::from_iter(iter))
}
}
impl iter::IntoIterator for ByteRecord {
type IntoIter = ::std::vec::IntoIter<ByteString>;
type Item = ByteString;
fn into_iter(self) -> Self::IntoIter {
self.0.into_iter()
}
}
impl ops::Deref for ByteRecord {
type Target = [ByteString];
fn deref(&self) -> &[ByteString] {
&self.0
}
}
type GroupKey = Option<ByteRecord>;
type GroupBuffer = AHashMap<GroupKey, Vec<ByteRecord>>;
type Grouper = AHashMap<GroupKey, GroupValues>;
type GroupKeySelection = Option<Selection>;
trait GroupKeyConstructor {
fn key(&self, record: &csv::ByteRecord) -> Result<GroupKey, String>;
}
impl GroupKeyConstructor for GroupKeySelection {
fn key(&self, record: &csv::ByteRecord) -> Result<GroupKey, String> {
match *self {
Some(ref value) => Ok(Some(value.iter().map(|&i| record[i].to_vec()).collect())),
None => Ok(None),
}
}
}
#[derive(Debug)]
struct GroupValues {
map: AHashMap<usize, ByteString>,
default: Option<ByteString>,
}
impl GroupValues {
fn new(default: Option<ByteString>) -> Self {
Self {
map: AHashMap::new(),
default,
}
}
}
trait GroupMemorizer {
fn fill(&self, selection: &Selection, record: ByteRecord) -> ByteRecord;
fn memorize(&mut self, selection: &Selection, record: &csv::ByteRecord);
fn memorize_first(&mut self, selection: &Selection, record: &csv::ByteRecord);
}
impl GroupMemorizer for GroupValues {
fn memorize(&mut self, selection: &Selection, record: &csv::ByteRecord) {
for &col in selection.iter().filter(|&col| !record[*col].is_empty()) {
self.map.insert(col, record[col].to_vec());
}
}
fn memorize_first(&mut self, selection: &Selection, record: &csv::ByteRecord) {
for &col in selection.iter().filter(|&col| !record[*col].is_empty()) {
self.map.entry(col).or_insert_with(|| record[col].to_vec());
}
}
fn fill(&self, selection: &Selection, record: ByteRecord) -> ByteRecord {
record
.into_iter()
.enumerate()
.map_selected(selection, |(col, field)| {
(
col,
if field.is_empty() {
self.default
.clone()
.or_else(|| self.map.get(&col).cloned())
.unwrap_or_else(|| field.clone())
} else {
field
},
)
})
.map(|(_, field)| field)
.collect()
}
}
struct Filler {
grouper: Grouper,
groupby: GroupKeySelection,
select: Selection,
buffer: GroupBuffer,
first: bool,
backfill: bool,
default_value: Option<ByteString>,
}
impl Filler {
fn new(groupby: GroupKeySelection, select: Selection) -> Self {
Self {
grouper: Grouper::new(),
groupby,
select,
buffer: GroupBuffer::new(),
first: false,
backfill: false,
default_value: None,
}
}
const fn use_first_value(mut self, first: bool) -> Self {
self.first = first;
self
}
const fn backfill_empty_values(mut self, backfill: bool) -> Self {
self.backfill = backfill;
self
}
fn use_default_value(mut self, value: Option<String>) -> Self {
self.default_value = value.map(|v| v.as_bytes().to_vec());
self
}
fn fill(mut self, rdr: &mut BoxedReader, wtr: &mut BoxedWriter) -> CliResult<()> {
let mut record = csv::ByteRecord::new();
while rdr.read_byte_record(&mut record)? {
// Precompute groupby key
let key = self.groupby.key(&record)?;
// Record valid fields, and fill empty fields
let default_value = self.default_value.clone();
let group = self
.grouper
.entry(key.clone())
.or_insert_with(|| GroupValues::new(default_value));
match (self.default_value.is_some(), self.first) {
(true, _) => {},
(false, true) => group.memorize_first(&self.select, &record),
(false, false) => group.memorize(&self.select, &record),
};
let row = group.fill(&self.select, ByteRecord::from(&record));
// Handle buffering rows which still have nulls.
if self.backfill && (self.select.iter().any(|&i| row[i] == b"")) {
self.buffer.entry(key.clone()).or_default().push(row);
} else {
if let Some(rows) = self.buffer.remove(&key) {
for buffered_row in rows {
wtr.write_record(group.fill(&self.select, buffered_row).iter())?;
}
}
wtr.write_record(row.iter())?;
}
}
// Ensure any remaining buffers are dumped at the end.
for (key, rows) in self.buffer {
let group = self.grouper.get(&key).unwrap();
for buffered_row in rows {
wtr.write_record(group.fill(&self.select, buffered_row).iter())?;
}
}
wtr.flush()?;
Ok(())
}
}
struct MapSelected<I, F> {
selection: Vec<usize>,
selection_index: usize,
index: usize,
iterator: I,
predicate: F,
}
impl<I: iter::Iterator, F> iter::Iterator for MapSelected<I, F>
where
F: FnMut(I::Item) -> I::Item,
{
type Item = I::Item;
fn next(&mut self) -> Option<Self::Item> {
let item = self.iterator.next()?;
let result = match self.selection_index {
ref mut sidx if (self.selection.get(*sidx) == Some(&self.index)) => {
*sidx += 1;
Some((self.predicate)(item))
},
_ => Some(item),
};
self.index += 1;
result
}
}
trait Selectable<B>
where
Self: iter::Iterator<Item = B> + Sized,
{
fn map_selected<F>(self, selector: &Selection, predicate: F) -> MapSelected<Self, F>
where
F: FnMut(B) -> B;
}
impl<B, C> Selectable<B> for C
where
C: iter::Iterator<Item = B> + Sized,
{
fn map_selected<F>(self, selector: &Selection, predicate: F) -> MapSelected<Self, F>
where
F: FnMut(B) -> B,
{
MapSelected {
selection: selector.iter().copied().collect(),
selection_index: 0,
index: 0,
iterator: self,
predicate,
}
}
}