1use crate::*;
2use std::collections::HashMap;
3
4pub fn structure(strct: &Structure, p: &Interpreter) -> MResult<Value> {
8 match strct {
9 Structure::Empty => Ok(Value::Empty),
10 #[cfg(feature = "record")]
11 Structure::Record(x) => record(&x, p),
12 #[cfg(feature = "matrix")]
13 Structure::Matrix(x) => matrix(&x, p),
14 #[cfg(feature = "table")]
15 Structure::Table(x) => table(&x, p),
16 #[cfg(feature = "tuple")]
17 Structure::Tuple(x) => tuple(&x, p),
18 #[cfg(feature = "tuple_struct")]
19 Structure::TupleStruct(x) => todo!(),
20 #[cfg(feature = "set")]
21 Structure::Set(x) => set(&x, p),
22 #[cfg(feature = "map")]
23 Structure::Map(x) => map(&x, p),
24 x => Err(MechError2::new(FeatureNotEnabledError, Some(format!("Feature not enabled for `{:?}`", stringify!(x)))).with_compiler_loc()),
25 }
26}
27
28#[cfg(feature = "tuple")]
29pub fn tuple(tpl: &Tuple, p: &Interpreter) -> MResult<Value> {
30 let mut elements = vec![];
31 for el in &tpl.elements {
32 let result = expression(el,p)?;
33 elements.push(Box::new(result));
34 }
35 let mech_tuple = Ref::new(MechTuple{elements});
36 Ok(Value::Tuple(mech_tuple))
37}
38
39#[cfg(feature = "map")]
40pub fn map(mp: &Map, p: &Interpreter) -> MResult<Value> {
41 let mut m = IndexMap::new();
42 for b in &mp.elements {
43 let key = expression(&b.key, p)?;
44 let val = expression(&b.value, p)?;
45 m.insert(key,val);
46 }
47
48 let key_kind = m.keys().next().unwrap().kind();
49 for k in m.keys() {
51 if k.kind() != key_kind {
52 return Err(MechError2::new(
53 MapKeyKindMismatchError{expected_kind: key_kind.clone(), actual_kind: k.kind().clone()},
54 None
55 ).with_compiler_loc());
56 }
57 }
58
59 let value_kind = m.values().next().unwrap().kind();
60 for v in m.values() {
62 if v.kind() != value_kind {
63 return Err(MechError2::new(
64 MapValueKindMismatchError{expected_kind: value_kind.clone(), actual_kind: v.kind().clone()},
65 None
66 ).with_compiler_loc());
67 }
68 }
69 Ok(Value::Map(Ref::new(MechMap{
70 num_elements: m.len(),
71 key_kind,
72 value_kind,
73 map: m
74 })))
75}
76
77#[cfg(feature = "record")]
78pub fn record(rcrd: &Record, p: &Interpreter) -> MResult<Value> {
79 let mut data: IndexMap<u64,Value> = IndexMap::new();
80 let cols: usize = rcrd.bindings.len();
81 let mut kinds: Vec<ValueKind> = Vec::new();
82 let mut field_names: HashMap<u64,String> = HashMap::new();
83 for b in &rcrd.bindings {
84 let name_hash = b.name.hash();
85 let name_str = b.name.to_string();
86 let val = expression(&b.value, p)?;
87 let knd: ValueKind = match &b.kind {
88 Some(k) => kind_annotation(&k.kind, p)?.to_value_kind(&p.state.borrow().kinds)?,
89 None => val.kind(),
90 };
91 kinds.push(knd.clone());
93 #[cfg(feature = "convert")]
94 if knd != val.kind() {
95 let fxn = ConvertKind{}.compile(&vec![val.clone(), Value::Kind(knd.clone())]);
96 match fxn {
97 Ok(convert_fxn) => {
98 convert_fxn.solve();
99 let converted_result = convert_fxn.out();
100 p.state.borrow_mut().add_plan_step(convert_fxn);
101 data.insert(name_hash, converted_result);
102 },
103 Err(e) => {
104 return Err(MechError2::new(
105 TableColumnKindMismatchError {
106 column_id: name_hash,
107 expected_kind: knd.clone(),
108 actual_kind: val.kind().clone(),
109 },
110 None
111 ).with_compiler_loc());
112 }
113 }
114 } else {
115 data.insert(name_hash, val);
116 }
117 #[cfg(not(feature = "convert"))]
118 if knd != val.kind() {
119 return Err(MechError{file: file!().to_string(), tokens: vec![], msg: "".to_string(), id: line!(), kind: MechErrorKind::KindMismatch(val.kind(),knd)});
120 } else {
121 data.insert(name_hash, val);
122 }
123 field_names.insert(name_hash, name_str);
124 }
125 Ok(Value::Record(Ref::new(MechRecord{
126 cols,
127 kinds,
128 data,
129 field_names,
130 })))
131}
132
133#[cfg(feature = "set")]
138#[derive(Debug)]
139pub struct ValueSet {
140 pub out: Ref<MechSet>,
141}
142#[cfg(feature = "set")]
143#[cfg(feature = "functions")]
144impl MechFunctionImpl for ValueSet {
145 fn solve(&self) {}
146 fn out(&self) -> Value { Value::Set(self.out.clone()) }
147 fn to_string(&self) -> String { format!("{:#?}", self) }
148}
149#[cfg(feature = "set")]
150#[cfg(feature = "functions")]
151impl MechFunctionFactory for ValueSet {
152 fn new(args: FunctionArgs) -> MResult<Box<dyn MechFunction>> {
153 match args {
154 FunctionArgs::Nullary(out) => {
155 let out: Ref<MechSet> = unsafe{ out.as_unchecked().clone() };
156 Ok(Box::new(ValueSet {out}))
157 },
158 _ => Err(MechError2::new(
159 IncorrectNumberOfArguments { expected: 0, found: args.len() },
160 None
161 ).with_compiler_loc()
162 ),
163 }
164 }
165}
166#[cfg(feature = "set")]
167#[cfg(feature = "compiler")]
168impl MechFunctionCompiler for ValueSet {
169 fn compile(&self, ctx: &mut CompileCtx) -> MResult<Register> {
170 compile_nullop!("set/define", self.out, ctx, FeatureFlag::Builtin(FeatureKind::Set));
171 }
172}
173#[cfg(feature = "set")]
174#[cfg(feature = "functions")]
175register_descriptor!{
176 FunctionDescriptor {
177 name: "set/define",
178 ptr: ValueSet::new,
179 }
180}
181
182#[cfg(feature = "set")]
183pub struct SetDefine {}
184#[cfg(feature = "set")]
185#[cfg(feature = "functions")]
186impl NativeFunctionCompiler for SetDefine {
187 fn compile(&self, arguments: &Vec<Value>) -> MResult<Box<dyn MechFunction>> {
188 Ok(Box::new(ValueSet {
189 out: Ref::new(MechSet::from_vec(arguments.clone())),
190 }))
191 }
192}
193#[cfg(feature = "set")]
194#[cfg(feature = "functions")]
195register_descriptor!{
196 FunctionCompilerDescriptor {
197 name: "set/define",
198 ptr: &SetDefine{},
199 }
200}
201
202#[cfg(feature = "set")]
203pub fn set(m: &Set, p: &Interpreter) -> MResult<Value> {
204 let mut elements = Vec::new();
205 for el in &m.elements {
206 let result = expression(el, p)?;
207 elements.push(result.clone());
208 }
209 let element_kind = if elements.len() > 0 {
210 elements[0].kind()
211 } else {
212 ValueKind::Empty
213 };
214 for el in &elements {
216 if el.kind() != element_kind {
217 return Err(MechError2::new(
218 SetKindMismatchError{expected_kind: element_kind.clone(), actual_kind: el.kind().clone()},
219 None
220 ).with_compiler_loc());
221 }
222 }
223 #[cfg(feature = "functions")]
224 {
225 let new_fxn = SetDefine {}.compile(&elements)?;
226 new_fxn.solve();
227 let out = new_fxn.out();
228 let plan = p.plan();
229 let mut plan_brrw = plan.borrow_mut();
230 plan_brrw.push(new_fxn);
231 Ok(out)
232 }
233 #[cfg(not(feature = "functions"))]
234 {
235 Ok(Value::Set(Ref::new(MechSet::from_vec(elements))))
236 }
237}
238
239macro_rules! handle_value_kind {
243 ($value_kind:ident, $val:expr, $field_label:expr, $data_map:expr, $converter:ident) => {{
244 let mut vals = Vec::new();
245 let id = $field_label; for x in $val.as_vec().iter() {
247 match x.$converter() {
248 Ok(u) => vals.push(u.to_value()),
249 Err(_) => {
250 return Err(MechError2::new(
251 TableColumnKindMismatchError {
252 column_id: id,
253 expected_kind: $value_kind.clone(),
254 actual_kind: x.kind()
255 },
256 None
257 ).with_compiler_loc());
258 }
259 }
260 }
261 $data_map.insert(id, ($value_kind.clone(), Value::to_matrixd(vals.clone(), vals.len(), 1)));
262 }};
263}
264
265
266fn handle_column_kind(
267 kind: ValueKind,
268 id: u64,
269 val: Matrix<Value>,
270 data_map: &mut IndexMap<u64,(ValueKind,Matrix<Value>)>
271) -> MResult<()>
272{
273 match kind {
274 #[cfg(feature = "i8")]
275 ValueKind::I8 => handle_value_kind!(kind, val, id, data_map, as_i8),
276 #[cfg(feature = "i16")]
277 ValueKind::I16 => handle_value_kind!(kind, val, id, data_map, as_i16),
278 #[cfg(feature = "i32")]
279 ValueKind::I32 => handle_value_kind!(kind, val, id, data_map, as_i32),
280 #[cfg(feature = "i64")]
281 ValueKind::I64 => handle_value_kind!(kind, val, id, data_map, as_i64),
282 #[cfg(feature = "i128")]
283 ValueKind::I128 => handle_value_kind!(kind, val, id, data_map, as_i128),
284
285 #[cfg(feature = "u8")]
286 ValueKind::U8 => handle_value_kind!(kind, val, id, data_map, as_u8),
287 #[cfg(feature = "u16")]
288 ValueKind::U16 => handle_value_kind!(kind, val, id, data_map, as_u16),
289 #[cfg(feature = "u32")]
290 ValueKind::U32 => handle_value_kind!(kind, val, id, data_map, as_u32),
291 #[cfg(feature = "u64")]
292 ValueKind::U64 => handle_value_kind!(kind, val, id, data_map, as_u64),
293 #[cfg(feature = "u128")]
294 ValueKind::U128 => handle_value_kind!(kind, val, id, data_map, as_u128),
295
296 #[cfg(feature = "f32")]
297 ValueKind::F32 => handle_value_kind!(kind, val, id, data_map, as_f32),
298 #[cfg(feature = "f64")]
299 ValueKind::F64 => handle_value_kind!(kind, val, id, data_map, as_f64),
300
301 #[cfg(feature = "string")]
302 ValueKind::String => handle_value_kind!(kind, val, id, data_map, as_string),
303
304 #[cfg(feature = "complex")]
305 ValueKind::C64 => handle_value_kind!(kind, val, id, data_map, as_c64),
306
307 #[cfg(feature = "rational")]
308 ValueKind::R64 => handle_value_kind!(kind, val, id, data_map, as_r64),
309
310 #[cfg(feature = "bool")]
311 ValueKind::Bool => {
312 let vals: Vec<Value> = val.as_vec()
313 .iter()
314 .map(|x| x.as_bool().unwrap().to_value())
315 .collect();
316 data_map.insert(id, (ValueKind::Bool, Value::to_matrix(vals.clone(), vals.len(), 1)));
317 }
318
319 x => {
320 println!("Unsupported kind in table column: {:?}", x);
321 todo!()
322 }
323 }
324
325 Ok(())
326}
327
328#[cfg(feature = "table")]
329pub fn table(t: &Table, p: &Interpreter) -> MResult<Value> {
330 let mut rows = vec![];
331 let headings = table_header(&t.header, p)?;
332 let mut cols = 0;
333
334 for row in &t.rows {
336 let result = table_row(row, p)?;
337 cols = result.len();
338 rows.push(result);
339 }
340
341 let mut data = vec![Vec::<Value>::new(); cols];
343
344 for row in rows {
346 for (ix, el) in row.into_iter().enumerate() {
347 data[ix].push(el);
348 }
349 }
350
351 let mut data_map: IndexMap<u64,(ValueKind,Matrix<Value>)> = IndexMap::new();
353
354 for ((id, knd, _name), column) in headings.iter().zip(data.iter()) {
355 let id_u64 = id.as_u64().unwrap().borrow().clone();
356
357 let actual_kind = match knd {
359 ValueKind::None => {
360 match column.first() {
361 Some(v) => v.kind(),
362 None => ValueKind::String, }
364 }
365 _ => knd.clone(),
366 };
367
368 let val = Value::to_matrix(column.clone(), column.len(), 1);
370
371 handle_column_kind(actual_kind, id_u64, val, &mut data_map)?;
373 }
374
375 let names: HashMap<u64, String> = headings.iter()
377 .map(|(id, _, name)| (id.as_u64().unwrap().borrow().clone(), name.to_string()))
378 .collect();
379
380 let tbl = MechTable::new(t.rows.len(), cols, data_map.clone(), names);
381 Ok(Value::Table(Ref::new(tbl)))
382}
383
384#[cfg(feature = "kind_annotation")]
385pub fn table_header(fields: &Vec<Field>, p: &Interpreter) -> MResult<Vec<(Value,ValueKind,Identifier)>> {
386 let mut headings: Vec<(Value,ValueKind,Identifier)> = Vec::new();
387 for f in fields {
388 let id = f.name.hash();
389 let kind = match &f.kind {
390 Some(k) => kind_annotation(&k.kind, p)?,
391 None => Kind::None,
392 };
393 headings.push((Value::Id(id),kind.to_value_kind(&p.state.borrow().kinds)?,f.name.clone()));
394 }
395 Ok(headings)
396}
397
398pub fn table_row(r: &TableRow, p: &Interpreter) -> MResult<Vec<Value>> {
399 let mut row: Vec<Value> = Vec::new();
400 for col in &r.columns {
401 let result = table_column(col, p)?;
402 row.push(result);
403 }
404 Ok(row)
405}
406
407pub fn table_column(r: &TableColumn, p: &Interpreter) -> MResult<Value> {
408 expression(&r.element, p)
409}
410
411#[cfg(feature = "matrix")]
415pub fn matrix(m: &Mat, p: &Interpreter) -> MResult<Value> {
416 let plan = p.plan();
417 let mut shape = vec![0, 0];
418 let mut col: Vec<Value> = Vec::new();
419 let mut kind = ValueKind::Empty;
420 #[cfg(feature = "matrix_horzcat")]
421 {
422 for row in &m.rows {
423 let result = matrix_row(row, p)?;
424 if shape == vec![0,0] {
425 shape = result.shape();
426 kind = result.kind();
427 col.push(result);
428 } else if shape[1] == result.shape()[1] {
429 col.push(result);
430 } else {
431 return Err(MechError2::new(
432 DimensionMismatch { dims: vec![shape[1], result.shape()[1]] },
433 None
434 ).with_compiler_loc()
435 );
436 }
437 }
438 if col.is_empty() {
439 return Ok(Value::MatrixValue(Matrix::from_vec(vec![], 0, 0)));
440 } else if col.len() == 1 {
441 return Ok(col[0].clone());
442 }
443 }
444 #[cfg(feature = "matrix_vertcat")]
445 {
446 let new_fxn = MatrixVertCat{}.compile(&col)?;
447 new_fxn.solve();
448 let out = new_fxn.out();
449 let mut plan_brrw = plan.borrow_mut();
450 plan_brrw.push(new_fxn);
451 return Ok(out);
452 }
453 return Err(MechError2::new(
454 FeatureNotEnabledError,
455 Some("matrix/vertcat feature not enabled".to_string())).with_compiler_loc()
456 );
457}
458
459#[cfg(feature = "matrix_horzcat")]
460pub fn matrix_row(r: &MatrixRow, p: &Interpreter) -> MResult<Value> {
461 let plan = p.plan();
462 let mut row: Vec<Value> = Vec::new();
463 let mut shape = vec![0, 0];
464 let mut kind = ValueKind::Empty;
465 for col in &r.columns {
466 let result = matrix_column(col, p)?;
467 if shape == vec![0,0] {
468 shape = result.shape();
469 kind = result.kind();
470 row.push(result);
471 } else if shape[0] == result.shape()[0] {
472 row.push(result);
473 } else {
474 return Err(MechError2::new(
475 DimensionMismatch { dims: vec![shape[0], result.shape()[0]] },
476 None
477 ).with_compiler_loc()
478 );
479 }
480 }
481 let new_fxn = MatrixHorzCat{}.compile(&row)?;
482 new_fxn.solve();
483 let out = new_fxn.out();
484 let mut plan_brrw = plan.borrow_mut();
485 plan_brrw.push(new_fxn);
486 Ok(out)
487}
488
489pub fn matrix_column(r: &MatrixColumn, p: &Interpreter) -> MResult<Value> {
490 expression(&r.element, p)
491}