1use presentar_core::{
4 widget::{AccessibleRole, LayoutResult, TextStyle},
5 Brick, BrickAssertion, BrickBudget, BrickVerification, Canvas, Color, Constraints, Point, Rect,
6 Size, TypeId, Widget,
7};
8use serde::{Deserialize, Serialize};
9use std::any::Any;
10use std::collections::HashMap;
11use std::time::Duration;
12
13#[derive(Debug, Clone, Copy, PartialEq, Eq, Default, Serialize, Deserialize)]
15pub enum DataQuality {
16 #[default]
18 Unknown,
19 Poor,
21 Fair,
23 Good,
25 Excellent,
27}
28
29impl DataQuality {
30 #[must_use]
32 pub fn color(&self) -> Color {
33 match self {
34 Self::Unknown => Color::new(0.6, 0.6, 0.6, 1.0),
35 Self::Poor => Color::new(0.9, 0.3, 0.3, 1.0),
36 Self::Fair => Color::new(0.9, 0.7, 0.1, 1.0),
37 Self::Good => Color::new(0.4, 0.7, 0.3, 1.0),
38 Self::Excellent => Color::new(0.2, 0.7, 0.3, 1.0),
39 }
40 }
41
42 #[must_use]
44 pub const fn label(&self) -> &'static str {
45 match self {
46 Self::Unknown => "Unknown",
47 Self::Poor => "Poor",
48 Self::Fair => "Fair",
49 Self::Good => "Good",
50 Self::Excellent => "Excellent",
51 }
52 }
53
54 #[must_use]
56 pub const fn score(&self) -> u8 {
57 match self {
58 Self::Unknown => 0,
59 Self::Poor => 25,
60 Self::Fair => 50,
61 Self::Good => 75,
62 Self::Excellent => 100,
63 }
64 }
65}
66
67#[derive(Debug, Clone, Serialize, Deserialize, PartialEq, Eq)]
69pub struct DataColumn {
70 pub name: String,
72 pub dtype: String,
74 pub nullable: bool,
76 pub description: Option<String>,
78}
79
80impl DataColumn {
81 #[must_use]
83 pub fn new(name: impl Into<String>, dtype: impl Into<String>) -> Self {
84 Self {
85 name: name.into(),
86 dtype: dtype.into(),
87 nullable: false,
88 description: None,
89 }
90 }
91
92 #[must_use]
94 pub const fn nullable(mut self) -> Self {
95 self.nullable = true;
96 self
97 }
98
99 #[must_use]
101 pub fn description(mut self, desc: impl Into<String>) -> Self {
102 self.description = Some(desc.into());
103 self
104 }
105}
106
107#[derive(Debug, Clone, Serialize, Deserialize, PartialEq, Default)]
109pub struct DataStats {
110 pub rows: Option<u64>,
112 pub columns: Option<u32>,
114 pub size_bytes: Option<u64>,
116 pub null_percentage: Option<f32>,
118 pub duplicate_percentage: Option<f32>,
120}
121
122impl DataStats {
123 #[must_use]
125 pub fn new() -> Self {
126 Self::default()
127 }
128
129 #[must_use]
131 pub const fn rows(mut self, count: u64) -> Self {
132 self.rows = Some(count);
133 self
134 }
135
136 #[must_use]
138 pub const fn columns(mut self, count: u32) -> Self {
139 self.columns = Some(count);
140 self
141 }
142
143 #[must_use]
145 pub const fn size_bytes(mut self, bytes: u64) -> Self {
146 self.size_bytes = Some(bytes);
147 self
148 }
149
150 #[must_use]
152 pub fn null_percentage(mut self, pct: f32) -> Self {
153 self.null_percentage = Some(pct.clamp(0.0, 100.0));
154 self
155 }
156
157 #[must_use]
159 pub fn duplicate_percentage(mut self, pct: f32) -> Self {
160 self.duplicate_percentage = Some(pct.clamp(0.0, 100.0));
161 self
162 }
163
164 #[must_use]
166 pub fn formatted_size(&self) -> Option<String> {
167 self.size_bytes.map(|bytes| {
168 if bytes >= 1_000_000_000 {
169 format!("{:.1} GB", bytes as f64 / 1_000_000_000.0)
170 } else if bytes >= 1_000_000 {
171 format!("{:.1} MB", bytes as f64 / 1_000_000.0)
172 } else if bytes >= 1_000 {
173 format!("{:.1} KB", bytes as f64 / 1_000.0)
174 } else {
175 format!("{bytes} B")
176 }
177 })
178 }
179
180 #[must_use]
182 pub fn formatted_rows(&self) -> Option<String> {
183 self.rows.map(|r| {
184 if r >= 1_000_000 {
185 format!("{:.1}M rows", r as f64 / 1_000_000.0)
186 } else if r >= 1_000 {
187 format!("{:.1}K rows", r as f64 / 1_000.0)
188 } else {
189 format!("{r} rows")
190 }
191 })
192 }
193}
194
195#[derive(Debug, Clone, Serialize, Deserialize)]
197pub struct DataCard {
198 name: String,
200 version: String,
202 description: Option<String>,
204 quality: DataQuality,
206 format: Option<String>,
208 source: Option<String>,
210 schema: Vec<DataColumn>,
212 stats: DataStats,
214 license: Option<String>,
216 tags: Vec<String>,
218 metadata: HashMap<String, String>,
220 width: Option<f32>,
222 height: Option<f32>,
224 background: Color,
226 border_color: Color,
228 corner_radius: f32,
230 show_schema: bool,
232 accessible_name_value: Option<String>,
234 test_id_value: Option<String>,
236 #[serde(skip)]
238 bounds: Rect,
239}
240
241impl Default for DataCard {
242 fn default() -> Self {
243 Self {
244 name: String::new(),
245 version: String::from("1.0.0"),
246 description: None,
247 quality: DataQuality::Unknown,
248 format: None,
249 source: None,
250 schema: Vec::new(),
251 stats: DataStats::default(),
252 license: None,
253 tags: Vec::new(),
254 metadata: HashMap::new(),
255 width: None,
256 height: None,
257 background: Color::WHITE,
258 border_color: Color::new(0.9, 0.9, 0.9, 1.0),
259 corner_radius: 8.0,
260 show_schema: true,
261 accessible_name_value: None,
262 test_id_value: None,
263 bounds: Rect::default(),
264 }
265 }
266}
267
268impl DataCard {
269 #[must_use]
271 pub fn new(name: impl Into<String>) -> Self {
272 Self {
273 name: name.into(),
274 ..Self::default()
275 }
276 }
277
278 #[must_use]
280 pub fn name(mut self, name: impl Into<String>) -> Self {
281 self.name = name.into();
282 self
283 }
284
285 #[must_use]
287 pub fn version(mut self, version: impl Into<String>) -> Self {
288 self.version = version.into();
289 self
290 }
291
292 #[must_use]
294 pub fn description(mut self, desc: impl Into<String>) -> Self {
295 self.description = Some(desc.into());
296 self
297 }
298
299 #[must_use]
301 pub const fn quality(mut self, quality: DataQuality) -> Self {
302 self.quality = quality;
303 self
304 }
305
306 #[must_use]
308 pub fn format(mut self, format: impl Into<String>) -> Self {
309 self.format = Some(format.into());
310 self
311 }
312
313 #[must_use]
315 pub fn source(mut self, source: impl Into<String>) -> Self {
316 self.source = Some(source.into());
317 self
318 }
319
320 #[must_use]
322 pub fn column(mut self, col: DataColumn) -> Self {
323 self.schema.push(col);
324 self
325 }
326
327 #[must_use]
329 pub fn columns(mut self, cols: impl IntoIterator<Item = DataColumn>) -> Self {
330 self.schema.extend(cols);
331 self
332 }
333
334 #[must_use]
336 pub const fn stats(mut self, stats: DataStats) -> Self {
337 self.stats = stats;
338 self
339 }
340
341 #[must_use]
343 pub fn license(mut self, license: impl Into<String>) -> Self {
344 self.license = Some(license.into());
345 self
346 }
347
348 #[must_use]
350 pub fn tag(mut self, tag: impl Into<String>) -> Self {
351 self.tags.push(tag.into());
352 self
353 }
354
355 #[must_use]
357 pub fn tags(mut self, tags: impl IntoIterator<Item = impl Into<String>>) -> Self {
358 self.tags.extend(tags.into_iter().map(Into::into));
359 self
360 }
361
362 #[must_use]
364 pub fn metadata_entry(mut self, key: impl Into<String>, value: impl Into<String>) -> Self {
365 self.metadata.insert(key.into(), value.into());
366 self
367 }
368
369 #[must_use]
371 pub fn width(mut self, width: f32) -> Self {
372 self.width = Some(width.max(200.0));
373 self
374 }
375
376 #[must_use]
378 pub fn height(mut self, height: f32) -> Self {
379 self.height = Some(height.max(150.0));
380 self
381 }
382
383 #[must_use]
385 pub const fn background(mut self, color: Color) -> Self {
386 self.background = color;
387 self
388 }
389
390 #[must_use]
392 pub const fn border_color(mut self, color: Color) -> Self {
393 self.border_color = color;
394 self
395 }
396
397 #[must_use]
399 pub fn corner_radius(mut self, radius: f32) -> Self {
400 self.corner_radius = radius.max(0.0);
401 self
402 }
403
404 #[must_use]
406 pub const fn show_schema(mut self, show: bool) -> Self {
407 self.show_schema = show;
408 self
409 }
410
411 #[must_use]
413 pub fn accessible_name(mut self, name: impl Into<String>) -> Self {
414 self.accessible_name_value = Some(name.into());
415 self
416 }
417
418 #[must_use]
420 pub fn test_id(mut self, id: impl Into<String>) -> Self {
421 self.test_id_value = Some(id.into());
422 self
423 }
424
425 #[must_use]
429 pub fn get_name(&self) -> &str {
430 &self.name
431 }
432
433 #[must_use]
435 pub fn get_version(&self) -> &str {
436 &self.version
437 }
438
439 #[must_use]
441 pub fn get_description(&self) -> Option<&str> {
442 self.description.as_deref()
443 }
444
445 #[must_use]
447 pub const fn get_quality(&self) -> DataQuality {
448 self.quality
449 }
450
451 #[must_use]
453 pub fn get_format(&self) -> Option<&str> {
454 self.format.as_deref()
455 }
456
457 #[must_use]
459 pub fn get_source(&self) -> Option<&str> {
460 self.source.as_deref()
461 }
462
463 #[must_use]
465 pub fn get_schema(&self) -> &[DataColumn] {
466 &self.schema
467 }
468
469 #[must_use]
471 pub const fn get_stats(&self) -> &DataStats {
472 &self.stats
473 }
474
475 #[must_use]
477 pub fn get_license(&self) -> Option<&str> {
478 self.license.as_deref()
479 }
480
481 #[must_use]
483 pub fn get_tags(&self) -> &[String] {
484 &self.tags
485 }
486
487 #[must_use]
489 pub fn get_metadata(&self, key: &str) -> Option<&str> {
490 self.metadata.get(key).map(String::as_str)
491 }
492
493 #[must_use]
495 pub fn has_schema(&self) -> bool {
496 !self.schema.is_empty()
497 }
498
499 #[must_use]
501 pub fn column_count(&self) -> usize {
502 self.schema.len()
503 }
504}
505
506impl Widget for DataCard {
507 fn type_id(&self) -> TypeId {
508 TypeId::of::<Self>()
509 }
510
511 fn measure(&self, constraints: Constraints) -> Size {
512 let width = self.width.unwrap_or(320.0);
513 let height = self.height.unwrap_or(220.0);
514 constraints.constrain(Size::new(width, height))
515 }
516
517 fn layout(&mut self, bounds: Rect) -> LayoutResult {
518 self.bounds = bounds;
519 LayoutResult {
520 size: bounds.size(),
521 }
522 }
523
524 #[allow(clippy::too_many_lines)]
525 fn paint(&self, canvas: &mut dyn Canvas) {
526 let padding = 16.0;
527
528 canvas.fill_rect(self.bounds, self.background);
530
531 canvas.stroke_rect(self.bounds, self.border_color, 1.0);
533
534 let quality_color = self.quality.color();
536 let badge_rect = Rect::new(
537 self.bounds.x + self.bounds.width - 80.0,
538 self.bounds.y + padding,
539 70.0,
540 22.0,
541 );
542 canvas.fill_rect(badge_rect, quality_color);
543
544 let badge_style = TextStyle {
545 size: 10.0,
546 color: Color::WHITE,
547 ..TextStyle::default()
548 };
549 canvas.draw_text(
550 self.quality.label(),
551 Point::new(badge_rect.x + 10.0, badge_rect.y + 15.0),
552 &badge_style,
553 );
554
555 let title_style = TextStyle {
557 size: 18.0,
558 color: Color::new(0.1, 0.1, 0.1, 1.0),
559 ..TextStyle::default()
560 };
561 canvas.draw_text(
562 &self.name,
563 Point::new(self.bounds.x + padding, self.bounds.y + padding + 16.0),
564 &title_style,
565 );
566
567 let info_style = TextStyle {
569 size: 12.0,
570 color: Color::new(0.5, 0.5, 0.5, 1.0),
571 ..TextStyle::default()
572 };
573 let version_text = match &self.format {
574 Some(f) => format!("v{} • {}", self.version, f),
575 None => format!("v{}", self.version),
576 };
577 canvas.draw_text(
578 &version_text,
579 Point::new(self.bounds.x + padding, self.bounds.y + padding + 36.0),
580 &info_style,
581 );
582
583 let mut y_offset = padding + 50.0;
584
585 if let Some(ref desc) = self.description {
587 let desc_style = TextStyle {
588 size: 12.0,
589 color: Color::new(0.3, 0.3, 0.3, 1.0),
590 ..TextStyle::default()
591 };
592 canvas.draw_text(
593 desc,
594 Point::new(self.bounds.x + padding, self.bounds.y + y_offset + 12.0),
595 &desc_style,
596 );
597 y_offset += 24.0;
598 }
599
600 let stats_style = TextStyle {
602 size: 11.0,
603 color: Color::new(0.4, 0.4, 0.4, 1.0),
604 ..TextStyle::default()
605 };
606 let value_style = TextStyle {
607 size: 14.0,
608 color: Color::new(0.2, 0.47, 0.96, 1.0),
609 ..TextStyle::default()
610 };
611
612 let mut sx = self.bounds.x + padding;
613 if let Some(rows) = self.stats.formatted_rows() {
614 canvas.draw_text(
615 "Rows",
616 Point::new(sx, self.bounds.y + y_offset + 12.0),
617 &stats_style,
618 );
619 canvas.draw_text(
620 &rows,
621 Point::new(sx, self.bounds.y + y_offset + 28.0),
622 &value_style,
623 );
624 sx += 80.0;
625 }
626 if let Some(cols) = self.stats.columns {
627 canvas.draw_text(
628 "Columns",
629 Point::new(sx, self.bounds.y + y_offset + 12.0),
630 &stats_style,
631 );
632 canvas.draw_text(
633 &cols.to_string(),
634 Point::new(sx, self.bounds.y + y_offset + 28.0),
635 &value_style,
636 );
637 sx += 70.0;
638 }
639 if let Some(size) = self.stats.formatted_size() {
640 canvas.draw_text(
641 "Size",
642 Point::new(sx, self.bounds.y + y_offset + 12.0),
643 &stats_style,
644 );
645 canvas.draw_text(
646 &size,
647 Point::new(sx, self.bounds.y + y_offset + 28.0),
648 &value_style,
649 );
650 }
651
652 if self.stats.rows.is_some()
653 || self.stats.columns.is_some()
654 || self.stats.size_bytes.is_some()
655 {
656 y_offset += 40.0;
657 }
658
659 if self.show_schema && !self.schema.is_empty() {
661 let schema_style = TextStyle {
662 size: 10.0,
663 color: Color::new(0.4, 0.4, 0.4, 1.0),
664 ..TextStyle::default()
665 };
666 canvas.draw_text(
667 "Schema:",
668 Point::new(self.bounds.x + padding, self.bounds.y + y_offset + 12.0),
669 &schema_style,
670 );
671 y_offset += 18.0;
672
673 let col_style = TextStyle {
674 size: 10.0,
675 color: Color::new(0.2, 0.2, 0.2, 1.0),
676 ..TextStyle::default()
677 };
678 for col in self.schema.iter().take(4) {
679 let nullable = if col.nullable { "?" } else { "" };
680 let text = format!("{}: {}{}", col.name, col.dtype, nullable);
681 canvas.draw_text(
682 &text,
683 Point::new(
684 self.bounds.x + padding + 8.0,
685 self.bounds.y + y_offset + 12.0,
686 ),
687 &col_style,
688 );
689 y_offset += 14.0;
690 }
691 if self.schema.len() > 4 {
692 canvas.draw_text(
693 &format!("... +{} more", self.schema.len() - 4),
694 Point::new(
695 self.bounds.x + padding + 8.0,
696 self.bounds.y + y_offset + 12.0,
697 ),
698 &schema_style,
699 );
700 y_offset += 14.0;
701 }
702 }
703
704 if !self.tags.is_empty() {
706 let tag_style = TextStyle {
707 size: 10.0,
708 color: Color::new(0.3, 0.3, 0.3, 1.0),
709 ..TextStyle::default()
710 };
711 let tag_bg = Color::new(0.95, 0.95, 0.95, 1.0);
712
713 let mut tx = self.bounds.x + padding;
714 for tag in self.tags.iter().take(5) {
715 let tag_width = (tag.len() as f32).mul_add(6.0, 12.0);
716 canvas.fill_rect(
717 Rect::new(tx, self.bounds.y + y_offset + 4.0, tag_width, 18.0),
718 tag_bg,
719 );
720 canvas.draw_text(
721 tag,
722 Point::new(tx + 6.0, self.bounds.y + y_offset + 17.0),
723 &tag_style,
724 );
725 tx += tag_width + 6.0;
726 }
727 }
728 }
729
730 fn event(&mut self, _event: &presentar_core::Event) -> Option<Box<dyn Any + Send>> {
731 None
732 }
733
734 fn children(&self) -> &[Box<dyn Widget>] {
735 &[]
736 }
737
738 fn children_mut(&mut self) -> &mut [Box<dyn Widget>] {
739 &mut []
740 }
741
742 fn is_interactive(&self) -> bool {
743 false
744 }
745
746 fn is_focusable(&self) -> bool {
747 false
748 }
749
750 fn accessible_name(&self) -> Option<&str> {
751 self.accessible_name_value.as_deref().or(Some(&self.name))
752 }
753
754 fn accessible_role(&self) -> AccessibleRole {
755 AccessibleRole::Generic
756 }
757
758 fn test_id(&self) -> Option<&str> {
759 self.test_id_value.as_deref()
760 }
761}
762
763impl Brick for DataCard {
765 fn brick_name(&self) -> &'static str {
766 "DataCard"
767 }
768
769 fn assertions(&self) -> &[BrickAssertion] {
770 &[
771 BrickAssertion::TextVisible,
772 BrickAssertion::MaxLatencyMs(16),
773 ]
774 }
775
776 fn budget(&self) -> BrickBudget {
777 BrickBudget::uniform(16)
778 }
779
780 fn verify(&self) -> BrickVerification {
781 BrickVerification {
782 passed: self.assertions().to_vec(),
783 failed: vec![],
784 verification_time: Duration::from_micros(10),
785 }
786 }
787
788 fn to_html(&self) -> String {
789 let test_id = self.test_id_value.as_deref().unwrap_or("data-card");
790 format!(
791 r#"<div class="brick-data-card" data-testid="{}" aria-label="{}">{}</div>"#,
792 test_id, self.name, self.name
793 )
794 }
795
796 fn to_css(&self) -> String {
797 ".brick-data-card { display: block; }".into()
798 }
799
800 fn test_id(&self) -> Option<&str> {
801 self.test_id_value.as_deref()
802 }
803}
804
805#[cfg(test)]
806mod tests {
807 use super::*;
808
809 #[test]
812 fn test_data_quality_default() {
813 assert_eq!(DataQuality::default(), DataQuality::Unknown);
814 }
815
816 #[test]
817 fn test_data_quality_color() {
818 let excellent = DataQuality::Excellent;
819 let color = excellent.color();
820 assert!(color.g > color.r); }
822
823 #[test]
824 fn test_data_quality_label() {
825 assert_eq!(DataQuality::Unknown.label(), "Unknown");
826 assert_eq!(DataQuality::Poor.label(), "Poor");
827 assert_eq!(DataQuality::Fair.label(), "Fair");
828 assert_eq!(DataQuality::Good.label(), "Good");
829 assert_eq!(DataQuality::Excellent.label(), "Excellent");
830 }
831
832 #[test]
833 fn test_data_quality_score() {
834 assert_eq!(DataQuality::Unknown.score(), 0);
835 assert_eq!(DataQuality::Poor.score(), 25);
836 assert_eq!(DataQuality::Fair.score(), 50);
837 assert_eq!(DataQuality::Good.score(), 75);
838 assert_eq!(DataQuality::Excellent.score(), 100);
839 }
840
841 #[test]
844 fn test_data_column_new() {
845 let col = DataColumn::new("age", "int64");
846 assert_eq!(col.name, "age");
847 assert_eq!(col.dtype, "int64");
848 assert!(!col.nullable);
849 assert!(col.description.is_none());
850 }
851
852 #[test]
853 fn test_data_column_nullable() {
854 let col = DataColumn::new("email", "string").nullable();
855 assert!(col.nullable);
856 }
857
858 #[test]
859 fn test_data_column_description() {
860 let col = DataColumn::new("id", "uuid").description("Primary key");
861 assert_eq!(col.description, Some("Primary key".to_string()));
862 }
863
864 #[test]
867 fn test_data_stats_new() {
868 let stats = DataStats::new();
869 assert!(stats.rows.is_none());
870 assert!(stats.columns.is_none());
871 }
872
873 #[test]
874 fn test_data_stats_builder() {
875 let stats = DataStats::new()
876 .rows(1_000_000)
877 .columns(50)
878 .size_bytes(500_000_000)
879 .null_percentage(2.5)
880 .duplicate_percentage(0.1);
881
882 assert_eq!(stats.rows, Some(1_000_000));
883 assert_eq!(stats.columns, Some(50));
884 assert_eq!(stats.size_bytes, Some(500_000_000));
885 assert_eq!(stats.null_percentage, Some(2.5));
886 assert_eq!(stats.duplicate_percentage, Some(0.1));
887 }
888
889 #[test]
890 fn test_data_stats_null_percentage_clamped() {
891 let stats = DataStats::new().null_percentage(150.0);
892 assert_eq!(stats.null_percentage, Some(100.0));
893
894 let stats = DataStats::new().null_percentage(-10.0);
895 assert_eq!(stats.null_percentage, Some(0.0));
896 }
897
898 #[test]
899 fn test_data_stats_formatted_size_bytes() {
900 let stats = DataStats::new().size_bytes(500);
901 assert_eq!(stats.formatted_size(), Some("500 B".to_string()));
902 }
903
904 #[test]
905 fn test_data_stats_formatted_size_kb() {
906 let stats = DataStats::new().size_bytes(5_000);
907 assert_eq!(stats.formatted_size(), Some("5.0 KB".to_string()));
908 }
909
910 #[test]
911 fn test_data_stats_formatted_size_mb() {
912 let stats = DataStats::new().size_bytes(50_000_000);
913 assert_eq!(stats.formatted_size(), Some("50.0 MB".to_string()));
914 }
915
916 #[test]
917 fn test_data_stats_formatted_size_gb() {
918 let stats = DataStats::new().size_bytes(5_000_000_000);
919 assert_eq!(stats.formatted_size(), Some("5.0 GB".to_string()));
920 }
921
922 #[test]
923 fn test_data_stats_formatted_rows_small() {
924 let stats = DataStats::new().rows(500);
925 assert_eq!(stats.formatted_rows(), Some("500 rows".to_string()));
926 }
927
928 #[test]
929 fn test_data_stats_formatted_rows_thousands() {
930 let stats = DataStats::new().rows(50_000);
931 assert_eq!(stats.formatted_rows(), Some("50.0K rows".to_string()));
932 }
933
934 #[test]
935 fn test_data_stats_formatted_rows_millions() {
936 let stats = DataStats::new().rows(5_000_000);
937 assert_eq!(stats.formatted_rows(), Some("5.0M rows".to_string()));
938 }
939
940 #[test]
943 fn test_data_card_new() {
944 let card = DataCard::new("customers");
945 assert_eq!(card.get_name(), "customers");
946 assert_eq!(card.get_version(), "1.0.0");
947 assert_eq!(card.get_quality(), DataQuality::Unknown);
948 }
949
950 #[test]
951 fn test_data_card_default() {
952 let card = DataCard::default();
953 assert!(card.name.is_empty());
954 assert_eq!(card.version, "1.0.0");
955 }
956
957 #[test]
958 fn test_data_card_builder() {
959 let card = DataCard::new("sales_data")
960 .version("2.0.0")
961 .description("Quarterly sales data")
962 .quality(DataQuality::Excellent)
963 .format("Parquet")
964 .source("s3://bucket/sales/")
965 .column(DataColumn::new("id", "int64"))
966 .column(DataColumn::new("amount", "float64"))
967 .stats(DataStats::new().rows(1_000_000).columns(20))
968 .license("MIT")
969 .tag("sales")
970 .tag("finance")
971 .metadata_entry("owner", "analytics-team")
972 .width(400.0)
973 .height(300.0)
974 .background(Color::WHITE)
975 .border_color(Color::new(0.8, 0.8, 0.8, 1.0))
976 .corner_radius(12.0)
977 .show_schema(true)
978 .accessible_name("Sales data card")
979 .test_id("sales-card");
980
981 assert_eq!(card.get_name(), "sales_data");
982 assert_eq!(card.get_version(), "2.0.0");
983 assert_eq!(card.get_description(), Some("Quarterly sales data"));
984 assert_eq!(card.get_quality(), DataQuality::Excellent);
985 assert_eq!(card.get_format(), Some("Parquet"));
986 assert_eq!(card.get_source(), Some("s3://bucket/sales/"));
987 assert_eq!(card.get_schema().len(), 2);
988 assert_eq!(card.get_stats().rows, Some(1_000_000));
989 assert_eq!(card.get_license(), Some("MIT"));
990 assert_eq!(card.get_tags().len(), 2);
991 assert_eq!(card.get_metadata("owner"), Some("analytics-team"));
992 assert_eq!(Widget::accessible_name(&card), Some("Sales data card"));
993 assert_eq!(Widget::test_id(&card), Some("sales-card"));
994 }
995
996 #[test]
997 fn test_data_card_columns() {
998 let cols = vec![DataColumn::new("a", "int"), DataColumn::new("b", "string")];
999 let card = DataCard::new("data").columns(cols);
1000 assert_eq!(card.column_count(), 2);
1001 assert!(card.has_schema());
1002 }
1003
1004 #[test]
1005 fn test_data_card_tags() {
1006 let card = DataCard::new("data").tags(["raw", "cleaned", "normalized"]);
1007 assert_eq!(card.get_tags().len(), 3);
1008 }
1009
1010 #[test]
1013 fn test_data_card_width_min() {
1014 let card = DataCard::new("data").width(100.0);
1015 assert_eq!(card.width, Some(200.0));
1016 }
1017
1018 #[test]
1019 fn test_data_card_height_min() {
1020 let card = DataCard::new("data").height(50.0);
1021 assert_eq!(card.height, Some(150.0));
1022 }
1023
1024 #[test]
1025 fn test_data_card_corner_radius_min() {
1026 let card = DataCard::new("data").corner_radius(-5.0);
1027 assert_eq!(card.corner_radius, 0.0);
1028 }
1029
1030 #[test]
1033 fn test_data_card_type_id() {
1034 let card = DataCard::new("data");
1035 assert_eq!(Widget::type_id(&card), TypeId::of::<DataCard>());
1036 }
1037
1038 #[test]
1039 fn test_data_card_measure_default() {
1040 let card = DataCard::new("data");
1041 let size = card.measure(Constraints::loose(Size::new(1000.0, 1000.0)));
1042 assert_eq!(size.width, 320.0);
1043 assert_eq!(size.height, 220.0);
1044 }
1045
1046 #[test]
1047 fn test_data_card_measure_custom() {
1048 let card = DataCard::new("data").width(400.0).height(300.0);
1049 let size = card.measure(Constraints::loose(Size::new(1000.0, 1000.0)));
1050 assert_eq!(size.width, 400.0);
1051 assert_eq!(size.height, 300.0);
1052 }
1053
1054 #[test]
1055 fn test_data_card_layout() {
1056 let mut card = DataCard::new("data");
1057 let bounds = Rect::new(10.0, 20.0, 320.0, 220.0);
1058 let result = card.layout(bounds);
1059 assert_eq!(result.size, Size::new(320.0, 220.0));
1060 assert_eq!(card.bounds, bounds);
1061 }
1062
1063 #[test]
1064 fn test_data_card_children() {
1065 let card = DataCard::new("data");
1066 assert!(card.children().is_empty());
1067 }
1068
1069 #[test]
1070 fn test_data_card_is_interactive() {
1071 let card = DataCard::new("data");
1072 assert!(!card.is_interactive());
1073 }
1074
1075 #[test]
1076 fn test_data_card_is_focusable() {
1077 let card = DataCard::new("data");
1078 assert!(!card.is_focusable());
1079 }
1080
1081 #[test]
1082 fn test_data_card_accessible_role() {
1083 let card = DataCard::new("data");
1084 assert_eq!(card.accessible_role(), AccessibleRole::Generic);
1085 }
1086
1087 #[test]
1088 fn test_data_card_accessible_name_from_name() {
1089 let card = DataCard::new("customers");
1090 assert_eq!(Widget::accessible_name(&card), Some("customers"));
1091 }
1092
1093 #[test]
1094 fn test_data_card_accessible_name_explicit() {
1095 let card = DataCard::new("customers").accessible_name("Customer dataset");
1096 assert_eq!(Widget::accessible_name(&card), Some("Customer dataset"));
1097 }
1098
1099 #[test]
1100 fn test_data_card_test_id() {
1101 let card = DataCard::new("data").test_id("data-card");
1102 assert_eq!(Widget::test_id(&card), Some("data-card"));
1103 }
1104
1105 #[test]
1108 fn test_data_card_has_schema_false() {
1109 let card = DataCard::new("data");
1110 assert!(!card.has_schema());
1111 }
1112
1113 #[test]
1114 fn test_data_card_has_schema_true() {
1115 let card = DataCard::new("data").column(DataColumn::new("id", "int"));
1116 assert!(card.has_schema());
1117 }
1118
1119 #[test]
1124 fn test_data_quality_color_all_variants() {
1125 let _ = DataQuality::Unknown.color();
1126 let _ = DataQuality::Poor.color();
1127 let _ = DataQuality::Fair.color();
1128 let _ = DataQuality::Good.color();
1129 let _ = DataQuality::Excellent.color();
1130 }
1131
1132 #[test]
1133 fn test_data_stats_formatted_rows_none() {
1134 let stats = DataStats::new();
1135 assert!(stats.formatted_rows().is_none());
1136 }
1137
1138 #[test]
1139 fn test_data_stats_formatted_size_none() {
1140 let stats = DataStats::new();
1141 assert!(stats.formatted_size().is_none());
1142 }
1143
1144 #[test]
1145 fn test_data_card_children_mut() {
1146 let mut card = DataCard::new("data");
1147 assert!(card.children_mut().is_empty());
1148 }
1149
1150 #[test]
1151 fn test_data_card_event_returns_none() {
1152 let mut card = DataCard::new("data");
1153 let result = card.event(&presentar_core::Event::KeyDown {
1154 key: presentar_core::Key::Down,
1155 });
1156 assert!(result.is_none());
1157 }
1158
1159 #[test]
1160 fn test_data_card_test_id_none() {
1161 let card = DataCard::new("data");
1162 assert!(Widget::test_id(&card).is_none());
1163 }
1164
1165 #[test]
1166 fn test_data_stats_duplicate_percentage_clamped() {
1167 let stats = DataStats::new().duplicate_percentage(150.0);
1168 assert_eq!(stats.duplicate_percentage, Some(100.0));
1169
1170 let stats = DataStats::new().duplicate_percentage(-10.0);
1171 assert_eq!(stats.duplicate_percentage, Some(0.0));
1172 }
1173
1174 #[test]
1175 fn test_data_column_eq() {
1176 let col1 = DataColumn::new("id", "int64");
1177 let col2 = DataColumn::new("id", "int64");
1178 assert_eq!(col1.name, col2.name);
1179 assert_eq!(col1.dtype, col2.dtype);
1180 }
1181
1182 #[test]
1187 fn test_data_card_brick_name() {
1188 let card = DataCard::new("test");
1189 assert_eq!(card.brick_name(), "DataCard");
1190 }
1191
1192 #[test]
1193 fn test_data_card_brick_assertions() {
1194 let card = DataCard::new("test");
1195 let assertions = card.assertions();
1196 assert!(assertions.len() >= 2);
1197 assert!(matches!(assertions[0], BrickAssertion::TextVisible));
1198 assert!(matches!(assertions[1], BrickAssertion::MaxLatencyMs(16)));
1199 }
1200
1201 #[test]
1202 fn test_data_card_brick_budget() {
1203 let card = DataCard::new("test");
1204 let budget = card.budget();
1205 assert!(budget.layout_ms > 0);
1207 assert!(budget.paint_ms > 0);
1208 }
1209
1210 #[test]
1211 fn test_data_card_brick_verify() {
1212 let card = DataCard::new("test");
1213 let verification = card.verify();
1214 assert!(!verification.passed.is_empty());
1215 assert!(verification.failed.is_empty());
1216 }
1217
1218 #[test]
1219 fn test_data_card_brick_to_html() {
1220 let card = DataCard::new("test-dataset").test_id("my-data-card");
1221 let html = card.to_html();
1222 assert!(html.contains("brick-data-card"));
1223 assert!(html.contains("my-data-card"));
1224 assert!(html.contains("test-dataset"));
1225 }
1226
1227 #[test]
1228 fn test_data_card_brick_to_html_default() {
1229 let card = DataCard::new("test");
1230 let html = card.to_html();
1231 assert!(html.contains("data-testid=\"data-card\""));
1232 }
1233
1234 #[test]
1235 fn test_data_card_brick_to_css() {
1236 let card = DataCard::new("test");
1237 let css = card.to_css();
1238 assert!(css.contains(".brick-data-card"));
1239 assert!(css.contains("display: block"));
1240 }
1241
1242 #[test]
1243 fn test_data_card_brick_test_id() {
1244 let card = DataCard::new("test").test_id("card-1");
1245 assert_eq!(Brick::test_id(&card), Some("card-1"));
1246 }
1247
1248 #[test]
1249 fn test_data_card_brick_test_id_none() {
1250 let card = DataCard::new("test");
1251 assert!(Brick::test_id(&card).is_none());
1252 }
1253
1254 #[test]
1259 fn test_data_quality_debug() {
1260 let quality = DataQuality::Good;
1261 let debug_str = format!("{:?}", quality);
1262 assert!(debug_str.contains("Good"));
1263 }
1264
1265 #[test]
1266 fn test_data_quality_eq() {
1267 assert_eq!(DataQuality::Good, DataQuality::Good);
1268 assert_ne!(DataQuality::Poor, DataQuality::Excellent);
1269 }
1270
1271 #[test]
1272 fn test_data_quality_clone() {
1273 let quality = DataQuality::Fair;
1274 let cloned = quality;
1275 assert_eq!(cloned, DataQuality::Fair);
1276 }
1277
1278 #[test]
1279 fn test_data_quality_serde() {
1280 let quality = DataQuality::Excellent;
1281 let serialized = serde_json::to_string(&quality).unwrap();
1282 let deserialized: DataQuality = serde_json::from_str(&serialized).unwrap();
1283 assert_eq!(deserialized, DataQuality::Excellent);
1284 }
1285
1286 #[test]
1291 fn test_data_column_debug() {
1292 let col = DataColumn::new("id", "int64");
1293 let debug_str = format!("{:?}", col);
1294 assert!(debug_str.contains("id"));
1295 assert!(debug_str.contains("int64"));
1296 }
1297
1298 #[test]
1299 fn test_data_column_clone() {
1300 let col = DataColumn::new("name", "string")
1301 .nullable()
1302 .description("User name");
1303 let cloned = col.clone();
1304 assert_eq!(cloned.name, "name");
1305 assert_eq!(cloned.dtype, "string");
1306 assert!(cloned.nullable);
1307 assert_eq!(cloned.description, Some("User name".to_string()));
1308 }
1309
1310 #[test]
1311 fn test_data_column_serde() {
1312 let col = DataColumn::new("age", "int32");
1313 let serialized = serde_json::to_string(&col).unwrap();
1314 let deserialized: DataColumn = serde_json::from_str(&serialized).unwrap();
1315 assert_eq!(deserialized.name, "age");
1316 assert_eq!(deserialized.dtype, "int32");
1317 }
1318
1319 #[test]
1324 fn test_data_stats_debug() {
1325 let stats = DataStats::new().rows(100);
1326 let debug_str = format!("{:?}", stats);
1327 assert!(debug_str.contains("100"));
1328 }
1329
1330 #[test]
1331 fn test_data_stats_clone() {
1332 let stats = DataStats::new().rows(1000).columns(10).size_bytes(50000);
1333 let cloned = stats.clone();
1334 assert_eq!(cloned.rows, Some(1000));
1335 assert_eq!(cloned.columns, Some(10));
1336 assert_eq!(cloned.size_bytes, Some(50000));
1337 }
1338
1339 #[test]
1340 fn test_data_stats_eq() {
1341 let stats1 = DataStats::new().rows(100);
1342 let stats2 = DataStats::new().rows(100);
1343 assert_eq!(stats1.rows, stats2.rows);
1344 }
1345
1346 #[test]
1347 fn test_data_stats_default() {
1348 let stats = DataStats::default();
1349 assert!(stats.rows.is_none());
1350 assert!(stats.columns.is_none());
1351 assert!(stats.size_bytes.is_none());
1352 assert!(stats.null_percentage.is_none());
1353 assert!(stats.duplicate_percentage.is_none());
1354 }
1355
1356 #[test]
1357 fn test_data_stats_formatted_rows_edge_cases() {
1358 let stats = DataStats::new().rows(1000);
1360 assert_eq!(stats.formatted_rows(), Some("1.0K rows".to_string()));
1361
1362 let stats = DataStats::new().rows(1_000_000);
1364 assert_eq!(stats.formatted_rows(), Some("1.0M rows".to_string()));
1365 }
1366
1367 #[test]
1368 fn test_data_stats_formatted_size_edge_cases() {
1369 let stats = DataStats::new().size_bytes(1000);
1371 assert_eq!(stats.formatted_size(), Some("1.0 KB".to_string()));
1372
1373 let stats = DataStats::new().size_bytes(1_000_000);
1375 assert_eq!(stats.formatted_size(), Some("1.0 MB".to_string()));
1376
1377 let stats = DataStats::new().size_bytes(1_000_000_000);
1379 assert_eq!(stats.formatted_size(), Some("1.0 GB".to_string()));
1380 }
1381
1382 #[test]
1387 fn test_data_card_debug() {
1388 let card = DataCard::new("test");
1389 let debug_str = format!("{:?}", card);
1390 assert!(debug_str.contains("test"));
1391 }
1392
1393 #[test]
1394 fn test_data_card_clone() {
1395 let card = DataCard::new("original")
1396 .version("2.0.0")
1397 .quality(DataQuality::Good);
1398 let cloned = card.clone();
1399 assert_eq!(cloned.get_name(), "original");
1400 assert_eq!(cloned.get_version(), "2.0.0");
1401 assert_eq!(cloned.get_quality(), DataQuality::Good);
1402 }
1403
1404 #[test]
1405 fn test_data_card_serde() {
1406 let card = DataCard::new("serialized")
1407 .version("1.2.3")
1408 .quality(DataQuality::Fair);
1409 let serialized = serde_json::to_string(&card).unwrap();
1410 let deserialized: DataCard = serde_json::from_str(&serialized).unwrap();
1411 assert_eq!(deserialized.get_name(), "serialized");
1412 assert_eq!(deserialized.get_version(), "1.2.3");
1413 assert_eq!(deserialized.get_quality(), DataQuality::Fair);
1414 }
1415
1416 #[test]
1421 fn test_data_card_measure_with_tight_constraints() {
1422 let card = DataCard::new("test").width(400.0).height(300.0);
1423 let size = card.measure(Constraints::tight(Size::new(200.0, 150.0)));
1424 assert_eq!(size.width, 200.0);
1425 assert_eq!(size.height, 150.0);
1426 }
1427
1428 #[test]
1429 fn test_data_card_name_setter() {
1430 let card = DataCard::new("initial").name("changed");
1431 assert_eq!(card.get_name(), "changed");
1432 }
1433
1434 #[test]
1439 fn test_data_card_getters_none() {
1440 let card = DataCard::new("test");
1441 assert!(card.get_description().is_none());
1442 assert!(card.get_format().is_none());
1443 assert!(card.get_source().is_none());
1444 assert!(card.get_license().is_none());
1445 assert!(card.get_metadata("nonexistent").is_none());
1446 }
1447
1448 #[test]
1449 fn test_data_card_getters_some() {
1450 let card = DataCard::new("test")
1451 .description("desc")
1452 .format("CSV")
1453 .source("http://example.com")
1454 .license("MIT")
1455 .metadata_entry("key", "value");
1456
1457 assert_eq!(card.get_description(), Some("desc"));
1458 assert_eq!(card.get_format(), Some("CSV"));
1459 assert_eq!(card.get_source(), Some("http://example.com"));
1460 assert_eq!(card.get_license(), Some("MIT"));
1461 assert_eq!(card.get_metadata("key"), Some("value"));
1462 }
1463
1464 #[test]
1469 fn test_data_card_empty_columns() {
1470 let card = DataCard::new("test").columns(vec![]);
1471 assert_eq!(card.column_count(), 0);
1472 assert!(!card.has_schema());
1473 }
1474
1475 #[test]
1476 fn test_data_card_many_columns() {
1477 let cols: Vec<DataColumn> = (0..10)
1478 .map(|i| DataColumn::new(format!("col_{i}"), "int"))
1479 .collect();
1480 let card = DataCard::new("test").columns(cols);
1481 assert_eq!(card.column_count(), 10);
1482 }
1483
1484 #[test]
1485 fn test_data_card_empty_tags() {
1486 let tags: [&str; 0] = [];
1487 let card = DataCard::new("test").tags(tags);
1488 assert!(card.get_tags().is_empty());
1489 }
1490
1491 #[test]
1492 fn test_data_card_show_schema_false() {
1493 let card = DataCard::new("test")
1494 .column(DataColumn::new("id", "int"))
1495 .show_schema(false);
1496 assert!(card.has_schema());
1497 }
1499
1500 #[test]
1501 fn test_data_card_default_colors() {
1502 let card = DataCard::default();
1503 assert_eq!(card.background, Color::WHITE);
1504 }
1505}