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
#[macro_use]
extern crate nom;

#[macro_use]
#[cfg(test)]
extern crate maplit;

mod data;
mod operator;
mod lang;
mod render;

pub mod pipeline {
    use lang;
    use operator;
    use lang::*;
    use render::{RenderConfig, Renderer};
    use data::{Record, Row};
    use std::io::BufRead;
    use std::time::Duration;

    pub struct Pipeline {
        filter: lang::Search,
        pre_aggregates: Vec<Box<operator::UnaryPreAggOperator>>,
        aggregators: Vec<Box<operator::AggregateOperator>>,
        last_output: Option<Row>,
        renderer: Renderer,
    }

    impl Pipeline {
        fn convert_inline(op: lang::InlineOperator) -> Box<operator::UnaryPreAggOperator> {
            match op {
                InlineOperator::Json { input_column } => {
                    Box::new(operator::ParseJson::new(input_column))
                }
                InlineOperator::Parse {
                    pattern,
                    fields,
                    input_column,
                } => Box::new(operator::Parse::new(&pattern, fields, input_column).unwrap()),
            }
        }

        fn convert_sort(op: lang::SortOperator) -> Box<operator::AggregateOperator> {
            let mode = match op.direction {
                SortMode::Ascending => operator::SortDirection::Ascending,
                SortMode::Descending => operator::SortDirection::Descending,
            };
            Box::new(operator::Sorter::new(op.sort_cols, mode))
        }

        fn convert_agg(op: lang::AggregateOperator) -> Box<operator::AggregateOperator> {
            match op.aggregate_function {
                AggregateFunction::Count => Box::new(operator::Grouper::<operator::Count>::new(
                    op.key_cols.iter().map(AsRef::as_ref).collect(),
                    &op.output_column,
                    operator::Count::new(),
                )),
                AggregateFunction::Average { column } => {
                    Box::new(operator::Grouper::<operator::Average>::new(
                        op.key_cols.iter().map(AsRef::as_ref).collect(),
                        &op.output_column,
                        operator::Average::empty(column),
                    ))
                }
                AggregateFunction::Sum { column } => {
                    Box::new(operator::Grouper::<operator::Sum>::new(
                        op.key_cols.iter().map(AsRef::as_ref).collect(),
                        &op.output_column,
                        operator::Sum::empty(column),
                    ))
                }
                AggregateFunction::Percentile {
                    column, percentile, ..
                } => Box::new(operator::Grouper::<operator::Percentile>::new(
                    op.key_cols.iter().map(AsRef::as_ref).collect(),
                    &op.output_column,
                    operator::Percentile::empty(column, percentile),
                )),
            }
        }

        pub fn new(pipeline: &str) -> Result<Self, String> {
            let fixed_pipeline = format!("{}!", pipeline); // todo: fix hack
            let parsed = lang::parse_query(&fixed_pipeline);
            let query = match parsed {
                Ok((_input, query)) => query,
                Err(s) => return Result::Err(format!("Could not parse query: {:?}", s)),
            };
            let mut in_agg = false;
            let mut pre_agg: Vec<Box<operator::UnaryPreAggOperator>> = Vec::new();
            let mut post_agg: Vec<Box<operator::AggregateOperator>> = Vec::new();
            let final_op = {
                let last_op = &(query.operators).last();
                match last_op {
                    &Some(&Operator::Aggregate(ref agg_op)) => {
                        Some(Pipeline::convert_sort(SortOperator {
                            sort_cols: vec![agg_op.output_column.clone()],
                            direction: SortMode::Descending,
                        }))
                    }
                    _other => None,
                }
            };
            for op in query.operators {
                match op {
                    Operator::Inline(inline_op) => if !in_agg {
                        pre_agg.push(Pipeline::convert_inline(inline_op));
                    } else {
                        return Result::Err("non aggregate cannot follow aggregate".to_string());
                    },
                    Operator::Aggregate(agg_op) => {
                        in_agg = true;
                        post_agg.push(Pipeline::convert_agg(agg_op))
                    }
                    Operator::Sort(sort_op) => post_agg.push(Pipeline::convert_sort(sort_op)),
                }
            }
            match final_op {
                Some(op) => post_agg.push(op),
                None => (),
            };
            Result::Ok(Pipeline {
                filter: query.search,
                pre_aggregates: pre_agg,
                aggregators: post_agg,
                last_output: None,
                renderer: Renderer::new(
                    RenderConfig {
                        floating_points: 2,
                        min_buffer: 4,
                        max_buffer: 8,
                    },
                    Duration::from_millis(50),
                ),
            })
        }

        fn matches(&self, raw: &str) -> bool {
            match &self.filter {
                &lang::Search::MatchAll => true,
                &lang::Search::MatchFilter(ref filter) => raw.contains(filter),
            }
        }

        pub fn process<T: BufRead>(&mut self, mut buf: T) {
            // TODO: this is pretty slow in practice. ripgrep is obviously much faster.
            let mut line = String::with_capacity(1024);
            while buf.read_line(&mut line).unwrap() > 0 {
                self.proc_str(&(line));
                line.clear();
            }
            match &self.last_output {
                &Some(ref row) => self.renderer.render(row, true),
                &None => (),
            };
        }

        fn proc_str(&mut self, s: &str) {
            if self.matches(&s) {
                let mut rec = Record::new(s);
                for pre_agg in &self.pre_aggregates {
                    match (*pre_agg).process(rec) {
                        Some(next_rec) => rec = next_rec,
                        None => return,
                    }
                }

                let mut row = Row::Record(rec);
                for agg in self.aggregators.iter_mut() {
                    (*agg).process(row);
                    row = Row::Aggregate((*agg).emit());
                }
                self.renderer.render(&row, false);
                self.last_output = Some(row);
            }
        }
    }
}