1use std::borrow::Cow;
4use std::collections::btree_map::Entry;
5use std::collections::{BTreeMap, BTreeSet};
6
7use itertools::Itertools;
8use proc_macro2::Span;
9use quote::ToTokens;
10use syn::spanned::Spanned;
11use syn::{Error, Ident, ItemUse};
12
13use super::ops::next_iteration::NEXT_ITERATION;
14use super::ops::{FloType, Persistence};
15use super::{DfirGraph, GraphEdgeId, GraphLoopId, GraphNode, GraphNodeId, PortIndexValue};
16use crate::diagnostic::{Diagnostic, Diagnostics, Level};
17use crate::graph::graph_algorithms;
18use crate::graph::ops::{PortListSpec, RangeTrait};
19use crate::parse::{DfirCode, DfirStatement, Operator, Pipeline};
20use crate::pretty_span::PrettySpan;
21
22#[derive(Clone, Debug)]
23struct Ends {
24 inn: Option<(PortIndexValue, GraphDet)>,
25 out: Option<(PortIndexValue, GraphDet)>,
26}
27
28#[derive(Clone, Debug)]
29enum GraphDet {
30 Determined(GraphNodeId),
31 Undetermined(Ident),
32}
33
34#[derive(Debug)]
36struct VarnameInfo {
37 pub ends: Ends,
39 pub illegal_cycle: bool,
41 pub inn_used: bool,
43 pub out_used: bool,
45}
46impl VarnameInfo {
47 pub fn new(ends: Ends) -> Self {
48 Self {
49 ends,
50 illegal_cycle: false,
51 inn_used: false,
52 out_used: false,
53 }
54 }
55}
56
57#[derive(Debug, Default)]
59pub struct FlatGraphBuilder {
60 diagnostics: Diagnostics,
62
63 flat_graph: DfirGraph,
65 varname_ends: BTreeMap<Ident, VarnameInfo>,
67 links: Vec<Ends>,
69
70 uses: Vec<ItemUse>,
72
73 module_boundary_nodes: Option<(GraphNodeId, GraphNodeId)>,
76}
77
78pub struct FlatGraphBuilderOutput {
80 pub flat_graph: DfirGraph,
82 pub uses: Vec<ItemUse>,
84 pub diagnostics: Diagnostics,
86}
87
88impl FlatGraphBuilder {
89 pub fn new() -> Self {
91 Default::default()
92 }
93
94 pub fn from_dfir(input: DfirCode) -> Self {
96 let mut builder = Self::default();
97 builder.add_dfir(input, None, None);
98 builder
99 }
100
101 pub fn build(mut self) -> Result<FlatGraphBuilderOutput, Diagnostics> {
106 self.finalize_connect_operator_links();
107 self.process_operator_errors();
108
109 if self.diagnostics.has_error() {
110 Err(self.diagnostics)
111 } else {
112 Ok(FlatGraphBuilderOutput {
113 flat_graph: self.flat_graph,
114 uses: self.uses,
115 diagnostics: self.diagnostics,
116 })
117 }
118 }
119
120 pub fn add_dfir(
126 &mut self,
127 dfir: DfirCode,
128 current_loop: Option<GraphLoopId>,
129 operator_tag: Option<&str>,
130 ) {
131 for stmt in dfir.statements {
132 self.add_statement_internal(stmt, current_loop, operator_tag);
133 }
134 }
135
136 pub fn add_statement(&mut self, stmt: DfirStatement) {
138 self.add_statement_internal(stmt, None, None);
139 }
140
141 fn add_statement_internal(
147 &mut self,
148 stmt: DfirStatement,
149 current_loop: Option<GraphLoopId>,
150 operator_tag: Option<&str>,
151 ) {
152 match stmt {
153 DfirStatement::Use(yuse) => {
154 self.uses.push(yuse);
155 }
156 DfirStatement::Named(named) => {
157 let stmt_span = named.span();
158 let ends = self.add_pipeline(
159 named.pipeline,
160 Some(&named.name),
161 current_loop,
162 operator_tag,
163 );
164 self.assign_varname_checked(named.name, stmt_span, ends);
165 }
166 DfirStatement::Pipeline(pipeline_stmt) => {
167 let ends =
168 self.add_pipeline(pipeline_stmt.pipeline, None, current_loop, operator_tag);
169 Self::helper_check_unused_port(&mut self.diagnostics, &ends, true);
170 Self::helper_check_unused_port(&mut self.diagnostics, &ends, false);
171 }
172 DfirStatement::Loop(loop_statement) => {
173 let inner_loop = self.flat_graph.insert_loop(current_loop);
174 for stmt in loop_statement.statements {
175 self.add_statement_internal(stmt, Some(inner_loop), operator_tag);
176 }
177 }
178 }
179 }
180
181 pub fn append_assign_pipeline(
193 &mut self,
194 asgn_name: Option<&Ident>,
195 pred_name: Option<&Ident>,
196 pipeline: Pipeline,
197 current_loop: Option<GraphLoopId>,
198 operator_tag: Option<&str>,
199 ) {
200 let span = pipeline.span();
201 let mut ends = self.add_pipeline(pipeline, asgn_name, current_loop, operator_tag);
202
203 if let Some(pred_name) = pred_name {
205 if let Some(pred_varname_info) = self.varname_ends.get(pred_name) {
206 ends = self.connect_ends(pred_varname_info.ends.clone(), ends);
208 } else {
209 self.diagnostics.push(Diagnostic::spanned(
210 pred_name.span(),
211 Level::Error,
212 format!(
213 "Cannot find referenced name `{}`; name was never assigned.",
214 pred_name
215 ),
216 ));
217 }
218 }
219
220 if let Some(asgn_name) = asgn_name {
222 self.assign_varname_checked(asgn_name.clone(), span, ends);
223 }
224 }
225}
226
227impl FlatGraphBuilder {
229 fn assign_varname_checked(&mut self, name: Ident, stmt_span: Span, ends: Ends) {
231 match self.varname_ends.entry(name) {
232 Entry::Vacant(vacant_entry) => {
233 vacant_entry.insert(VarnameInfo::new(ends));
234 }
235 Entry::Occupied(occupied_entry) => {
236 let prev_conflict = occupied_entry.key();
237 self.diagnostics.push(Diagnostic::spanned(
238 prev_conflict.span(),
239 Level::Error,
240 format!(
241 "Existing assignment to `{}` conflicts with later assignment: {} (1/2)",
242 prev_conflict,
243 PrettySpan(stmt_span),
244 ),
245 ));
246 self.diagnostics.push(Diagnostic::spanned(
247 stmt_span,
248 Level::Error,
249 format!(
250 "Name assignment to `{}` conflicts with existing assignment: {} (2/2)",
251 prev_conflict,
252 PrettySpan(prev_conflict.span())
253 ),
254 ));
255 }
256 }
257 }
258
259 fn add_pipeline(
261 &mut self,
262 pipeline: Pipeline,
263 current_varname: Option<&Ident>,
264 current_loop: Option<GraphLoopId>,
265 operator_tag: Option<&str>,
266 ) -> Ends {
267 match pipeline {
268 Pipeline::Paren(ported_pipeline_paren) => {
269 let (inn_port, pipeline_paren, out_port) =
270 PortIndexValue::from_ported(ported_pipeline_paren);
271 let og_ends = self.add_pipeline(
272 *pipeline_paren.pipeline,
273 current_varname,
274 current_loop,
275 operator_tag,
276 );
277 Self::helper_combine_ends(&mut self.diagnostics, og_ends, inn_port, out_port)
278 }
279 Pipeline::Name(pipeline_name) => {
280 let (inn_port, ident, out_port) = PortIndexValue::from_ported(pipeline_name);
281
282 Ends {
285 inn: Some((inn_port, GraphDet::Undetermined(ident.clone()))),
286 out: Some((out_port, GraphDet::Undetermined(ident))),
287 }
288 }
289 Pipeline::ModuleBoundary(pipeline_name) => {
290 let Some((input_node, output_node)) = self.module_boundary_nodes else {
291 self.diagnostics.push(
292 Error::new(
293 pipeline_name.span(),
294 "`mod` is only usable inside of a module.",
295 )
296 .into(),
297 );
298
299 return Ends {
300 inn: None,
301 out: None,
302 };
303 };
304
305 let (inn_port, _, out_port) = PortIndexValue::from_ported(pipeline_name);
306
307 Ends {
308 inn: Some((inn_port, GraphDet::Determined(output_node))),
309 out: Some((out_port, GraphDet::Determined(input_node))),
310 }
311 }
312 Pipeline::Link(pipeline_link) => {
313 let lhs_ends = self.add_pipeline(
315 *pipeline_link.lhs,
316 current_varname,
317 current_loop,
318 operator_tag,
319 );
320 let rhs_ends = self.add_pipeline(
321 *pipeline_link.rhs,
322 current_varname,
323 current_loop,
324 operator_tag,
325 );
326
327 self.connect_ends(lhs_ends, rhs_ends)
328 }
329 Pipeline::Operator(operator) => {
330 let op_span = Some(operator.span());
331 let (node_id, ends) =
332 self.add_operator(current_varname, current_loop, operator, op_span);
333 if let Some(operator_tag) = operator_tag {
334 self.flat_graph
335 .set_operator_tag(node_id, operator_tag.to_owned());
336 }
337 ends
338 }
339 }
340 }
341
342 fn connect_ends(&mut self, lhs_ends: Ends, rhs_ends: Ends) -> Ends {
346 let outer_ends = Ends {
348 inn: lhs_ends.inn,
349 out: rhs_ends.out,
350 };
351 let link_ends = Ends {
353 out: lhs_ends.out,
354 inn: rhs_ends.inn,
355 };
356 self.links.push(link_ends);
357 outer_ends
358 }
359
360 fn add_operator(
362 &mut self,
363 current_varname: Option<&Ident>,
364 current_loop: Option<GraphLoopId>,
365 operator: Operator,
366 op_span: Option<Span>,
367 ) -> (GraphNodeId, Ends) {
368 let node_id = self.flat_graph.insert_node(
369 GraphNode::Operator(operator),
370 current_varname.cloned(),
371 current_loop,
372 );
373 let ends = Ends {
374 inn: Some((
375 PortIndexValue::Elided(op_span),
376 GraphDet::Determined(node_id),
377 )),
378 out: Some((
379 PortIndexValue::Elided(op_span),
380 GraphDet::Determined(node_id),
381 )),
382 };
383 (node_id, ends)
384 }
385
386 fn finalize_connect_operator_links(&mut self) {
389 for Ends { out, inn } in std::mem::take(&mut self.links) {
391 let out_opt = self.helper_resolve_name(out, false);
392 let inn_opt = self.helper_resolve_name(inn, true);
393 if let (Some((out_port, out_node)), Some((inn_port, inn_node))) = (out_opt, inn_opt) {
395 let _ = self.finalize_connect_operators(out_port, out_node, inn_port, inn_node);
396 }
397 }
398
399 for node_id in self.flat_graph.node_ids().collect::<Vec<_>>() {
401 if let GraphNode::Operator(operator) = self.flat_graph.node(node_id) {
402 let singletons_referenced = operator
403 .singletons_referenced
404 .clone()
405 .into_iter()
406 .map(|singleton_ref| {
407 let port_det = self
408 .varname_ends
409 .get(&singleton_ref)
410 .filter(|varname_info| !varname_info.illegal_cycle)
411 .map(|varname_info| &varname_info.ends)
412 .and_then(|ends| ends.out.as_ref())
413 .cloned();
414 if let Some((_port, node_id)) = self.helper_resolve_name(port_det, false) {
415 Some(node_id)
416 } else {
417 self.diagnostics.push(Diagnostic::spanned(
418 singleton_ref.span(),
419 Level::Error,
420 format!(
421 "Cannot find referenced name `{}`; name was never assigned.",
422 singleton_ref
423 ),
424 ));
425 None
426 }
427 })
428 .collect();
429
430 self.flat_graph
431 .set_node_singleton_references(node_id, singletons_referenced);
432 }
433 }
434 }
435
436 fn helper_resolve_name(
443 &mut self,
444 mut port_det: Option<(PortIndexValue, GraphDet)>,
445 is_in: bool,
446 ) -> Option<(PortIndexValue, GraphNodeId)> {
447 const BACKUP_RECURSION_LIMIT: usize = 1024;
448
449 let mut names = Vec::new();
450 for _ in 0..BACKUP_RECURSION_LIMIT {
451 match port_det? {
452 (port, GraphDet::Determined(node_id)) => {
453 return Some((port, node_id));
454 }
455 (port, GraphDet::Undetermined(ident)) => {
456 let Some(varname_info) = self.varname_ends.get_mut(&ident) else {
457 self.diagnostics.push(Diagnostic::spanned(
458 ident.span(),
459 Level::Error,
460 format!("Cannot find name `{}`; name was never assigned.", ident),
461 ));
462 return None;
463 };
464 let cycle_found = names.contains(&ident);
466 if !cycle_found {
467 names.push(ident);
468 };
469 if cycle_found || varname_info.illegal_cycle {
470 let len = names.len();
471 for (i, name) in names.into_iter().enumerate() {
472 self.diagnostics.push(Diagnostic::spanned(
473 name.span(),
474 Level::Error,
475 format!(
476 "Name `{}` forms or references an illegal self-referential cycle ({}/{}).",
477 name,
478 i + 1,
479 len
480 ),
481 ));
482 self.varname_ends.get_mut(&name).unwrap().illegal_cycle = true;
485 }
486 return None;
487 }
488
489 let prev = if is_in {
491 varname_info.inn_used = true;
492 &varname_info.ends.inn
493 } else {
494 varname_info.out_used = true;
495 &varname_info.ends.out
496 };
497 port_det = Self::helper_combine_end(
498 &mut self.diagnostics,
499 prev.clone(),
500 port,
501 if is_in { "input" } else { "output" },
502 );
503 }
504 }
505 }
506 self.diagnostics.push(Diagnostic::spanned(
507 Span::call_site(),
508 Level::Error,
509 format!(
510 "Reached the recursion limit {} while resolving names. This is either a dfir bug or you have an absurdly long chain of names: `{}`.",
511 BACKUP_RECURSION_LIMIT,
512 names.iter().map(ToString::to_string).collect::<Vec<_>>().join("` -> `"),
513 )
514 ));
515 None
516 }
517
518 fn finalize_connect_operators(
520 &mut self,
521 src_port: PortIndexValue,
522 src: GraphNodeId,
523 dst_port: PortIndexValue,
524 dst: GraphNodeId,
525 ) -> GraphEdgeId {
526 {
527 fn emit_conflict(
529 inout: &str,
530 old: &PortIndexValue,
531 new: &PortIndexValue,
532 diagnostics: &mut Diagnostics,
533 ) {
534 diagnostics.push(Diagnostic::spanned(
536 old.span(),
537 Level::Error,
538 format!(
539 "{} connection conflicts with below ({}) (1/2)",
540 inout,
541 PrettySpan(new.span()),
542 ),
543 ));
544 diagnostics.push(Diagnostic::spanned(
545 new.span(),
546 Level::Error,
547 format!(
548 "{} connection conflicts with above ({}) (2/2)",
549 inout,
550 PrettySpan(old.span()),
551 ),
552 ));
553 }
554
555 if src_port.is_specified() {
557 for conflicting_port in self
558 .flat_graph
559 .node_successor_edges(src)
560 .map(|edge_id| self.flat_graph.edge_ports(edge_id).0)
561 .filter(|&port| port == &src_port)
562 {
563 emit_conflict("Output", conflicting_port, &src_port, &mut self.diagnostics);
564 }
565 }
566
567 if dst_port.is_specified() {
569 for conflicting_port in self
570 .flat_graph
571 .node_predecessor_edges(dst)
572 .map(|edge_id| self.flat_graph.edge_ports(edge_id).1)
573 .filter(|&port| port == &dst_port)
574 {
575 emit_conflict("Input", conflicting_port, &dst_port, &mut self.diagnostics);
576 }
577 }
578 }
579 self.flat_graph.insert_edge(src, src_port, dst, dst_port)
580 }
581
582 fn process_operator_errors(&mut self) {
584 self.make_operator_instances();
585 self.check_operator_errors();
586 self.warn_unused_port_indexing();
587 self.check_loop_errors();
588 }
589
590 fn make_operator_instances(&mut self) {
592 self.flat_graph
593 .insert_node_op_insts_all(&mut self.diagnostics);
594 }
595
596 fn check_operator_errors(&mut self) {
599 for (node_id, node) in self.flat_graph.nodes() {
600 match node {
601 GraphNode::Operator(operator) => {
602 let Some(op_inst) = self.flat_graph.node_op_inst(node_id) else {
603 continue;
605 };
606 let op_constraints = op_inst.op_constraints;
607
608 if op_constraints.num_args != operator.args.len() {
610 self.diagnostics.push(Diagnostic::spanned(
611 operator.span(),
612 Level::Error,
613 format!(
614 "expected {} argument(s), found {}",
615 op_constraints.num_args,
616 operator.args.len()
617 ),
618 ));
619 }
620
621 fn emit_arity_error(
624 operator: &Operator,
625 is_in: bool,
626 is_hard: bool,
627 degree: usize,
628 range: &dyn RangeTrait<usize>,
629 diagnostics: &mut Diagnostics,
630 ) -> bool {
631 let op_name = &*operator.name_string();
632 let message = format!(
633 "`{}` {} have {} {}, actually has {}.",
634 op_name,
635 if is_hard { "must" } else { "should" },
636 range.human_string(),
637 if is_in { "input(s)" } else { "output(s)" },
638 degree,
639 );
640 let out_of_range = !range.contains(°ree);
641 if out_of_range {
642 diagnostics.push(Diagnostic::spanned(
643 operator.span(),
644 if is_hard {
645 Level::Error
646 } else {
647 Level::Warning
648 },
649 message,
650 ));
651 }
652 out_of_range
653 }
654
655 let inn_degree = self.flat_graph.node_degree_in(node_id);
656 let _ = emit_arity_error(
657 operator,
658 true,
659 true,
660 inn_degree,
661 op_constraints.hard_range_inn,
662 &mut self.diagnostics,
663 ) || emit_arity_error(
664 operator,
665 true,
666 false,
667 inn_degree,
668 op_constraints.soft_range_inn,
669 &mut self.diagnostics,
670 );
671
672 let out_degree = self.flat_graph.node_degree_out(node_id);
673 let _ = emit_arity_error(
674 operator,
675 false,
676 true,
677 out_degree,
678 op_constraints.hard_range_out,
679 &mut self.diagnostics,
680 ) || emit_arity_error(
681 operator,
682 false,
683 false,
684 out_degree,
685 op_constraints.soft_range_out,
686 &mut self.diagnostics,
687 );
688
689 fn emit_port_error<'a>(
690 operator_span: Span,
691 expected_ports_fn: Option<fn() -> PortListSpec>,
692 actual_ports_iter: impl Iterator<Item = &'a PortIndexValue>,
693 input_output: &'static str,
694 diagnostics: &mut Diagnostics,
695 ) {
696 let Some(expected_ports_fn) = expected_ports_fn else {
697 return;
698 };
699 let PortListSpec::Fixed(expected_ports) = (expected_ports_fn)() else {
700 return;
702 };
703 let expected_ports: Vec<_> = expected_ports.into_iter().collect();
704
705 let ports: BTreeSet<_> = actual_ports_iter
707 .inspect(|actual_port_iv| {
710 let is_expected = expected_ports.iter().any(|port_index| {
712 actual_port_iv == &&port_index.clone().into()
713 });
714 if !is_expected {
716 diagnostics.push(Diagnostic::spanned(
717 actual_port_iv.span(),
718 Level::Error,
719 format!(
720 "Unexpected {} port: {}. Expected one of: `{}`",
721 input_output,
722 actual_port_iv.as_error_message_string(),
723 Itertools::intersperse(
724 expected_ports
725 .iter()
726 .map(|port| Cow::Owned(
727 port.to_token_stream().to_string()
728 )),
729 Cow::Borrowed("`, `")
730 ).collect::<String>()
731 ),
732 ))
733 }
734 })
735 .collect();
736
737 let missing: Vec<_> = expected_ports
739 .into_iter()
740 .filter_map(|expected_port| {
741 let tokens = expected_port.to_token_stream();
742 if !ports.contains(&&expected_port.into()) {
743 Some(tokens)
744 } else {
745 None
746 }
747 })
748 .collect();
749 if !missing.is_empty() {
750 diagnostics.push(Diagnostic::spanned(
751 operator_span,
752 Level::Error,
753 format!(
754 "Missing expected {} port(s): `{}`.",
755 input_output,
756 Itertools::intersperse(
757 missing.into_iter().map(|port| Cow::Owned(
758 port.to_token_stream().to_string()
759 )),
760 Cow::Borrowed("`, `")
761 )
762 .collect::<String>()
763 ),
764 ));
765 }
766 }
767
768 emit_port_error(
769 operator.span(),
770 op_constraints.ports_inn,
771 self.flat_graph
772 .node_predecessor_edges(node_id)
773 .map(|edge_id| self.flat_graph.edge_ports(edge_id).1),
774 "input",
775 &mut self.diagnostics,
776 );
777 emit_port_error(
778 operator.span(),
779 op_constraints.ports_out,
780 self.flat_graph
781 .node_successor_edges(node_id)
782 .map(|edge_id| self.flat_graph.edge_ports(edge_id).0),
783 "output",
784 &mut self.diagnostics,
785 );
786
787 {
789 let singletons_resolved =
790 self.flat_graph.node_singleton_references(node_id);
791 for (singleton_node_id, singleton_ident) in singletons_resolved
792 .iter()
793 .zip_eq(&*operator.singletons_referenced)
794 {
795 let &Some(singleton_node_id) = singleton_node_id else {
796 continue;
798 };
799 let Some(ref_op_inst) = self.flat_graph.node_op_inst(singleton_node_id)
800 else {
801 continue;
803 };
804 let ref_op_constraints = ref_op_inst.op_constraints;
805 if !ref_op_constraints.has_singleton_output {
806 self.diagnostics.push(Diagnostic::spanned(
807 singleton_ident.span(),
808 Level::Error,
809 format!(
810 "Cannot reference operator `{}`. Only operators with singleton state can be referenced.",
811 ref_op_constraints.name,
812 ),
813 ));
814 }
815 }
816 }
817 }
818 GraphNode::Handoff { .. } => todo!("Node::Handoff"),
819 GraphNode::ModuleBoundary { .. } => {
820 }
822 }
823 }
824 }
825
826 fn warn_unused_port_indexing(&mut self) {
829 for (_ident, varname_info) in self.varname_ends.iter() {
830 if !varname_info.inn_used {
831 Self::helper_check_unused_port(&mut self.diagnostics, &varname_info.ends, true);
832 }
833 if !varname_info.out_used {
834 Self::helper_check_unused_port(&mut self.diagnostics, &varname_info.ends, false);
835 }
836 }
837 }
838
839 fn helper_check_unused_port(diagnostics: &mut Diagnostics, ends: &Ends, is_in: bool) {
842 let port = if is_in { &ends.inn } else { &ends.out };
843 if let Some((port, _)) = port
844 && port.is_specified()
845 {
846 diagnostics.push(Diagnostic::spanned(
847 port.span(),
848 Level::Error,
849 format!(
850 "{} port index is unused. (Is the port on the correct side?)",
851 if is_in { "Input" } else { "Output" },
852 ),
853 ));
854 }
855 }
856
857 fn helper_combine_ends(
862 diagnostics: &mut Diagnostics,
863 og_ends: Ends,
864 inn_port: PortIndexValue,
865 out_port: PortIndexValue,
866 ) -> Ends {
867 Ends {
868 inn: Self::helper_combine_end(diagnostics, og_ends.inn, inn_port, "input"),
869 out: Self::helper_combine_end(diagnostics, og_ends.out, out_port, "output"),
870 }
871 }
872
873 fn helper_combine_end(
876 diagnostics: &mut Diagnostics,
877 og: Option<(PortIndexValue, GraphDet)>,
878 other: PortIndexValue,
879 input_output: &'static str,
880 ) -> Option<(PortIndexValue, GraphDet)> {
881 let other_span = other.span();
884
885 let (og_port, og_node) = og?;
886 match og_port.combine(other) {
887 Ok(combined_port) => Some((combined_port, og_node)),
888 Err(og_port) => {
889 diagnostics.push(Diagnostic::spanned(
891 og_port.span(),
892 Level::Error,
893 format!(
894 "Indexing on {} is overwritten below ({}) (1/2).",
895 input_output,
896 PrettySpan(other_span),
897 ),
898 ));
899 diagnostics.push(Diagnostic::spanned(
900 other_span,
901 Level::Error,
902 format!(
903 "Cannot index on already-indexed {}, previously indexed above ({}) (2/2).",
904 input_output,
905 PrettySpan(og_port.span()),
906 ),
907 ));
908 Some((og_port, og_node))
911 }
912 }
913 }
914
915 fn check_loop_errors(&mut self) {
917 for (node_id, node) in self.flat_graph.nodes() {
918 let Some(op_inst) = self.flat_graph.node_op_inst(node_id) else {
919 continue;
920 };
921 let loop_opt = self.flat_graph.node_loop(node_id);
922
923 for persistence in &op_inst.generics.persistence_args {
926 let span = op_inst.generics.generic_args.span();
927 match (loop_opt, persistence) {
928 (Some(_loop_id), p @ (Persistence::Tick | Persistence::Static)) => {
929 self.diagnostics.push(Diagnostic::spanned(
930 span,
931 Level::Error,
932 format!(
933 "Operator uses `'{}` persistence, which is not allowed within a `loop {{ ... }}` context.",
934 p.to_str_lowercase(),
935 ),
936 ));
937 }
938 (None, p @ (Persistence::None | Persistence::Loop)) => {
939 self.diagnostics.push(Diagnostic::spanned(
940 span,
941 Level::Error,
942 format!(
943 "Operator uses `'{}` persistence, but is not within a `loop {{ ... }}` context.",
944 p.to_str_lowercase(),
945 ),
946 ));
947 }
948 _ => {}
949 }
950 }
951
952 if let (Some(_loop_id), Some(FloType::Source)) =
954 (loop_opt, op_inst.op_constraints.flo_type)
955 {
956 self.diagnostics.push(Diagnostic::spanned(
957 node.span(),
958 Level::Error,
959 format!(
960 "Source operator `{}(...)` must be at the root level, not within any `loop {{ ... }}` contexts.",
961 op_inst.op_constraints.name
962 )
963 ));
964 }
965 }
966
967 for (_edge_id, (pred_id, node_id)) in self.flat_graph.edges() {
969 let Some(op_inst) = self.flat_graph.node_op_inst(node_id) else {
970 continue;
971 };
972 let flo_type = &op_inst.op_constraints.flo_type;
973
974 let pred_loop_id = self.flat_graph.node_loop(pred_id);
975 let loop_id = self.flat_graph.node_loop(node_id);
976
977 let span = self.flat_graph.node(node_id).span();
978
979 let (is_input, is_output) = {
980 let parent_pred_loop_id =
981 pred_loop_id.and_then(|lid| self.flat_graph.loop_parent(lid));
982 let parent_loop_id = loop_id.and_then(|lid| self.flat_graph.loop_parent(lid));
983 let is_same = pred_loop_id == loop_id;
984 let is_input = !is_same && parent_loop_id == pred_loop_id;
985 let is_output = !is_same && parent_pred_loop_id == loop_id;
986 if !(is_input || is_output || is_same) {
987 self.diagnostics.push(Diagnostic::spanned(
988 span,
989 Level::Error,
990 "Operator input edge may not cross multiple loop contexts.",
991 ));
992 continue;
993 }
994 (is_input, is_output)
995 };
996
997 match flo_type {
998 None => {
999 if is_input {
1000 self.diagnostics.push(Diagnostic::spanned(
1001 span,
1002 Level::Error,
1003 format!(
1004 "Operator `{}(...)` entering a loop context must be a windowing operator, but is not.",
1005 op_inst.op_constraints.name
1006 )
1007 ));
1008 }
1009 if is_output {
1010 self.diagnostics.push(Diagnostic::spanned(
1011 span,
1012 Level::Error,
1013 format!(
1014 "Operator `{}(...)` exiting a loop context must be an un-windowing operator, but is not.",
1015 op_inst.op_constraints.name
1016 )
1017 ));
1018 }
1019 }
1020 Some(FloType::Windowing) => {
1021 if !is_input {
1022 self.diagnostics.push(Diagnostic::spanned(
1023 span,
1024 Level::Error,
1025 format!(
1026 "Windowing operator `{}(...)` must be the first input operator into a `loop {{ ... }} context.",
1027 op_inst.op_constraints.name
1028 )
1029 ));
1030 }
1031 }
1032 Some(FloType::Unwindowing) => {
1033 if !is_output {
1034 self.diagnostics.push(Diagnostic::spanned(
1035 span,
1036 Level::Error,
1037 format!(
1038 "Un-windowing operator `{}(...)` must be the first output operator after exiting a `loop {{ ... }} context.",
1039 op_inst.op_constraints.name
1040 )
1041 ));
1042 }
1043 }
1044 Some(FloType::NextIteration) => {
1045 if loop_id.is_none() {
1047 self.diagnostics.push(Diagnostic::spanned(
1048 span,
1049 Level::Error,
1050 format!(
1051 "Operator `{}(...)` must be within a `loop {{ ... }}` context.",
1052 op_inst.op_constraints.name
1053 ),
1054 ));
1055 }
1056 }
1057 Some(FloType::Source) => {
1058 }
1060 }
1061 }
1062
1063 for (loop_id, loop_nodes) in self.flat_graph.loops() {
1067 let filter_next_iteration = |&node_id: &GraphNodeId| {
1069 self.flat_graph
1070 .node_op_inst(node_id)
1071 .map(|op_inst| Some(FloType::NextIteration) != op_inst.op_constraints.flo_type)
1072 .unwrap_or(true)
1073 };
1074
1075 let topo_sort_result = graph_algorithms::topo_sort(
1076 loop_nodes.iter().copied().filter(filter_next_iteration),
1077 |dst| {
1078 self.flat_graph
1079 .node_predecessor_nodes(dst)
1080 .filter(|&src| Some(loop_id) == self.flat_graph.node_loop(src))
1081 .filter(filter_next_iteration)
1082 },
1083 );
1084 if let Err(cycle) = topo_sort_result {
1085 let len = cycle.len();
1086 for (i, node_id) in cycle.into_iter().enumerate() {
1087 let span = self.flat_graph.node(node_id).span();
1088 self.diagnostics.push(Diagnostic::spanned(
1089 span,
1090 Level::Error,
1091 format!(
1092 "Operator forms an illegal cycle within a `loop {{ ... }}` block. Use `{}()` to pass data across loop iterations. ({}/{})",
1093 NEXT_ITERATION.name,
1094 i + 1,
1095 len,
1096 ),
1097 ));
1098 }
1099 }
1100 }
1101 }
1102}