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
use std::io::Write;
use std::{io::Read, fs::File};
use std::collections::HashMap;
#[cfg(feature = "rayon")]
use rayon::prelude::*;
use crate::{CIndexResult, CIndexError, consts};
use crate::models::{CsvType, CsvTable, Query};
pub struct Indexer {
print_header: bool,
always_unix_newline: bool,
tables: HashMap<String, CsvTable>,
}
impl Indexer {
pub fn new() -> Self {
Self {
print_header: true,
always_unix_newline: false,
tables: HashMap::new(),
}
}
pub fn set_print_header(&mut self, tv: bool) {
self.print_header = tv;
}
pub fn always_use_unix_newline(&mut self, tv:bool) {
self.always_unix_newline = tv;
}
fn get_newline(&self) -> &str {
if self.always_unix_newline {
"\n"
} else {
consts::LINE_ENDING
}
}
pub fn contains_table(&self, table_name: &str) -> bool {
self.tables.contains_key(table_name)
}
pub fn drop_table(&mut self, table_name: &str) {
self.tables.remove(table_name);
}
pub fn add_table_fast(&mut self, table_name: &str, input: impl Read) -> CIndexResult<()>{
self.add_table(table_name, vec![], input)
}
pub fn add_table(&mut self, table_name: &str, header_types: Vec<CsvType>, mut input: impl Read) -> CIndexResult<()> {
let mut table_content = String::new();
input.read_to_string(&mut table_content)?;
let mut lines = table_content.lines();
let headers : Vec<(String, CsvType)>;
let mut rows = vec![];
if let Some(headers_line) = lines.next() {
let header_types_iter = header_types[0..].iter().chain(std::iter::repeat(&CsvType::Text));
let header_lines_iter = headers_line.split(',');
let len = header_lines_iter.clone().collect::<Vec<&str>>().len();
headers = header_types_iter.zip(header_lines_iter).take(len).map(|(value,t)| (t.to_owned(), *value)).collect();
} else {
return Err(CIndexError::InvalidTableInput(format!("No header option is not supported")));
}
for line in lines {
let row: Vec<&str> = line.split(',').collect();
if row.len() != headers.len() {
return Err(CIndexError::InvalidTableInput(format!("Row's length \"{}\" is different from header's length \"{}\"", row.len(), headers.len())));
}
rows.push(row);
}
self.tables.insert(table_name.to_owned(), CsvTable::new(headers, rows)?);
Ok(())
}
pub fn index_raw(&self, raw_query: &str, out_option: OutOption) -> CIndexResult<()> {
self.index(Query::from_str(raw_query)?, out_option)
}
pub fn index(&self, query: Query, mut out_option: OutOption) -> CIndexResult<()> {
let table = self.tables.get(query.table_name.as_str()).ok_or(CIndexError::InvalidTableName(format!("Table \"{}\" doesn't exist", query.table_name)))?;
let filtered_rows = table.query(&query)?;
let mut rows_iter = filtered_rows.iter();
let columns: Option<Vec<usize>> = if let Some(ref cols) = query.column_names {
if cols.len() > 0 && cols[0] == "*" { None }
else {
#[cfg(feature = "rayon")]
let iter = cols.par_iter();
#[cfg(not(feature = "rayon"))]
let iter = cols.iter();
let collection : Result<Vec<usize>,CIndexError> = iter.map(|i| -> Result<usize, CIndexError> {
Ok(table.headers.get_index_of(i).ok_or(CIndexError::InvalidColumn(format!("No such column \"{}\"", i)))?)
}).collect();
Some(collection?)
}
} else { None };
if self.print_header {
let columns = query.column_names.unwrap_or(vec!["*".to_owned()]);
let map = query.column_map.unwrap_or(vec![]);
let mapped_columns : String;
if columns[0] == "*" {
let headers = table.headers
.iter()
.map(|s| s.to_string())
.collect::<Vec<String>>();
mapped_columns = map.iter()
.chain(headers[map.len()..].iter())
.map(|s| s.as_str())
.collect::<Vec<&str>>().join(",");
} else {
mapped_columns = map.iter()
.chain(columns[map.len()..].iter())
.map(|s| s.as_str())
.collect::<Vec<&str>>()
.join(",");
}
self.write(&(mapped_columns + self.get_newline()), &mut out_option)?;
}
while let Some(&row) = rows_iter.next() {
let row_string = if let Some(cols) = &columns {
row.column_splited(cols) + self.get_newline()
} else {
row.to_string() + self.get_newline()
};
self.write(&row_string, &mut out_option)?;
}
Ok(())
}
fn write(&self, content: &str, out_option: &mut OutOption) -> CIndexResult<()> {
match out_option {
OutOption::Term => print!("{}", content),
OutOption::File(file) => file.write_all(content.as_bytes())?,
OutOption::Value(target) => target.push_str(content),
}
Ok(())
}
}
pub enum OutOption<'a> {
Term,
Value(&'a mut String),
File(File),
}