forked from Canner/wren-engine
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathmod.rs
1460 lines (1353 loc) · 58.2 KB
/
mod.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
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
use crate::logical_plan::utils::{from_qualified_name_str, map_data_type};
use crate::mdl::builder::ManifestBuilder;
use crate::mdl::context::{create_ctx_with_mdl, WrenDataSource};
use crate::mdl::dialect::WrenDialect;
use crate::mdl::function::{
ByPassAggregateUDF, ByPassScalarUDF, ByPassWindowFunction, FunctionType,
RemoteFunction,
};
use crate::mdl::manifest::{Column, Manifest, Metric, Model, View};
use crate::mdl::utils::to_field;
use crate::DataFusionError;
use datafusion::arrow::datatypes::Field;
use datafusion::common::internal_datafusion_err;
use datafusion::datasource::TableProvider;
use datafusion::error::Result;
use datafusion::execution::context::SessionState;
use datafusion::logical_expr::{AggregateUDF, ScalarUDF, WindowUDF};
use datafusion::prelude::SessionContext;
use datafusion::sql::parser::DFParser;
use datafusion::sql::sqlparser::ast::{Expr, ExprWithAlias, Ident};
use datafusion::sql::sqlparser::dialect::dialect_from_str;
use datafusion::sql::unparser::Unparser;
use datafusion::sql::TableReference;
pub use dataset::Dataset;
use log::{debug, info};
use manifest::Relationship;
use parking_lot::RwLock;
use std::hash::Hash;
use std::{collections::HashMap, sync::Arc};
use wren_core_base::mdl::DataSource;
pub mod builder {
pub use wren_core_base::mdl::builder::*;
}
pub mod context;
pub(crate) mod dataset;
mod dialect;
pub mod function;
pub mod lineage;
pub mod manifest {
pub use wren_core_base::mdl::manifest::*;
}
pub mod utils;
pub type SessionStateRef = Arc<RwLock<SessionState>>;
pub struct AnalyzedWrenMDL {
pub wren_mdl: Arc<WrenMDL>,
pub lineage: Arc<lineage::Lineage>,
}
impl Hash for AnalyzedWrenMDL {
fn hash<H: std::hash::Hasher>(&self, state: &mut H) {
self.wren_mdl.hash(state);
}
}
impl Default for AnalyzedWrenMDL {
fn default() -> Self {
let manifest = ManifestBuilder::default().build();
let wren_mdl = WrenMDL::new(manifest);
let lineage = lineage::Lineage::new(&wren_mdl).unwrap();
AnalyzedWrenMDL {
wren_mdl: Arc::new(wren_mdl),
lineage: Arc::new(lineage),
}
}
}
impl AnalyzedWrenMDL {
pub fn analyze(manifest: Manifest) -> Result<Self> {
let wren_mdl = Arc::new(WrenMDL::infer_and_register_remote_table(manifest)?);
let lineage = Arc::new(lineage::Lineage::new(&wren_mdl)?);
Ok(AnalyzedWrenMDL { wren_mdl, lineage })
}
pub fn analyze_with_tables(
manifest: Manifest,
register_tables: HashMap<String, Arc<dyn TableProvider>>,
) -> Result<Self> {
let mut wren_mdl = WrenMDL::new(manifest);
for (name, table) in register_tables {
wren_mdl.register_table(name, table);
}
let lineage = lineage::Lineage::new(&wren_mdl)?;
Ok(AnalyzedWrenMDL {
wren_mdl: Arc::new(wren_mdl),
lineage: Arc::new(lineage),
})
}
pub fn wren_mdl(&self) -> Arc<WrenMDL> {
Arc::clone(&self.wren_mdl)
}
pub fn lineage(&self) -> &lineage::Lineage {
&self.lineage
}
}
pub type RegisterTables = HashMap<String, Arc<dyn TableProvider>>;
// This is the main struct that holds the manifest and provides methods to access the models
pub struct WrenMDL {
pub manifest: Manifest,
pub qualified_references: HashMap<datafusion::common::Column, ColumnReference>,
pub register_tables: RegisterTables,
pub catalog_schema_prefix: String,
}
impl Hash for WrenMDL {
fn hash<H: std::hash::Hasher>(&self, state: &mut H) {
self.manifest.hash(state);
}
}
impl WrenMDL {
pub fn new(manifest: Manifest) -> Self {
let mut qualifed_references = HashMap::new();
manifest.models.iter().for_each(|model| {
model.get_visible_columns().for_each(|column| {
qualifed_references.insert(
from_qualified_name_str(
&manifest.catalog,
&manifest.schema,
model.name(),
column.name(),
),
ColumnReference::new(
Dataset::Model(Arc::clone(model)),
Arc::clone(&column),
),
);
});
});
manifest.metrics.iter().for_each(|metric| {
metric.dimension.iter().for_each(|dimension| {
qualifed_references.insert(
from_qualified_name_str(
&manifest.catalog,
&manifest.schema,
metric.name(),
dimension.name(),
),
ColumnReference::new(
Dataset::Metric(Arc::clone(metric)),
Arc::clone(dimension),
),
);
});
metric.measure.iter().for_each(|measure| {
qualifed_references.insert(
from_qualified_name_str(
&manifest.catalog,
&manifest.schema,
metric.name(),
measure.name(),
),
ColumnReference::new(
Dataset::Metric(Arc::clone(metric)),
Arc::clone(measure),
),
);
});
});
WrenMDL {
catalog_schema_prefix: format!("{}.{}.", &manifest.catalog, &manifest.schema),
manifest,
qualified_references: qualifed_references,
register_tables: HashMap::new(),
}
}
pub fn new_ref(manifest: Manifest) -> Arc<Self> {
Arc::new(WrenMDL::new(manifest))
}
/// Create a WrenMDL from a manifest and register the table reference of the model as a remote table.
/// All the column without expression will be considered a column
pub fn infer_and_register_remote_table(manifest: Manifest) -> Result<Self> {
let mut mdl = WrenMDL::new(manifest);
let sources: Vec<_> = mdl
.models()
.iter()
.map(|model| {
let name = TableReference::from(model.table_reference());
let fields: Vec<_> = model
.columns
.iter()
.filter_map(|column| Self::infer_source_column(column).ok().flatten())
.collect();
let schema = Arc::new(datafusion::arrow::datatypes::Schema::new(fields));
let datasource = WrenDataSource::new_with_schema(schema);
(name.to_quoted_string(), Arc::new(datasource))
})
.collect();
sources
.into_iter()
.for_each(|(name, ds_ref)| mdl.register_table(name, ds_ref));
Ok(mdl)
}
/// Infer the source column from the column expression.
///
/// If the column is calculated or has a relationship, it's not a source column.
/// If the column without expression, it's a source column.
/// If the column has an expression, it will try to infer the source column from the expression.
/// If the expression is a simple column reference, it's the source column name.
/// If the expression is a complex expression, it can't be inferred.
///
fn infer_source_column(column: &Column) -> Result<Option<Field>> {
if column.is_calculated || column.relationship.is_some() {
return Ok(None);
}
if let Some(expression) = column.expression() {
let ExprWithAlias { expr, alias } = WrenMDL::sql_to_expr(expression)?;
// if the column is a simple column reference, we can infer the column name
if let Some(name) = Self::collect_one_column(&expr) {
Ok(Some(Field::new(
alias.map(|a| a.value).unwrap_or_else(|| name.value.clone()),
map_data_type(&column.r#type)?,
column.not_null,
)))
} else {
Ok(None)
}
} else {
Ok(Some(to_field(column)?))
}
}
fn sql_to_expr(sql: &str) -> Result<ExprWithAlias> {
let dialect = dialect_from_str("generic").ok_or_else(|| {
internal_datafusion_err!("Failed to create dialect from generic")
})?;
let expr = DFParser::parse_sql_into_expr_with_dialect(sql, dialect.as_ref())?;
Ok(expr)
}
/// Collect the last identifier of the expression
/// e.g. "a"."b"."c" -> c
/// e.g. "a" -> a
/// others -> None
fn collect_one_column(expr: &Expr) -> Option<&Ident> {
match expr {
Expr::CompoundIdentifier(idents) => idents.last(),
Expr::Identifier(ident) => Some(ident),
_ => None,
}
}
pub fn register_table(&mut self, name: String, table: Arc<dyn TableProvider>) {
self.register_tables.insert(name, table);
}
pub fn get_table(&self, name: &str) -> Option<Arc<dyn TableProvider>> {
self.register_tables.get(name).cloned()
}
pub fn get_register_tables(&self) -> &RegisterTables {
&self.register_tables
}
pub fn catalog(&self) -> &str {
&self.manifest.catalog
}
pub fn schema(&self) -> &str {
&self.manifest.schema
}
pub fn models(&self) -> &[Arc<Model>] {
&self.manifest.models
}
pub fn views(&self) -> &[Arc<View>] {
&self.manifest.views
}
pub fn relationships(&self) -> &[Arc<Relationship>] {
&self.manifest.relationships
}
pub fn metrics(&self) -> &[Arc<Metric>] {
&self.manifest.metrics
}
pub fn data_source(&self) -> Option<DataSource> {
self.manifest.data_source
}
pub fn get_model(&self, name: &str) -> Option<Arc<Model>> {
self.manifest
.models
.iter()
.find(|model| model.name == name)
.cloned()
}
pub fn get_view(&self, name: &str) -> Option<Arc<View>> {
self.manifest
.views
.iter()
.find(|view| view.name == name)
.cloned()
}
pub fn get_relationship(&self, name: &str) -> Option<Arc<Relationship>> {
self.manifest
.relationships
.iter()
.find(|relationship| relationship.name == name)
.cloned()
}
pub fn get_column_reference(
&self,
column: &datafusion::common::Column,
) -> Option<ColumnReference> {
self.qualified_references.get(column).cloned()
}
pub fn catalog_schema_prefix(&self) -> &str {
&self.catalog_schema_prefix
}
}
/// Transform the SQL based on the MDL
pub fn transform_sql(
analyzed_mdl: Arc<AnalyzedWrenMDL>,
remote_functions: &[RemoteFunction],
sql: &str,
) -> Result<String> {
let runtime = tokio::runtime::Runtime::new().unwrap();
runtime.block_on(transform_sql_with_ctx(
&SessionContext::new(),
analyzed_mdl,
remote_functions,
sql,
))
}
/// Transform the SQL based on the MDL with the SessionContext
/// Wren engine will normalize the SQL to the lower case to solve the case-sensitive
/// issue for the Wren view
pub async fn transform_sql_with_ctx(
ctx: &SessionContext,
analyzed_mdl: Arc<AnalyzedWrenMDL>,
remote_functions: &[RemoteFunction],
sql: &str,
) -> Result<String> {
info!("wren-core received SQL: {}", sql);
remote_functions.iter().try_for_each(|remote_function| {
debug!("Registering remote function: {:?}", remote_function);
register_remote_function(ctx, remote_function)?;
Ok::<_, DataFusionError>(())
})?;
let ctx = create_ctx_with_mdl(ctx, Arc::clone(&analyzed_mdl), false).await?;
let plan = ctx.state().create_logical_plan(sql).await?;
debug!("wren-core original plan:\n {plan}");
let analyzed = ctx.state().optimize(&plan)?;
debug!("wren-core final planned:\n {analyzed}");
let data_source = analyzed_mdl.wren_mdl().data_source().unwrap_or_default();
let wren_dialect = WrenDialect::new(&data_source);
let unparser = Unparser::new(&wren_dialect).with_pretty(true);
// show the planned sql
match unparser.plan_to_sql(&analyzed) {
Ok(sql) => {
// TODO: workaround to remove unnecessary catalog and schema of mdl
let replaced = sql
.to_string()
.replace(analyzed_mdl.wren_mdl().catalog_schema_prefix(), "");
info!("wren-core planned SQL: {}", replaced);
Ok(replaced)
}
Err(e) => Err(e),
}
}
fn register_remote_function(
ctx: &SessionContext,
remote_function: &RemoteFunction,
) -> Result<()> {
match &remote_function.function_type {
FunctionType::Scalar => {
ctx.register_udf(ScalarUDF::new_from_impl(ByPassScalarUDF::new(
&remote_function.name,
map_data_type(&remote_function.return_type)?,
)))
}
FunctionType::Aggregate => {
ctx.register_udaf(AggregateUDF::new_from_impl(ByPassAggregateUDF::new(
&remote_function.name,
map_data_type(&remote_function.return_type)?,
)))
}
FunctionType::Window => {
ctx.register_udwf(WindowUDF::new_from_impl(ByPassWindowFunction::new(
&remote_function.name,
map_data_type(&remote_function.return_type)?,
)))
}
};
Ok(())
}
/// Analyze the decision point. It's same as the /v1/analysis/sql API in wren engine
pub fn decision_point_analyze(_wren_mdl: Arc<WrenMDL>, _sql: &str) {}
/// Cheap clone of the ColumnReference
#[derive(Clone, Debug, Eq, Hash, PartialEq)]
pub struct ColumnReference {
pub dataset: Dataset,
pub column: Arc<Column>,
}
impl ColumnReference {
fn new(dataset: Dataset, column: Arc<Column>) -> Self {
ColumnReference { dataset, column }
}
pub fn get_qualified_name(&self) -> String {
format!("{}.{}", self.dataset.name(), self.column.name)
}
}
#[cfg(test)]
mod test {
use std::collections::HashMap;
use std::fs;
use std::path::PathBuf;
use std::sync::Arc;
use crate::mdl::builder::{ColumnBuilder, ManifestBuilder, ModelBuilder};
use crate::mdl::context::create_ctx_with_mdl;
use crate::mdl::function::RemoteFunction;
use crate::mdl::manifest::DataSource::MySQL;
use crate::mdl::manifest::Manifest;
use crate::mdl::{self, transform_sql_with_ctx, AnalyzedWrenMDL};
use datafusion::arrow::array::{
ArrayRef, Int64Array, RecordBatch, StringArray, TimestampNanosecondArray,
};
use datafusion::assert_batches_eq;
use datafusion::common::not_impl_err;
use datafusion::common::Result;
use datafusion::config::ConfigOptions;
use datafusion::prelude::{SessionConfig, SessionContext};
use datafusion::sql::unparser::plan_to_sql;
#[test]
fn test_sync_transform() -> Result<()> {
let test_data: PathBuf =
[env!("CARGO_MANIFEST_DIR"), "tests", "data", "mdl.json"]
.iter()
.collect();
let mdl_json = fs::read_to_string(test_data.as_path())?;
let mdl = match serde_json::from_str::<Manifest>(&mdl_json) {
Ok(mdl) => mdl,
Err(e) => return not_impl_err!("Failed to parse mdl json: {}", e),
};
let analyzed_mdl = Arc::new(AnalyzedWrenMDL::analyze(mdl)?);
let _ = mdl::transform_sql(
Arc::clone(&analyzed_mdl),
&[],
"select o_orderkey + o_orderkey from test.test.orders",
)?;
Ok(())
}
#[tokio::test]
async fn test_access_model() -> Result<()> {
let test_data: PathBuf =
[env!("CARGO_MANIFEST_DIR"), "tests", "data", "mdl.json"]
.iter()
.collect();
let mdl_json = fs::read_to_string(test_data.as_path())?;
let mdl = match serde_json::from_str::<Manifest>(&mdl_json) {
Ok(mdl) => mdl,
Err(e) => return not_impl_err!("Failed to parse mdl json: {}", e),
};
let analyzed_mdl = Arc::new(AnalyzedWrenMDL::analyze(mdl)?);
let tests: Vec<&str> = vec![
"select o_orderkey + o_orderkey from test.test.orders",
"select o_orderkey from test.test.orders where orders.o_totalprice > 10",
"select orders.o_orderkey from test.test.orders left join test.test.customer on (orders.o_custkey = customer.c_custkey) where orders.o_totalprice > 10",
"select o_orderkey, sum(o_totalprice) from test.test.orders group by 1",
"select o_orderkey, count(*) from test.test.orders where orders.o_totalprice > 10 group by 1",
"select totalcost from test.test.profile",
"select totalcost from profile",
"select sum(c_custkey) over (order by c_name) from test.test.customer limit 1",
// TODO: support calculated without relationship
// "select orderkey_plus_custkey from orders",
];
for sql in tests {
println!("Original: {}", sql);
let actual = mdl::transform_sql_with_ctx(
&SessionContext::new(),
Arc::clone(&analyzed_mdl),
&[],
sql,
)
.await?;
println!("After transform: {}", actual);
assert_sql_valid_executable(&actual).await?;
}
Ok(())
}
#[tokio::test]
async fn test_access_view() -> Result<()> {
let test_data: PathBuf =
[env!("CARGO_MANIFEST_DIR"), "tests", "data", "mdl.json"]
.iter()
.collect();
let mdl_json = fs::read_to_string(test_data.as_path())?;
let mdl = match serde_json::from_str::<Manifest>(&mdl_json) {
Ok(mdl) => mdl,
Err(e) => return not_impl_err!("Failed to parse mdl json: {}", e),
};
let analyzed_mdl = Arc::new(AnalyzedWrenMDL::analyze(mdl)?);
let sql = "select * from test.test.customer_view";
println!("Original: {}", sql);
let _ = transform_sql_with_ctx(
&SessionContext::new(),
Arc::clone(&analyzed_mdl),
&[],
sql,
)
.await?;
// TODO: There are some issues for round trip of the view plan
// Disable the roundtrip testing before fixed.
// see https://github.com/apache/datafusion/issues/13272
// assert_sql_valid_executable(&actual).await?;
Ok(())
}
#[tokio::test]
async fn test_plan_calculation_without_unnamed_subquery() -> Result<()> {
let test_data: PathBuf =
[env!("CARGO_MANIFEST_DIR"), "tests", "data", "mdl.json"]
.iter()
.collect();
let mdl_json = fs::read_to_string(test_data.as_path())?;
let mdl = match serde_json::from_str::<Manifest>(&mdl_json) {
Ok(mdl) => mdl,
Err(e) => return not_impl_err!("Failed to parse mdl json: {}", e),
};
let analyzed_mdl = Arc::new(AnalyzedWrenMDL::analyze(mdl)?);
let sql = "select totalcost from profile";
let result = transform_sql_with_ctx(
&SessionContext::new(),
Arc::clone(&analyzed_mdl),
&[],
sql,
)
.await?;
let expected = "SELECT \"profile\".totalcost FROM (SELECT totalcost.totalcost FROM \
(SELECT __relation__2.p_custkey AS p_custkey, sum(CAST(__relation__2.o_totalprice AS BIGINT)) AS totalcost FROM \
(SELECT __relation__1.c_custkey, orders.o_custkey, orders.o_totalprice, __relation__1.p_custkey FROM \
(SELECT __source.o_custkey AS o_custkey, __source.o_totalprice AS o_totalprice FROM orders AS __source) AS orders RIGHT JOIN \
(SELECT customer.c_custkey, \"profile\".p_custkey FROM (SELECT __source.c_custkey AS c_custkey FROM customer AS __source) AS customer RIGHT JOIN \
(SELECT __source.p_custkey AS p_custkey FROM \"profile\" AS __source) AS \"profile\" ON customer.c_custkey = \"profile\".p_custkey) AS __relation__1 \
ON orders.o_custkey = __relation__1.c_custkey) AS __relation__2 GROUP BY __relation__2.p_custkey) AS totalcost) AS \"profile\"";
assert_eq!(result, expected);
let sql = "select totalcost from profile where p_sex = 'M'";
let result = transform_sql_with_ctx(
&SessionContext::new(),
Arc::clone(&analyzed_mdl),
&[],
sql,
)
.await?;
assert_eq!(result,
"SELECT \"profile\".totalcost FROM (SELECT __relation__1.p_sex, __relation__1.totalcost FROM \
(SELECT totalcost.p_custkey, \"profile\".p_sex, totalcost.totalcost FROM (SELECT __relation__2.p_custkey AS p_custkey, \
sum(CAST(__relation__2.o_totalprice AS BIGINT)) AS totalcost FROM (SELECT __relation__1.c_custkey, orders.o_custkey, \
orders.o_totalprice, __relation__1.p_custkey FROM (SELECT __source.o_custkey AS o_custkey, __source.o_totalprice AS o_totalprice \
FROM orders AS __source) AS orders RIGHT JOIN (SELECT customer.c_custkey, \"profile\".p_custkey FROM \
(SELECT __source.c_custkey AS c_custkey FROM customer AS __source) AS customer RIGHT JOIN \
(SELECT __source.p_custkey AS p_custkey FROM \"profile\" AS __source) AS \"profile\" ON customer.c_custkey = \"profile\".p_custkey) AS __relation__1 \
ON orders.o_custkey = __relation__1.c_custkey) AS __relation__2 GROUP BY __relation__2.p_custkey) AS totalcost RIGHT JOIN \
(SELECT __source.p_custkey AS p_custkey, __source.p_sex AS p_sex FROM \"profile\" AS __source) AS \"profile\" \
ON totalcost.p_custkey = \"profile\".p_custkey) AS __relation__1) AS \"profile\" WHERE \"profile\".p_sex = 'M'");
Ok(())
}
#[tokio::test]
async fn test_uppercase_catalog_schema() -> Result<()> {
let ctx = SessionContext::new();
ctx.register_batch("customer", customer())?;
let manifest = ManifestBuilder::new()
.catalog("CTest")
.schema("STest")
.model(
ModelBuilder::new("Customer")
.table_reference("datafusion.public.customer")
.column(ColumnBuilder::new("Custkey", "int").build())
.column(ColumnBuilder::new("Name", "string").build())
.build(),
)
.build();
let analyzed_mdl = Arc::new(AnalyzedWrenMDL::analyze(manifest)?);
let sql = r#"select * from "CTest"."STest"."Customer""#;
let actual = mdl::transform_sql_with_ctx(
&SessionContext::new(),
Arc::clone(&analyzed_mdl),
&[],
sql,
)
.await?;
assert_eq!(actual,
"SELECT \"Customer\".\"Custkey\", \"Customer\".\"Name\" FROM \
(SELECT __source.\"Custkey\" AS \"Custkey\", __source.\"Name\" AS \"Name\" FROM \
datafusion.\"public\".customer AS __source) AS \"Customer\"");
Ok(())
}
#[tokio::test]
async fn test_remote_function() -> Result<()> {
env_logger::init();
let test_data: PathBuf =
[env!("CARGO_MANIFEST_DIR"), "tests", "data", "functions.csv"]
.iter()
.collect();
let ctx = SessionContext::new();
let functions = csv::Reader::from_path(test_data)
.unwrap()
.into_deserialize::<RemoteFunction>()
.filter_map(Result::ok)
.collect::<Vec<_>>();
let manifest = ManifestBuilder::new()
.catalog("CTest")
.schema("STest")
.model(
ModelBuilder::new("Customer")
.table_reference("datafusion.public.customer")
.column(ColumnBuilder::new("Custkey", "int").build())
.column(ColumnBuilder::new("Name", "string").build())
.build(),
)
.build();
let analyzed_mdl = Arc::new(AnalyzedWrenMDL::analyze(manifest)?);
let actual = transform_sql_with_ctx(
&ctx,
Arc::clone(&analyzed_mdl),
&functions,
r#"select add_two("Custkey") from "Customer""#,
)
.await?;
assert_eq!(actual, "SELECT add_two(\"Customer\".\"Custkey\") FROM (SELECT \"Customer\".\"Custkey\" \
FROM (SELECT __source.\"Custkey\" AS \"Custkey\" FROM datafusion.\"public\".customer AS __source) AS \"Customer\") AS \"Customer\"");
let actual = transform_sql_with_ctx(
&ctx,
Arc::clone(&analyzed_mdl),
&functions,
r#"select median("Custkey") from "CTest"."STest"."Customer" group by "Name""#,
)
.await?;
assert_eq!(actual, "SELECT median(\"Customer\".\"Custkey\") FROM (SELECT \"Customer\".\"Custkey\", \"Customer\".\"Name\" \
FROM (SELECT __source.\"Custkey\" AS \"Custkey\", __source.\"Name\" AS \"Name\" FROM datafusion.\"public\".customer AS __source) AS \"Customer\") AS \"Customer\" \
GROUP BY \"Customer\".\"Name\"");
// TODO: support window functions analysis
// let actual = transform_sql_with_ctx(
// &ctx,
// Arc::clone(&analyzed_mdl),
// &functions,
// r#"select max_if("Custkey") OVER (PARTITION BY "Name") from "Customer""#,
// ).await?;
// assert_eq!(actual, "");
Ok(())
}
#[tokio::test]
async fn test_unicode_remote_column_name() -> Result<()> {
let ctx = SessionContext::new();
ctx.register_batch("artist", artist())?;
let manifest = ManifestBuilder::new()
.catalog("wren")
.schema("test")
.model(
ModelBuilder::new("artist")
.table_reference("artist")
.column(ColumnBuilder::new("名字", "string").build())
.column(
ColumnBuilder::new("name_append", "string")
.expression(r#""名字" || "名字""#)
.build(),
)
.column(
ColumnBuilder::new("group", "string")
.expression(r#""組別""#)
.build(),
)
.column(
ColumnBuilder::new("subscribe", "int")
.expression(r#""訂閱數""#)
.build(),
)
.column(
ColumnBuilder::new("subscribe_plus", "int")
.expression(r#""訂閱數" + 1"#)
.build(),
)
.build(),
)
.build();
let analyzed_mdl = Arc::new(AnalyzedWrenMDL::analyze(manifest)?);
let sql = r#"select * from wren.test.artist"#;
let actual = transform_sql_with_ctx(
&SessionContext::new(),
Arc::clone(&analyzed_mdl),
&[],
sql,
)
.await?;
assert_eq!(actual,
"SELECT artist.\"名字\", artist.name_append, artist.\"group\", artist.subscribe_plus, artist.subscribe \
FROM (SELECT __source.\"名字\" AS \"名字\", __source.\"名字\" || __source.\"名字\" AS name_append, __source.\"組別\" AS \"group\", \
CAST(__source.\"訂閱數\" AS BIGINT) + 1 AS subscribe_plus, __source.\"訂閱數\" AS subscribe FROM artist AS __source) AS artist"
);
ctx.sql(&actual).await?.show().await?;
let sql = r#"select group from wren.test.artist"#;
let actual = transform_sql_with_ctx(
&SessionContext::new(),
Arc::clone(&analyzed_mdl),
&[],
sql,
)
.await?;
assert_eq!(actual,
"SELECT artist.\"group\" FROM (SELECT artist.\"group\" FROM (SELECT __source.\"組別\" AS \"group\" FROM artist AS __source) AS artist) AS artist");
ctx.sql(&actual).await?.show().await?;
let sql = r#"select subscribe_plus from wren.test.artist"#;
let actual = mdl::transform_sql_with_ctx(
&SessionContext::new(),
Arc::clone(&analyzed_mdl),
&[],
sql,
)
.await?;
assert_eq!(actual,
"SELECT artist.subscribe_plus FROM (SELECT artist.subscribe_plus FROM (SELECT CAST(__source.\"訂閱數\" AS BIGINT) + 1 AS subscribe_plus FROM artist AS __source) AS artist) AS artist");
ctx.sql(&actual).await?.show().await
}
#[tokio::test]
async fn test_invalid_infer_remote_table() -> Result<()> {
let ctx = SessionContext::new();
ctx.register_batch("artist", artist())?;
let manifest = ManifestBuilder::new()
.catalog("wren")
.schema("test")
.model(
ModelBuilder::new("artist")
.table_reference("artist")
.column(
ColumnBuilder::new("name_append", "string")
.expression(r#""名字" || "名字""#)
.build(),
)
.column(
ColumnBuilder::new("lower_name", "string")
.expression(r#"lower("名字")"#)
.build(),
)
.build(),
)
.build();
let analyzed_mdl = Arc::new(AnalyzedWrenMDL::analyze(manifest)?);
let sql = r#"select name_append from wren.test.artist"#;
let _ = transform_sql_with_ctx(
&SessionContext::new(),
Arc::clone(&analyzed_mdl),
&[],
sql,
)
.await
.map_err(|e| {
assert_eq!(
e.to_string(),
"ModelAnalyzeRule\ncaused by\nSchema error: No field named \"名字\"."
)
});
let sql = r#"select lower_name from wren.test.artist"#;
let _ = transform_sql_with_ctx(
&SessionContext::new(),
Arc::clone(&analyzed_mdl),
&[],
sql,
)
.await
.map_err(|e| {
assert_eq!(
e.to_string(),
"ModelAnalyzeRule\ncaused by\nSchema error: No field named \"名字\"."
)
});
Ok(())
}
#[tokio::test]
async fn test_query_hidden_column() -> Result<()> {
let ctx = SessionContext::new();
ctx.register_batch("artist", artist())?;
let manifest = ManifestBuilder::new()
.catalog("wren")
.schema("test")
.model(
ModelBuilder::new("artist")
.table_reference("artist")
.column(ColumnBuilder::new("名字", "string").hidden(true).build())
.column(
ColumnBuilder::new("串接名字", "string")
.expression(r#""名字" || "名字""#)
.build(),
)
.build(),
)
.build();
let analyzed_mdl = Arc::new(AnalyzedWrenMDL::analyze(manifest)?);
let sql = r#"select "串接名字" from wren.test.artist"#;
let actual = transform_sql_with_ctx(
&SessionContext::new(),
Arc::clone(&analyzed_mdl),
&[],
sql,
)
.await?;
assert_eq!(actual,
"SELECT artist.\"串接名字\" FROM (SELECT artist.\"串接名字\" FROM \
(SELECT __source.\"名字\" || __source.\"名字\" AS \"串接名字\" FROM artist AS __source) AS artist) AS artist");
let sql = r#"select * from wren.test.artist"#;
let actual = transform_sql_with_ctx(
&SessionContext::new(),
Arc::clone(&analyzed_mdl),
&[],
sql,
)
.await?;
assert_eq!(actual,
"SELECT artist.\"串接名字\" FROM (SELECT __source.\"名字\" || __source.\"名字\" AS \"串接名字\" FROM artist AS __source) AS artist");
let sql = r#"select "名字" from wren.test.artist"#;
let _ = transform_sql_with_ctx(
&SessionContext::new(),
Arc::clone(&analyzed_mdl),
&[],
sql,
)
.await.map_err(|e| {
assert_eq!(
e.to_string(),
"Schema error: No field named \"名字\". Valid fields are wren.test.artist.\"串接名字\"."
)
});
Ok(())
}
#[tokio::test]
async fn test_disable_simplify_expression() -> Result<()> {
let sql = "select current_date";
let actual = transform_sql_with_ctx(
&SessionContext::new(),
Arc::new(AnalyzedWrenMDL::default()),
&[],
sql,
)
.await?;
assert_eq!(actual, "SELECT current_date()");
Ok(())
}
/// This test will be failed if the `出道時間` is not inferred as a timestamp column correctly.
#[tokio::test]
async fn test_infer_timestamp_column() -> Result<()> {
let ctx = SessionContext::new();
ctx.register_batch("artist", artist())?;
let manifest = ManifestBuilder::new()
.catalog("wren")
.schema("test")
.model(
ModelBuilder::new("artist")
.table_reference("artist")
.column(ColumnBuilder::new("出道時間", "timestamp").build())
.build(),
)
.build();
let analyzed_mdl = Arc::new(AnalyzedWrenMDL::analyze(manifest)?);
let sql = r#"select current_date > "出道時間" from wren.test.artist"#;
let actual = transform_sql_with_ctx(
&SessionContext::new(),
Arc::clone(&analyzed_mdl),
&[],
sql,
)
.await?;
assert_eq!(actual,
"SELECT CAST(current_date() AS TIMESTAMP) > artist.\"出道時間\" FROM \
(SELECT artist.\"出道時間\" FROM (SELECT __source.\"出道時間\" AS \"出道時間\" FROM artist AS __source) AS artist) AS artist");
Ok(())
}
#[tokio::test]
async fn test_disable_count_wildcard_rule() -> Result<()> {
let ctx = SessionContext::new();
let analyzed_mdl = Arc::new(AnalyzedWrenMDL::default());
let sql = "select count(*) from (select 1)";
let actual =
transform_sql_with_ctx(&ctx, Arc::clone(&analyzed_mdl), &[], sql).await?;
// TODO: BigQuery doesn't support the alias include invalid characters (e.g. `*`, `()`).
// We should remove the invalid characters for the alias.
assert_eq!(actual, "SELECT count(1) AS \"count(*)\" FROM (SELECT 1)");
Ok(())
}
async fn assert_sql_valid_executable(sql: &str) -> Result<()> {
let ctx = SessionContext::new();
// To roundtrip testing, we should register the mock table for the planned sql.
ctx.register_batch("orders", orders())?;
ctx.register_batch("customer", customer())?;
ctx.register_batch("profile", profile())?;
// show the planned sql
let df = ctx.sql(sql).await?;
let plan = df.into_optimized_plan()?;
let after_roundtrip = plan_to_sql(&plan).map(|sql| sql.to_string())?;
println!("After roundtrip: {}", after_roundtrip);
match ctx.sql(sql).await?.collect().await {
Ok(_) => Ok(()),
Err(e) => {
eprintln!("Error: {e}");
Err(e)
}
}
}
#[tokio::test]
async fn test_mysql_style_interval() -> Result<()> {
let ctx = SessionContext::new();
let analyzed_mdl = Arc::new(AnalyzedWrenMDL::default());
let sql = "select interval 1 day";
let actual =
transform_sql_with_ctx(&ctx, Arc::clone(&analyzed_mdl), &[], sql).await?;
assert_eq!(actual, "SELECT INTERVAL 1 DAY");
let sql = "SELECT INTERVAL '1 YEAR 1 MONTH'";
let actual =
transform_sql_with_ctx(&ctx, Arc::clone(&analyzed_mdl), &[], sql).await?;
assert_eq!(actual, "SELECT INTERVAL 13 MONTH");
let sql = "SELECT INTERVAL '1' YEAR + INTERVAL '2' MONTH + INTERVAL '3' DAY";
let actual =
transform_sql_with_ctx(&ctx, Arc::clone(&analyzed_mdl), &[], sql).await?;
assert_eq!(
actual,
"SELECT INTERVAL 12 MONTH + INTERVAL 2 MONTH + INTERVAL 3 DAY"
);
Ok(())
}
#[tokio::test]
async fn test_simplify_timestamp() -> Result<()> {
let ctx = SessionContext::new();
let analyzed_mdl = Arc::new(AnalyzedWrenMDL::default());
let sql = "select timestamp '2011-01-01 18:00:00 +08:00'";
let actual =
transform_sql_with_ctx(&ctx, Arc::clone(&analyzed_mdl), &[], sql).await?;
assert_eq!(actual, "SELECT CAST('2011-01-01 10:00:00' AS TIMESTAMP) AS \"Utf8(\"\"2011-01-01 18:00:00 +08:00\"\")\"");
let sql = "select timestamp '2011-01-01 18:00:00 Asia/Taipei'";
let actual =
transform_sql_with_ctx(&ctx, Arc::clone(&analyzed_mdl), &[], sql).await?;
assert_eq!(actual, "SELECT CAST('2011-01-01 10:00:00' AS TIMESTAMP) AS \"Utf8(\"\"2011-01-01 18:00:00 Asia/Taipei\"\")\"");
Ok(())
}
#[tokio::test]
async fn test_eval_timestamp_with_session_timezone() -> Result<()> {
let mut config = ConfigOptions::new();
config.execution.time_zone = Some("+08:00".to_string());
let session_config = SessionConfig::from(config);
let ctx = SessionContext::new_with_config(session_config);