1use std::cell::RefCell;
10use std::cmp::PartialEq;
11use std::collections::{BTreeMap, BTreeSet, HashMap};
12
13use colored::Colorize;
14use fixed_types::{t_int, t_uint};
15use hir::expression::CallKind;
16use hir::{
17 param_util, Binding, ConstGeneric, Parameter, PipelineRegMarkerExtra, TypeExpression, TypeSpec,
18 UnitHead, UnitKind, WalTrace, WhereClause,
19};
20use itertools::{Either, Itertools};
21use method_resolution::{FunctionLikeName, IntoImplTarget};
22use num::{BigInt, BigUint, Zero};
23use replacement::ReplacementStack;
24use serde::{Deserialize, Serialize};
25use spade_common::id_tracker::{ExprID, ImplID};
26use spade_common::num_ext::InfallibleToBigInt;
27use spade_diagnostics::diag_list::{DiagList, ResultExt};
28use spade_diagnostics::{diag_anyhow, diag_bail, Diagnostic};
29use spade_macros::trace_typechecker;
30use spade_types::meta_types::{unify_meta, MetaType};
31use trace_stack::TraceStack;
32use tracing::{info, trace};
33
34use spade_common::location_info::{Loc, WithLocation};
35use spade_common::name::{Identifier, NameID, Path};
36use spade_hir::param_util::{match_args_with_params, Argument};
37use spade_hir::symbol_table::{Patternable, PatternableKind, SymbolTable, TypeSymbol};
38use spade_hir::{self as hir, ConstGenericWithId, ImplTarget};
39use spade_hir::{
40 ArgumentList, Block, ExprKind, Expression, ItemList, Pattern, PatternArgument, Register,
41 Statement, TraitName, TraitSpec, TypeParam, Unit,
42};
43use spade_types::KnownType;
44
45use constraints::{
46 bits_to_store, ce_int, ce_var, ConstraintExpr, ConstraintSource, TypeConstraints,
47};
48use equation::{TemplateTypeVarID, TypeEquations, TypeVar, TypeVarID, TypedExpression};
49use error::{
50 error_pattern_type_mismatch, Result, UnificationError, UnificationErrorExt, UnificationTrace,
51};
52use requirements::{Replacement, Requirement};
53use trace_stack::{format_trace_stack, TraceStackEntry};
54use traits::{TraitList, TraitReq};
55
56use crate::error::TypeMismatch as Tm;
57use crate::requirements::ConstantInt;
58use crate::traits::{TraitImpl, TraitImplList};
59
60mod constraints;
61pub mod dump;
62pub mod equation;
63pub mod error;
64pub mod expression;
65pub mod fixed_types;
66pub mod method_resolution;
67pub mod mir_type_lowering;
68mod replacement;
69mod requirements;
70pub mod testutil;
71pub mod trace_stack;
72pub mod traits;
73
74pub struct Context<'a> {
75 pub symtab: &'a SymbolTable,
76 pub items: &'a ItemList,
77 pub trait_impls: &'a TraitImplList,
78}
79impl<'a> std::fmt::Debug for Context<'a> {
80 fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
81 write!(f, "{{context omitted}}")
82 }
83}
84
85#[allow(unused_macros)]
87macro_rules! add_trace {
88 ($self:expr, $($arg : tt) *) => {
89 $self.trace_stack.push(TraceStack::Message(format!($($arg)*)))
90 }
91}
92
93#[derive(Debug)]
94pub enum GenericListSource<'a> {
95 Anonymous,
98 Definition(&'a NameID),
101 ImplBlock {
102 target: &'a ImplTarget,
103 id: ImplID,
104 },
105 Expression(ExprID),
107}
108
109#[derive(Clone, Hash, Eq, PartialEq, Debug, Serialize, Deserialize)]
111pub enum GenericListToken {
112 Anonymous(usize),
113 Definition(NameID),
114 ImplBlock(ImplTarget, ImplID),
115 Expression(ExprID),
116}
117
118#[derive(Debug)]
119pub struct TurbofishCtx<'a> {
120 turbofish: &'a Loc<ArgumentList<TypeExpression>>,
121 prev_generic_list: &'a GenericListToken,
122 type_ctx: &'a Context<'a>,
123}
124
125#[derive(Clone, Serialize, Deserialize)]
126pub struct PipelineState {
127 current_stage_depth: TypeVarID,
128 total_depth: Loc<TypeVarID>,
129 pipeline_loc: Loc<()>,
130}
131
132#[derive(Clone, Serialize, Deserialize)]
134pub struct TypeState {
135 type_vars: Vec<TypeVar>,
140 key: u64,
145 keys: BTreeSet<u64>,
147
148 equations: TypeEquations,
149 next_typeid: RefCell<u64>,
152 generic_lists: HashMap<GenericListToken, HashMap<NameID, TypeVarID>>,
158
159 constraints: TypeConstraints,
160
161 #[serde(skip)]
165 requirements: Vec<Requirement>,
166
167 replacements: ReplacementStack,
168
169 pipeline_state: Option<PipelineState>,
171
172 pub trait_impls: TraitImplList,
173
174 #[serde(skip)]
175 pub trace_stack: TraceStack,
176
177 #[serde(skip)]
178 pub diags: DiagList,
179}
180
181impl TypeState {
182 pub fn fresh() -> Self {
185 let key = fastrand::u64(..);
186 Self {
187 type_vars: vec![],
188 key,
189 keys: [key].into_iter().collect(),
190 equations: HashMap::new(),
191 next_typeid: RefCell::new(0),
192 trace_stack: TraceStack::new(),
193 constraints: TypeConstraints::new(),
194 requirements: vec![],
195 replacements: ReplacementStack::new(),
196 generic_lists: HashMap::new(),
197 trait_impls: TraitImplList::new(),
198 pipeline_state: None,
199 diags: DiagList::new(),
200 }
201 }
202
203 pub fn create_child(&self) -> Self {
204 let mut result = self.clone();
205 result.key = fastrand::u64(..);
206 result.keys.insert(result.key);
207 result
208 }
209
210 pub fn add_type_var(&mut self, var: TypeVar) -> TypeVarID {
211 let idx = self.type_vars.len();
212 self.type_vars.push(var);
213 TypeVarID {
214 inner: idx,
215 type_state_key: self.key,
216 }
217 }
218
219 pub fn get_equations(&self) -> &TypeEquations {
220 &self.equations
221 }
222
223 pub fn get_constraints(&self) -> &TypeConstraints {
224 &self.constraints
225 }
226
227 pub fn get_generic_list<'a>(
229 &'a self,
230 generic_list_token: &'a GenericListToken,
231 ) -> Option<&'a HashMap<NameID, TypeVarID>> {
232 self.generic_lists.get(generic_list_token)
233 }
234
235 #[tracing::instrument(level = "trace", skip_all)]
236 fn hir_type_expr_to_var<'a>(
237 &'a mut self,
238 e: &Loc<hir::TypeExpression>,
239 generic_list_token: &GenericListToken,
240 ) -> Result<TypeVarID> {
241 let id = match &e.inner {
242 hir::TypeExpression::Integer(i) => self.add_type_var(TypeVar::Known(
243 e.loc(),
244 KnownType::Integer(i.clone()),
245 vec![],
246 )),
247 hir::TypeExpression::TypeSpec(spec) => {
248 self.type_var_from_hir(e.loc(), &spec.clone(), generic_list_token)?
249 }
250 hir::TypeExpression::ConstGeneric(g) => {
251 let constraint = self.visit_const_generic(g, generic_list_token)?;
252
253 let tvar = self.new_generic_tlnumber(e.loc());
254 self.add_constraint(
255 tvar.clone(),
256 constraint,
257 g.loc(),
258 &tvar,
259 ConstraintSource::Where,
260 );
261
262 tvar
263 }
264 };
265 Ok(id)
266 }
267
268 #[tracing::instrument(level = "trace", skip_all, fields(%hir_type))]
269 pub fn type_var_from_hir<'a>(
270 &'a mut self,
271 loc: Loc<()>,
272 hir_type: &crate::hir::TypeSpec,
273 generic_list_token: &GenericListToken,
274 ) -> Result<TypeVarID> {
275 let generic_list = self.get_generic_list(generic_list_token);
276 let var = match &hir_type {
277 hir::TypeSpec::Declared(base, params) => {
278 let params = params
279 .iter()
280 .map(|e| self.hir_type_expr_to_var(e, generic_list_token))
281 .collect::<Result<Vec<_>>>()?;
282
283 self.add_type_var(TypeVar::Known(
284 loc,
285 KnownType::Named(base.inner.clone()),
286 params,
287 ))
288 }
289 hir::TypeSpec::Generic(name) => match generic_list
290 .ok_or_else(|| diag_anyhow!(loc, "Found no generic list for {name}"))?
291 .get(&name.inner)
292 {
293 Some(t) => t.clone(),
294 None => {
295 for list_source in self.generic_lists.keys() {
296 info!("Generic lists exist for {list_source:?}");
297 }
298 info!("Current source is {generic_list_token:?}");
299 panic!("No entry in generic list for {name:?}");
300 }
301 },
302 hir::TypeSpec::Tuple(inner) => {
303 let inner = inner
304 .iter()
305 .map(|t| self.type_var_from_hir(loc, t, generic_list_token))
306 .collect::<Result<_>>()?;
307 self.add_type_var(TypeVar::tuple(loc, inner))
308 }
309 hir::TypeSpec::Array { inner, size } => {
310 let inner = self.type_var_from_hir(loc, inner, generic_list_token)?;
311 let size = self.hir_type_expr_to_var(size, generic_list_token)?;
312
313 self.add_type_var(TypeVar::array(loc, inner, size))
314 }
315 hir::TypeSpec::Wire(inner) => {
316 let inner = self.type_var_from_hir(loc, inner, generic_list_token)?;
317 self.add_type_var(TypeVar::wire(loc, inner))
318 }
319 hir::TypeSpec::Inverted(inner) => {
320 let inner = self.type_var_from_hir(loc, inner, generic_list_token)?;
321 self.add_type_var(TypeVar::inverted(loc, inner))
322 }
323 hir::TypeSpec::Wildcard(_) => self.new_generic_any(),
324 hir::TypeSpec::TraitSelf(_) => {
325 diag_bail!(
326 loc,
327 "Trying to convert TraitSelf to type inference type var"
328 )
329 }
330 };
331
332 Ok(var)
333 }
334
335 pub fn type_of(&self, expr: &TypedExpression) -> TypeVarID {
338 if let Some(t) = self.equations.get(expr) {
339 *t
340 } else {
341 panic!("Tried looking up the type of {expr:?} but it was not found")
342 }
343 }
344
345 pub fn maybe_type_of(&self, expr: &TypedExpression) -> Option<&TypeVarID> {
346 self.equations.get(expr)
347 }
348
349 pub fn new_generic_int(&mut self, loc: Loc<()>, symtab: &SymbolTable) -> TypeVar {
350 TypeVar::Known(loc, t_int(symtab), vec![self.new_generic_tluint(loc)])
351 }
352
353 pub fn new_concrete_int(&mut self, size: BigUint, loc: Loc<()>) -> TypeVarID {
354 TypeVar::Known(loc, KnownType::Integer(size.to_bigint()), vec![]).insert(self)
355 }
356
357 pub fn new_split_generic_int(
360 &mut self,
361 loc: Loc<()>,
362 symtab: &SymbolTable,
363 ) -> (TypeVarID, TypeVarID) {
364 let size = self.new_generic_tlint(loc);
365 let full = self.add_type_var(TypeVar::Known(loc, t_int(symtab), vec![size.clone()]));
366 (full, size)
367 }
368
369 pub fn new_split_generic_uint(
370 &mut self,
371 loc: Loc<()>,
372 symtab: &SymbolTable,
373 ) -> (TypeVarID, TypeVarID) {
374 let size = self.new_generic_tluint(loc);
375 let full = self.add_type_var(TypeVar::Known(loc, t_uint(symtab), vec![size.clone()]));
376 (full, size)
377 }
378
379 pub fn new_generic_with_meta(&mut self, loc: Loc<()>, meta: MetaType) -> TypeVarID {
380 let id = self.new_typeid();
381 self.add_type_var(TypeVar::Unknown(loc, id, TraitList::empty(), meta))
382 }
383
384 pub fn new_generic_type(&mut self, loc: Loc<()>) -> TypeVarID {
385 let id = self.new_typeid();
386 self.add_type_var(TypeVar::Unknown(
387 loc,
388 id,
389 TraitList::empty(),
390 MetaType::Type,
391 ))
392 }
393
394 pub fn new_generic_any(&mut self) -> TypeVarID {
395 let id = self.new_typeid();
396 self.add_type_var(TypeVar::Unknown(
399 ().nowhere(),
400 id,
401 TraitList::empty(),
402 MetaType::Any,
403 ))
404 }
405
406 pub fn new_generic_tlbool(&mut self, loc: Loc<()>) -> TypeVarID {
407 let id = self.new_typeid();
408 self.add_type_var(TypeVar::Unknown(
409 loc,
410 id,
411 TraitList::empty(),
412 MetaType::Bool,
413 ))
414 }
415
416 pub fn new_generic_tluint(&mut self, loc: Loc<()>) -> TypeVarID {
417 let id = self.new_typeid();
418 self.add_type_var(TypeVar::Unknown(
419 loc,
420 id,
421 TraitList::empty(),
422 MetaType::Uint,
423 ))
424 }
425
426 pub fn new_generic_tlint(&mut self, loc: Loc<()>) -> TypeVarID {
427 let id = self.new_typeid();
428 self.add_type_var(TypeVar::Unknown(loc, id, TraitList::empty(), MetaType::Int))
429 }
430
431 pub fn new_generic_tlnumber(&mut self, loc: Loc<()>) -> TypeVarID {
432 let id = self.new_typeid();
433 self.add_type_var(TypeVar::Unknown(
434 loc,
435 id,
436 TraitList::empty(),
437 MetaType::Number,
438 ))
439 }
440
441 pub fn new_generic_number(&mut self, loc: Loc<()>, ctx: &Context) -> (TypeVarID, TypeVarID) {
442 let number = ctx
443 .symtab
444 .lookup_trait(&Path::from_strs(&["Number"]).nowhere())
445 .expect("Did not find number in symtab")
446 .0;
447 let id = self.new_typeid();
448 let size = self.new_generic_tluint(loc);
449 let t = TraitReq {
450 name: TraitName::Named(number.nowhere()),
451 type_params: vec![size.clone()],
452 }
453 .nowhere();
454 (
455 self.add_type_var(TypeVar::Unknown(
456 loc,
457 id,
458 TraitList::from_vec(vec![t]),
459 MetaType::Type,
460 )),
461 size,
462 )
463 }
464
465 pub fn new_generic_with_traits(&mut self, loc: Loc<()>, traits: TraitList) -> TypeVarID {
466 let id = self.new_typeid();
467 self.add_type_var(TypeVar::Unknown(loc, id, traits, MetaType::Type))
468 }
469
470 pub fn get_pipeline_state<T>(&self, access_loc: &Loc<T>) -> Result<&PipelineState> {
474 self.pipeline_state
475 .as_ref()
476 .ok_or_else(|| diag_anyhow!(access_loc, "Expected to have a pipeline state"))
477 }
478
479 pub fn visit_unit_with_preprocessing(
481 &mut self,
482 entity: &Loc<Unit>,
483 pp: impl Fn(&mut TypeState, &Loc<Unit>, &GenericListToken, &Context) -> Result<()>,
484 ctx: &Context,
485 ) -> Result<()> {
486 self.trait_impls = ctx.trait_impls.clone();
487
488 let generic_list = self.create_generic_list(
489 GenericListSource::Definition(&entity.name.name_id().inner),
490 &entity.head.unit_type_params,
491 &entity.head.scope_type_params,
492 None,
493 &entity.head.where_clauses,
496 )?;
497
498 pp(self, entity, &generic_list, ctx)?;
499
500 for (name, t) in &entity.inputs {
502 let tvar = self.type_var_from_hir(t.loc(), t, &generic_list)?;
503 self.add_equation(TypedExpression::Name(name.inner.clone()), tvar)
504 }
505
506 if let UnitKind::Pipeline {
507 depth,
508 depth_typeexpr_id,
509 } = &entity.head.unit_kind.inner
510 {
511 let depth_var = self.hir_type_expr_to_var(depth, &generic_list)?;
512 self.add_equation(TypedExpression::Id(*depth_typeexpr_id), depth_var.clone());
513 self.pipeline_state = Some(PipelineState {
514 current_stage_depth: self.add_type_var(TypeVar::Known(
515 entity.head.unit_kind.loc(),
516 KnownType::Integer(BigInt::zero()),
517 vec![],
518 )),
519 pipeline_loc: entity.loc(),
520 total_depth: depth_var.clone().at_loc(depth),
521 });
522 self.add_requirement(Requirement::PositivePipelineDepth {
523 depth: depth_var.at_loc(depth),
524 });
525 TypedExpression::Name(entity.inputs[0].0.clone().inner)
526 .unify_with(&self.t_clock(entity.head.unit_kind.loc(), ctx.symtab), self)
527 .commit(self, ctx)
528 .into_diagnostic(
529 entity.inputs[0].1.loc(),
530 |diag,
531 Tm {
532 g: got,
533 e: _expected,
534 }| {
535 diag.message(format!(
536 "First pipeline argument must be a clock. Got {}",
537 got.display(self)
538 ))
539 .primary_label("expected clock")
540 },
541 self,
542 )?;
543 self.check_requirements(false, ctx)?;
546 }
547
548 self.visit_expression(&entity.body, ctx, &generic_list);
549
550 if let Some(output_type) = &entity.head.output_type {
552 let tvar = self.type_var_from_hir(output_type.loc(), output_type, &generic_list)?;
553
554 self.trace_stack.push(TraceStackEntry::Message(format!(
555 "Unifying with output type {}",
556 tvar.debug_resolve(self)
557 )));
558 self.unify(&TypedExpression::Id(entity.body.inner.id), &tvar, ctx)
559 .into_diagnostic_no_expected_source(
560 &entity.body,
561 |diag,
562 Tm {
563 g: got,
564 e: expected,
565 }| {
566 let expected = expected.display(self);
567 let got = got.display(self);
568 diag.message(format!(
571 "Output type mismatch. Expected {expected}, got {got}"
572 ))
573 .primary_label(format!("Found type {got}"))
574 .secondary_label(output_type, format!("{expected} type specified here"))
575 },
576 self,
577 )?;
578 } else {
579 TypedExpression::Id(entity.body.inner.id)
581 .unify_with(&self.add_type_var(TypeVar::unit(entity.head.name.loc())), self)
582 .commit(self, ctx)
583 .into_diagnostic_no_expected_source(entity.body.loc(), |diag, Tm{g: got, e: _expected}| {
584 diag.message("Output type mismatch")
585 .primary_label(format!("Found type {got}", got = got.display(self)))
586 .note(format!(
587 "The {} does not specify a return type.\nAdd a return type, or remove the return value.",
588 entity.head.unit_kind.name()
589 ))
590 }, self)?;
591 }
592
593 if let Some(PipelineState {
594 current_stage_depth,
595 pipeline_loc,
596 total_depth,
597 }) = self.pipeline_state.clone()
598 {
599 self.unify(&total_depth.inner, ¤t_stage_depth, ctx)
600 .into_diagnostic_no_expected_source(
601 pipeline_loc,
602 |diag, tm| {
603 let (e, g) = tm.display_e_g(self);
604 diag.message(format!("Pipeline depth mismatch. Expected {g} got {e}"))
605 .primary_label(format!("Found {e} stages in this pipeline"))
606 },
607 self,
608 )?;
609 }
610
611 self.check_requirements(true, ctx)?;
612
613 self.pipeline_state = None;
618
619 Ok(())
620 }
621
622 #[trace_typechecker]
623 #[tracing::instrument(level = "trace", skip_all, fields(%entity.name))]
624 pub fn visit_unit(&mut self, entity: &Loc<Unit>, ctx: &Context) -> Result<()> {
625 self.visit_unit_with_preprocessing(entity, |_, _, _, _| Ok(()), ctx)
626 }
627
628 #[trace_typechecker]
629 #[tracing::instrument(level = "trace", skip_all)]
630 fn visit_argument_list(
631 &mut self,
632 args: &Loc<ArgumentList<Expression>>,
633 ctx: &Context,
634 generic_list: &GenericListToken,
635 ) -> Result<()> {
636 for expr in args.expressions() {
637 self.visit_expression(expr, ctx, generic_list);
638 }
639 Ok(())
640 }
641
642 #[trace_typechecker]
643 fn type_check_argument_list(
644 &mut self,
645 args: &[Argument<Expression, TypeSpec>],
646 ctx: &Context,
647 generic_list: &GenericListToken,
648 ) -> Result<()> {
649 for Argument {
650 target,
651 target_type,
652 value,
653 kind,
654 } in args.iter()
655 {
656 let target_type = self.type_var_from_hir(value.loc(), target_type, generic_list)?;
657
658 let loc = match kind {
659 hir::param_util::ArgumentKind::Positional => value.loc(),
660 hir::param_util::ArgumentKind::Named => value.loc(),
661 hir::param_util::ArgumentKind::ShortNamed => target.loc(),
662 };
663
664 self.unify(&value.inner, &target_type, ctx)
665 .into_diagnostic(
666 loc,
667 |d, tm| {
668 let (expected, got) = tm.display_e_g(self);
669 d.message(format!(
670 "Argument type mismatch. Expected {expected} got {got}"
671 ))
672 .primary_label(format!("expected {expected}"))
673 },
674 self,
675 )?;
676 }
677
678 Ok(())
679 }
680
681 #[trace_typechecker]
682 pub fn visit_expression_result(
683 &mut self,
684 expression: &Loc<Expression>,
685 ctx: &Context,
686 generic_list: &GenericListToken,
687 new_type: TypeVarID,
688 ) -> Result<()> {
689 match &expression.inner.kind {
691 ExprKind::Error => {
692 new_type
693 .unify_with(&self.t_err(expression.loc()), self)
694 .commit(self, ctx)
695 .unwrap();
696 }
697 ExprKind::Identifier(_) => self.visit_identifier(expression, ctx)?,
698 ExprKind::TypeLevelInteger(_) => {
699 self.visit_type_level_integer(expression, generic_list, ctx)?
700 }
701 ExprKind::IntLiteral(_, _) => self.visit_int_literal(expression, ctx)?,
702 ExprKind::BoolLiteral(_) => self.visit_bool_literal(expression, ctx)?,
703 ExprKind::BitLiteral(_) => self.visit_bit_literal(expression, ctx)?,
704 ExprKind::TupleLiteral(_) => self.visit_tuple_literal(expression, ctx, generic_list)?,
705 ExprKind::TupleIndex(_, _) => self.visit_tuple_index(expression, ctx, generic_list)?,
706 ExprKind::ArrayLiteral(_) => self.visit_array_literal(expression, ctx, generic_list)?,
707 ExprKind::ArrayShorthandLiteral(_, _) => {
708 self.visit_array_shorthand_literal(expression, ctx, generic_list)?
709 }
710 ExprKind::CreatePorts => self.visit_create_ports(expression, ctx, generic_list)?,
711 ExprKind::FieldAccess(_, _) => {
712 self.visit_field_access(expression, ctx, generic_list)?
713 }
714 ExprKind::MethodCall { .. } => self.visit_method_call(expression, ctx, generic_list)?,
715 ExprKind::Index(_, _) => self.visit_index(expression, ctx, generic_list)?,
716 ExprKind::RangeIndex { .. } => self.visit_range_index(expression, ctx, generic_list)?,
717 ExprKind::Block(_) => self.visit_block_expr(expression, ctx, generic_list)?,
718 ExprKind::If(_, _, _) => self.visit_if(expression, ctx, generic_list)?,
719 ExprKind::Match(_, _) => self.visit_match(expression, ctx, generic_list)?,
720 ExprKind::BinaryOperator(_, _, _) => {
721 self.visit_binary_operator(expression, ctx, generic_list)?
722 }
723 ExprKind::UnaryOperator(_, _) => {
724 self.visit_unary_operator(expression, ctx, generic_list)?
725 }
726 ExprKind::Call {
727 kind,
728 callee,
729 args,
730 turbofish,
731 } => {
732 let head = ctx.symtab.unit_by_id(&callee.inner);
733
734 self.handle_function_like(
735 expression.map_ref(|e| e.id),
736 &expression.get_type(self),
737 &FunctionLikeName::Free(callee.inner.clone()),
738 &head,
739 kind,
740 args,
741 ctx,
742 true,
743 false,
744 turbofish.as_ref().map(|turbofish| TurbofishCtx {
745 turbofish,
746 prev_generic_list: generic_list,
747 type_ctx: ctx,
748 }),
749 generic_list,
750 )?;
751 }
752 ExprKind::PipelineRef { .. } => {
753 self.visit_pipeline_ref(expression, generic_list, ctx)?;
754 }
755 ExprKind::StageReady | ExprKind::StageValid => {
756 expression
757 .unify_with(&self.t_bool(expression.loc(), ctx.symtab), self)
758 .commit(self, ctx)
759 .into_default_diagnostic(expression, self)?;
760 }
761
762 ExprKind::TypeLevelIf(cond, on_true, on_false) => {
763 let cond_var = self.visit_const_generic_with_id(
764 cond,
765 generic_list,
766 ConstraintSource::TypeLevelIf,
767 ctx,
768 )?;
769 let t_bool = self.new_generic_tlbool(cond.loc());
770 self.unify(&cond_var, &t_bool, ctx).into_diagnostic(
771 cond,
772 |diag, tm| {
773 let (_e, g) = tm.display_e_g(self);
774 diag.message(format!("gen if conditions must be #bool, got {g}"))
775 },
776 self,
777 )?;
778
779 self.visit_expression(on_true, ctx, generic_list);
780 self.visit_expression(on_false, ctx, generic_list);
781
782 self.unify_expression_generic_error(expression, on_true.as_ref(), ctx)?;
783 self.unify_expression_generic_error(expression, on_false.as_ref(), ctx)?;
784 }
785 ExprKind::LambdaDef {
786 arguments,
787 body,
788 lambda_type,
789 lambda_type_params,
790 captured_generic_params,
791 lambda_unit: _,
792 } => {
793 for arg in arguments {
794 self.visit_pattern(arg, ctx, generic_list)?;
795 }
796
797 self.visit_expression(body, ctx, generic_list);
798
799 let lambda_params = arguments
800 .iter()
801 .map(|arg| arg.get_type(self))
802 .chain(vec![body.get_type(self)])
803 .chain(
804 captured_generic_params
805 .iter()
806 .map(|cap| {
807 let t = self
808 .get_generic_list(generic_list)
809 .ok_or_else(|| {
810 diag_anyhow!(
811 expression,
812 "Found a captured generic but no generic list"
813 )
814 })?
815 .get(&cap.name_in_body)
816 .ok_or_else(|| {
817 diag_anyhow!(
818 &cap.name_in_body,
819 "Did not find an entry for {} in lambda generic list",
820 cap.name_in_body
821 )
822 });
823 Ok(t?.clone())
824 })
825 .collect::<Result<Vec<_>>>()?
826 .into_iter(),
827 )
828 .collect::<Vec<_>>();
829
830 let self_type = TypeVar::Known(
831 expression.loc(),
832 KnownType::Named(lambda_type.clone()),
833 lambda_params.clone(),
834 );
835
836 let unit_generic_list = self.create_generic_list(
837 GenericListSource::Expression(expression.id),
838 &lambda_type_params,
839 &[],
840 None,
841 &[],
842 )?;
843
844 for (p, tp) in lambda_params.iter().zip(lambda_type_params) {
845 let gl = self.get_generic_list(&unit_generic_list).unwrap();
846 p.unify_with(
848 gl.get(&tp.name_id).ok_or_else(|| {
849 diag_anyhow!(
850 expression,
851 "Lambda unit list did not contain {}",
852 tp.name_id
853 )
854 })?,
855 self,
856 )
857 .commit(self, ctx)
858 .into_default_diagnostic(expression, self)?;
859 }
860 expression
861 .unify_with(&self.add_type_var(self_type), self)
862 .commit(self, ctx)
863 .into_default_diagnostic(expression, self)?;
864 }
865 ExprKind::StaticUnreachable(_) => {}
866 ExprKind::Null => {}
867 }
868 Ok(())
869 }
870
871 #[tracing::instrument(level = "trace", skip_all)]
872 pub fn visit_expression(
873 &mut self,
874 expression: &Loc<Expression>,
875 ctx: &Context,
876 generic_list: &GenericListToken,
877 ) {
878 let new_type = self.new_generic_type(expression.loc());
879 self.add_equation(TypedExpression::Id(expression.inner.id), new_type);
880
881 match self.visit_expression_result(expression, ctx, generic_list, new_type) {
882 Ok(_) => {}
883 Err(e) => {
884 new_type
885 .unify_with(&self.t_err(expression.loc()), self)
886 .commit(self, ctx)
887 .unwrap();
888
889 self.diags.errors.push(e);
890 }
891 }
892 }
893
894 #[tracing::instrument(level = "trace", skip_all, fields(%name))]
896 #[trace_typechecker]
897 fn handle_function_like(
898 &mut self,
899 expression_id: Loc<ExprID>,
900 expression_type: &TypeVarID,
901 name: &FunctionLikeName,
902 head: &Loc<UnitHead>,
903 call_kind: &CallKind,
904 args: &Loc<ArgumentList<Expression>>,
905 ctx: &Context,
906 visit_args: bool,
910 is_method: bool,
913 turbofish: Option<TurbofishCtx>,
914 generic_list: &GenericListToken,
915 ) -> Result<()> {
916 let unit_generic_list = self.create_generic_list(
918 GenericListSource::Expression(expression_id.inner),
919 &head.unit_type_params,
920 &head.scope_type_params,
921 turbofish,
922 &head.where_clauses,
923 )?;
924
925 match (&head.unit_kind.inner, call_kind) {
926 (
927 UnitKind::Pipeline {
928 depth: udepth,
929 depth_typeexpr_id: _,
930 },
931 CallKind::Pipeline {
932 inst_loc: _,
933 depth: cdepth,
934 depth_typeexpr_id: cdepth_typeexpr_id,
935 },
936 ) => {
937 let definition_depth = self.hir_type_expr_to_var(udepth, &unit_generic_list)?;
938 let call_depth = self.hir_type_expr_to_var(cdepth, generic_list)?;
939
940 self.add_equation(TypedExpression::Id(*cdepth_typeexpr_id), call_depth.clone());
944
945 self.unify(&call_depth, &definition_depth, ctx)
946 .into_diagnostic_no_expected_source(
947 cdepth,
948 |diag, tm| {
949 let (e, g) = tm.display_e_g(self);
950 diag.message("Pipeline depth mismatch")
951 .primary_label(format!("Expected depth {e}, got {g}"))
952 .secondary_label(udepth, format!("{name} has depth {e}"))
953 },
954 self,
955 )?;
956 }
957 _ => {}
958 }
959
960 if visit_args {
961 self.visit_argument_list(args, ctx, &generic_list)?;
962 }
963
964 let type_params = &head.get_type_params();
965
966 macro_rules! handle_special_functions {
968 ($([$($path:expr),*] => $handler:expr),*) => {
969 $(
970 let path = Path(vec![$(Identifier($path.to_string()).nowhere()),*]).nowhere();
971 if ctx.symtab
972 .try_lookup_final_id(&path, &[])
973 .map(|n| &FunctionLikeName::Free(n) == name)
974 .unwrap_or(false)
975 {
976 $handler
977 };
978 )*
979 }
980 }
981
982 macro_rules! generic_arg {
985 ($idx:expr) => {
986 self.get_generic_list(&unit_generic_list)
987 .ok_or_else(|| diag_anyhow!(expression_id, "Found no generic list for call"))?
988 [&type_params[$idx].name_id()]
989 .clone()
990 };
991 }
992
993 let matched_args =
994 match_args_with_params(args, &head.inputs.inner, is_method).map_err(|e| {
995 let diag: Diagnostic = e.into();
996 diag.secondary_label(
997 head,
998 format!("{kind} defined here", kind = head.unit_kind.name()),
999 )
1000 })?;
1001
1002 handle_special_functions! {
1003 ["std", "conv", "concat"] => {
1004 self.handle_concat(
1005 expression_id,
1006 generic_arg!(0),
1007 generic_arg!(1),
1008 generic_arg!(2),
1009 &matched_args,
1010 ctx
1011 )?
1012 },
1013 ["std", "conv", "trunc"] => {
1014 self.handle_trunc(
1015 expression_id,
1016 generic_arg!(0),
1017 generic_arg!(1),
1018 &matched_args,
1019 ctx
1020 )?
1021 },
1022 ["std", "ops", "comb_div"] => {
1023 self.handle_comb_mod_or_div(
1024 generic_arg!(0),
1025 &matched_args,
1026 ctx
1027 )?
1028 },
1029 ["std", "ops", "comb_mod"] => {
1030 self.handle_comb_mod_or_div(
1031 generic_arg!(0),
1032 &matched_args,
1033 ctx
1034 )?
1035 },
1036 ["std", "mem", "clocked_memory"] => {
1037 let num_elements = generic_arg!(0);
1038 let addr_size = generic_arg!(2);
1039
1040 self.handle_clocked_memory(num_elements, addr_size, &matched_args, ctx)?
1041 },
1042 ["std", "mem", "clocked_memory_init"] => {
1045 let num_elements = generic_arg!(0);
1046 let addr_size = generic_arg!(2);
1047
1048 self.handle_clocked_memory(num_elements, addr_size, &matched_args, ctx)?
1049 },
1050 ["std", "mem", "read_memory"] => {
1051 let addr_size = generic_arg!(0);
1052 let num_elements = generic_arg!(2);
1053
1054 self.handle_read_memory(num_elements, addr_size, &matched_args, ctx)?
1055 }
1056 };
1057
1058 self.type_check_argument_list(&matched_args, ctx, &unit_generic_list)?;
1060
1061 let return_type = head
1062 .output_type
1063 .as_ref()
1064 .map(|o| self.type_var_from_hir(expression_id.loc(), o, &unit_generic_list))
1065 .transpose()?
1066 .unwrap_or_else(|| {
1067 self.add_type_var(TypeVar::Known(
1068 expression_id.loc(),
1069 KnownType::Tuple,
1070 vec![],
1071 ))
1072 });
1073
1074 self.unify(expression_type, &return_type, ctx)
1075 .into_default_diagnostic(expression_id.loc(), self)?;
1076
1077 Ok(())
1078 }
1079
1080 pub fn handle_concat(
1081 &mut self,
1082 expression_id: Loc<ExprID>,
1083 source_lhs_ty: TypeVarID,
1084 source_rhs_ty: TypeVarID,
1085 source_result_ty: TypeVarID,
1086 args: &[Argument<Expression, TypeSpec>],
1087 ctx: &Context,
1088 ) -> Result<()> {
1089 let (lhs_type, lhs_size) = self.new_generic_number(expression_id.loc(), ctx);
1090 let (rhs_type, rhs_size) = self.new_generic_number(expression_id.loc(), ctx);
1091 let (result_type, result_size) = self.new_generic_number(expression_id.loc(), ctx);
1092 self.unify(&source_lhs_ty, &lhs_type, ctx)
1093 .into_default_diagnostic(args[0].value.loc(), self)?;
1094 self.unify(&source_rhs_ty, &rhs_type, ctx)
1095 .into_default_diagnostic(args[1].value.loc(), self)?;
1096 self.unify(&source_result_ty, &result_type, ctx)
1097 .into_default_diagnostic(expression_id.loc(), self)?;
1098
1099 self.add_constraint(
1101 result_size.clone(),
1102 ce_var(&lhs_size) + ce_var(&rhs_size),
1103 expression_id.loc(),
1104 &result_size,
1105 ConstraintSource::Concatenation,
1106 );
1107 self.add_constraint(
1108 lhs_size.clone(),
1109 ce_var(&result_size) + -ce_var(&rhs_size),
1110 args[0].value.loc(),
1111 &lhs_size,
1112 ConstraintSource::Concatenation,
1113 );
1114 self.add_constraint(
1115 rhs_size.clone(),
1116 ce_var(&result_size) + -ce_var(&lhs_size),
1117 args[1].value.loc(),
1118 &rhs_size,
1119 ConstraintSource::Concatenation,
1120 );
1121
1122 self.add_requirement(Requirement::SharedBase(vec![
1123 lhs_type.at_loc(args[0].value),
1124 rhs_type.at_loc(args[1].value),
1125 result_type.at_loc(&expression_id.loc()),
1126 ]));
1127 Ok(())
1128 }
1129
1130 pub fn handle_trunc(
1131 &mut self,
1132 expression_id: Loc<ExprID>,
1133 source_in_ty: TypeVarID,
1134 source_result_ty: TypeVarID,
1135 args: &[Argument<Expression, TypeSpec>],
1136 ctx: &Context,
1137 ) -> Result<()> {
1138 let (in_ty, _) = self.new_generic_number(expression_id.loc(), ctx);
1139 let (result_type, _) = self.new_generic_number(expression_id.loc(), ctx);
1140 self.unify(&source_in_ty, &in_ty, ctx)
1141 .into_default_diagnostic(args[0].value.loc(), self)?;
1142 self.unify(&source_result_ty, &result_type, ctx)
1143 .into_default_diagnostic(expression_id.loc(), self)?;
1144
1145 self.add_requirement(Requirement::SharedBase(vec![
1146 in_ty.at_loc(args[0].value),
1147 result_type.at_loc(&expression_id.loc()),
1148 ]));
1149 Ok(())
1150 }
1151
1152 pub fn handle_comb_mod_or_div(
1153 &mut self,
1154 n_ty: TypeVarID,
1155 args: &[Argument<Expression, TypeSpec>],
1156 ctx: &Context,
1157 ) -> Result<()> {
1158 let (num, _) = self.new_generic_number(args[0].value.loc(), ctx);
1159 self.unify(&n_ty, &num, ctx)
1160 .into_default_diagnostic(args[0].value.loc(), self)?;
1161 Ok(())
1162 }
1163
1164 pub fn handle_clocked_memory(
1165 &mut self,
1166 num_elements: TypeVarID,
1167 addr_size_arg: TypeVarID,
1168 args: &[Argument<Expression, TypeSpec>],
1169 ctx: &Context,
1170 ) -> Result<()> {
1171 let (addr_type, addr_size) = self.new_split_generic_uint(args[1].value.loc(), ctx.symtab);
1174 let arg1_loc = args[1].value.loc();
1175 let tup = TypeVar::tuple(
1176 args[1].value.loc(),
1177 vec![
1178 self.new_generic_type(arg1_loc),
1179 addr_type,
1180 self.new_generic_type(arg1_loc),
1181 ],
1182 );
1183 let port_type = TypeVar::array(
1184 arg1_loc,
1185 self.add_type_var(tup),
1186 self.new_generic_tluint(arg1_loc),
1187 )
1188 .insert(self);
1189
1190 self.add_constraint(
1191 addr_size.clone(),
1192 bits_to_store(ce_var(&num_elements) - ce_int(1.to_bigint())),
1193 args[1].value.loc(),
1194 &port_type,
1195 ConstraintSource::MemoryIndexing,
1196 );
1197
1198 self.unify(&addr_size, &addr_size_arg, ctx).unwrap();
1200 self.unify_expression_generic_error(args[1].value, &port_type, ctx)?;
1201
1202 Ok(())
1203 }
1204
1205 pub fn handle_read_memory(
1206 &mut self,
1207 num_elements: TypeVarID,
1208 addr_size_arg: TypeVarID,
1209 args: &[Argument<Expression, TypeSpec>],
1210 ctx: &Context,
1211 ) -> Result<()> {
1212 let (addr_type, addr_size) = self.new_split_generic_uint(args[1].value.loc(), ctx.symtab);
1213
1214 self.add_constraint(
1215 addr_size.clone(),
1216 bits_to_store(ce_var(&num_elements) - ce_int(1.to_bigint())),
1217 args[1].value.loc(),
1218 &addr_type,
1219 ConstraintSource::MemoryIndexing,
1220 );
1221
1222 self.unify(&addr_size, &addr_size_arg, ctx).unwrap();
1224
1225 Ok(())
1226 }
1227
1228 #[tracing::instrument(level = "trace", skip(self, turbofish, where_clauses))]
1229 pub fn create_generic_list(
1230 &mut self,
1231 source: GenericListSource,
1232 type_params: &[Loc<TypeParam>],
1233 scope_type_params: &[Loc<TypeParam>],
1234 turbofish: Option<TurbofishCtx>,
1235 where_clauses: &[Loc<WhereClause>],
1236 ) -> Result<GenericListToken> {
1237 let turbofish_params = if let Some(turbofish) = turbofish.as_ref() {
1238 if type_params.is_empty() {
1239 return Err(Diagnostic::error(
1240 turbofish.turbofish,
1241 "Turbofish on non-generic function",
1242 )
1243 .primary_label("Turbofish on non-generic function"));
1244 }
1245
1246 let matched_params =
1247 param_util::match_args_with_params(turbofish.turbofish, &type_params, false)?;
1248
1249 matched_params
1253 .iter()
1254 .map(|matched_param| {
1255 let i = type_params
1256 .iter()
1257 .enumerate()
1258 .find_map(|(i, param)| match ¶m.inner {
1259 TypeParam {
1260 ident,
1261 name_id: _,
1262 trait_bounds: _,
1263 meta: _,
1264 } => {
1265 if ident == matched_param.target {
1266 Some(i)
1267 } else {
1268 None
1269 }
1270 }
1271 })
1272 .unwrap();
1273 (i, matched_param)
1274 })
1275 .sorted_by_key(|(i, _)| *i)
1276 .map(|(_, mp)| Some(mp.value))
1277 .collect::<Vec<_>>()
1278 } else {
1279 type_params.iter().map(|_| None).collect::<Vec<_>>()
1280 };
1281
1282 let mut inline_trait_bounds: Vec<Loc<WhereClause>> = vec![];
1283
1284 let scope_type_params = scope_type_params
1285 .iter()
1286 .map(|param| {
1287 let hir::TypeParam {
1288 ident,
1289 name_id,
1290 trait_bounds,
1291 meta,
1292 } = ¶m.inner;
1293 if !trait_bounds.is_empty() {
1294 if let MetaType::Type = meta {
1295 inline_trait_bounds.push(
1296 WhereClause::Type {
1297 target: name_id.clone().at_loc(ident),
1298 traits: trait_bounds.clone(),
1299 }
1300 .at_loc(param),
1301 );
1302 } else {
1303 return Err(Diagnostic::bug(param, "Trait bounds on generic int")
1304 .primary_label("Trait bounds are only allowed on type parameters"));
1305 }
1306 }
1307 Ok((
1308 name_id.clone(),
1309 self.new_generic_with_meta(param.loc(), meta.clone()),
1310 ))
1311 })
1312 .collect::<Result<Vec<_>>>()?;
1313
1314 let new_list = type_params
1315 .iter()
1316 .enumerate()
1317 .map(|(i, param)| {
1318 let hir::TypeParam {
1319 ident,
1320 name_id,
1321 trait_bounds,
1322 meta,
1323 } = ¶m.inner;
1324
1325 let t = self.new_generic_with_meta(param.loc(), meta.clone());
1326
1327 if let Some(tf) = &turbofish_params[i] {
1328 let tf_ctx = turbofish.as_ref().unwrap();
1329 let ty = self.hir_type_expr_to_var(tf, tf_ctx.prev_generic_list)?;
1330 self.unify(&ty, &t, tf_ctx.type_ctx)
1331 .into_default_diagnostic(param, self)?;
1332 }
1333
1334 if !trait_bounds.is_empty() {
1335 if let MetaType::Type = meta {
1336 inline_trait_bounds.push(
1337 WhereClause::Type {
1338 target: name_id.clone().at_loc(ident),
1339 traits: trait_bounds.clone(),
1340 }
1341 .at_loc(param),
1342 );
1343 }
1344 Ok((name_id.clone(), t))
1345 } else {
1346 Ok((name_id.clone(), t))
1347 }
1348 })
1349 .collect::<Result<Vec<_>>>()?
1350 .into_iter()
1351 .chain(scope_type_params.into_iter())
1352 .map(|(name, t)| (name, t.clone()))
1353 .collect::<HashMap<_, _>>();
1354
1355 self.trace_stack.push(TraceStackEntry::NewGenericList(
1356 new_list
1357 .iter()
1358 .map(|(name, var)| (name.clone(), var.debug_resolve(self)))
1359 .collect(),
1360 ));
1361
1362 let token = self.add_mapped_generic_list(source, new_list.clone());
1363
1364 for constraint in where_clauses.iter().chain(inline_trait_bounds.iter()) {
1365 match &constraint.inner {
1366 WhereClause::Type { target, traits } => {
1367 self.visit_trait_bounds(target, traits.as_slice(), &token)?;
1368 }
1369 WhereClause::Int { target, constraint } => {
1370 let int_constraint = self.visit_const_generic(constraint, &token)?;
1371 let tvar = new_list.get(target).ok_or_else(|| {
1372 Diagnostic::error(
1373 target,
1374 format!("{target} is not a generic parameter on this unit"),
1375 )
1376 .primary_label("Not a generic parameter")
1377 })?;
1378
1379 self.add_constraint(
1380 tvar.clone(),
1381 int_constraint,
1382 constraint.loc(),
1383 &tvar,
1384 ConstraintSource::Where,
1385 );
1386 }
1387 }
1388 }
1389
1390 Ok(token)
1391 }
1392
1393 pub fn add_mapped_generic_list(
1395 &mut self,
1396 source: GenericListSource,
1397 mapping: HashMap<NameID, TypeVarID>,
1398 ) -> GenericListToken {
1399 let reference = match source {
1400 GenericListSource::Anonymous => GenericListToken::Anonymous(self.generic_lists.len()),
1401 GenericListSource::Definition(name) => GenericListToken::Definition(name.clone()),
1402 GenericListSource::ImplBlock { target, id } => {
1403 GenericListToken::ImplBlock(target.clone(), id)
1404 }
1405 GenericListSource::Expression(id) => GenericListToken::Expression(id),
1406 };
1407
1408 if self
1409 .generic_lists
1410 .insert(reference.clone(), mapping)
1411 .is_some()
1412 {
1413 panic!("A generic list already existed for {reference:?}");
1414 }
1415 reference
1416 }
1417
1418 pub fn remove_generic_list(&mut self, source: GenericListSource) {
1419 let reference = match source {
1420 GenericListSource::Anonymous => GenericListToken::Anonymous(self.generic_lists.len()),
1421 GenericListSource::Definition(name) => GenericListToken::Definition(name.clone()),
1422 GenericListSource::ImplBlock { target, id } => {
1423 GenericListToken::ImplBlock(target.clone(), id)
1424 }
1425 GenericListSource::Expression(id) => GenericListToken::Expression(id),
1426 };
1427
1428 self.generic_lists.remove(&reference.clone());
1429 }
1430
1431 #[tracing::instrument(level = "trace", skip_all)]
1432 #[trace_typechecker]
1433 pub fn visit_block(
1434 &mut self,
1435 block: &Block,
1436 ctx: &Context,
1437 generic_list: &GenericListToken,
1438 ) -> Result<()> {
1439 for statement in &block.statements {
1440 self.visit_statement(statement, ctx, generic_list);
1441 }
1442 if let Some(result) = &block.result {
1443 self.visit_expression(result, ctx, generic_list);
1444 }
1445 Ok(())
1446 }
1447
1448 #[tracing::instrument(level = "trace", skip_all)]
1449 pub fn visit_impl_blocks(&mut self, item_list: &ItemList) -> TraitImplList {
1450 let mut trait_impls = TraitImplList::new();
1451 for (target, impls) in &item_list.impls {
1452 for ((trait_name, type_expressions), impl_block) in impls {
1453 let result = (|| {
1454 let generic_list = self.create_generic_list(
1455 GenericListSource::ImplBlock {
1456 target,
1457 id: impl_block.id,
1458 },
1459 &[],
1460 impl_block.type_params.as_slice(),
1461 None,
1462 &[],
1463 )?;
1464
1465 let loc = trait_name
1466 .name_loc()
1467 .map(|n| ().at_loc(&n))
1468 .unwrap_or(().at_loc(&impl_block));
1469
1470 let trait_type_params = type_expressions
1471 .iter()
1472 .map(|param| {
1473 Ok(TemplateTypeVarID::new(self.hir_type_expr_to_var(
1474 ¶m.clone().at_loc(&loc),
1475 &generic_list,
1476 )?))
1477 })
1478 .collect::<Result<_>>()?;
1479
1480 let target_type_params = impl_block
1481 .target
1482 .type_params()
1483 .into_iter()
1484 .map(|param| {
1485 Ok(TemplateTypeVarID::new(self.hir_type_expr_to_var(
1486 ¶m.clone().at_loc(&loc),
1487 &generic_list,
1488 )?))
1489 })
1490 .collect::<Result<_>>()?;
1491
1492 trait_impls
1493 .inner
1494 .entry(target.clone())
1495 .or_default()
1496 .push(TraitImpl {
1497 name: trait_name.clone(),
1498 target_type_params,
1499 trait_type_params,
1500
1501 impl_block: impl_block.inner.clone(),
1502 });
1503
1504 Ok(())
1505 })();
1506
1507 match result {
1508 Ok(()) => {}
1509 Err(e) => self.diags.errors.push(e),
1510 }
1511 }
1512 }
1513
1514 trait_impls
1515 }
1516
1517 #[trace_typechecker]
1518 pub fn visit_pattern(
1519 &mut self,
1520 pattern: &Loc<Pattern>,
1521 ctx: &Context,
1522 generic_list: &GenericListToken,
1523 ) -> Result<()> {
1524 let new_type = self.new_generic_type(pattern.loc());
1525 self.add_equation(TypedExpression::Id(pattern.inner.id), new_type);
1526 match &pattern.inner.kind {
1527 hir::PatternKind::Integer(val) => {
1528 let (num_t, _) = &self.new_generic_number(pattern.loc(), ctx);
1529 self.add_requirement(Requirement::FitsIntLiteral {
1530 value: ConstantInt::Literal(val.clone()),
1531 target_type: num_t.clone().at_loc(pattern),
1532 });
1533 self.unify(pattern, num_t, ctx)
1534 .expect("Failed to unify new_generic with int");
1535 }
1536 hir::PatternKind::Bool(_) => {
1537 pattern
1538 .unify_with(&self.t_bool(pattern.loc(), ctx.symtab), self)
1539 .commit(self, ctx)
1540 .expect("Expected new_generic with boolean");
1541 }
1542 hir::PatternKind::Name { name, pre_declared } => {
1543 if !pre_declared {
1544 self.add_equation(
1545 TypedExpression::Name(name.clone().inner),
1546 pattern.get_type(self),
1547 );
1548 }
1549 self.unify(
1550 &TypedExpression::Id(pattern.id),
1551 &TypedExpression::Name(name.clone().inner),
1552 ctx,
1553 )
1554 .into_default_diagnostic(name.loc(), self)?;
1555 }
1556 hir::PatternKind::Tuple(subpatterns) => {
1557 for pattern in subpatterns {
1558 self.visit_pattern(pattern, ctx, generic_list)?;
1559 }
1560 let tuple_type = self.add_type_var(TypeVar::tuple(
1561 pattern.loc(),
1562 subpatterns
1563 .iter()
1564 .map(|pattern| {
1565 let p_type = pattern.get_type(self);
1566 Ok(p_type)
1567 })
1568 .collect::<Result<_>>()?,
1569 ));
1570
1571 self.unify(pattern, &tuple_type, ctx)
1572 .expect("Unification of new_generic with tuple type cannot fail");
1573 }
1574 hir::PatternKind::Array(inner) => {
1575 for pattern in inner {
1576 self.visit_pattern(pattern, ctx, generic_list)?;
1577 }
1578 if inner.len() == 0 {
1579 return Err(
1580 Diagnostic::error(pattern, "Empty array patterns are unsupported")
1581 .primary_label("Empty array pattern"),
1582 );
1583 } else {
1584 let inner_t = inner[0].get_type(self);
1585
1586 for pattern in inner.iter().skip(1) {
1587 self.unify(pattern, &inner_t, ctx)
1588 .into_default_diagnostic(pattern, self)?;
1589 }
1590
1591 pattern
1592 .unify_with(
1593 &TypeVar::Known(
1594 pattern.loc(),
1595 KnownType::Array,
1596 vec![
1597 inner_t,
1598 self.add_type_var(TypeVar::Known(
1599 pattern.loc(),
1600 KnownType::Integer(inner.len().to_bigint()),
1601 vec![],
1602 )),
1603 ],
1604 )
1605 .insert(self),
1606 self,
1607 )
1608 .commit(self, ctx)
1609 .into_default_diagnostic(pattern, self)?;
1610 }
1611 }
1612 hir::PatternKind::Type(name, args) => {
1613 let (condition_type, params, generic_list) =
1614 match ctx.symtab.patternable_type_by_id(name).inner {
1615 Patternable {
1616 kind: PatternableKind::Enum,
1617 params: _,
1618 } => {
1619 let enum_variant = ctx.symtab.enum_variant_by_id(name).inner;
1620 let generic_list = self.create_generic_list(
1621 GenericListSource::Anonymous,
1622 &enum_variant.type_params,
1623 &[],
1624 None,
1625 &[],
1626 )?;
1627
1628 let condition_type = self.type_var_from_hir(
1629 pattern.loc(),
1630 &enum_variant.output_type,
1631 &generic_list,
1632 )?;
1633
1634 (condition_type, enum_variant.params, generic_list)
1635 }
1636 Patternable {
1637 kind: PatternableKind::Struct,
1638 params: _,
1639 } => {
1640 let s = ctx.symtab.struct_by_id(name).inner;
1641 let generic_list = self.create_generic_list(
1642 GenericListSource::Anonymous,
1643 &s.type_params,
1644 &[],
1645 None,
1646 &[],
1647 )?;
1648
1649 let condition_type =
1650 self.type_var_from_hir(pattern.loc(), &s.self_type, &generic_list)?;
1651
1652 (condition_type, s.params, generic_list)
1653 }
1654 };
1655
1656 self.unify(pattern, &condition_type, ctx)
1657 .expect("Unification of new_generic with enum cannot fail");
1658
1659 for (
1660 PatternArgument {
1661 target,
1662 value: pattern,
1663 kind,
1664 },
1665 Parameter {
1666 name: _,
1667 ty: target_type,
1668 no_mangle: _,
1669 },
1670 ) in args.iter().zip(params.0.iter())
1671 {
1672 self.visit_pattern(pattern, ctx, &generic_list)?;
1673 let target_type =
1674 self.type_var_from_hir(target_type.loc(), target_type, &generic_list)?;
1675
1676 let loc = match kind {
1677 hir::ArgumentKind::Positional => pattern.loc(),
1678 hir::ArgumentKind::Named => pattern.loc(),
1679 hir::ArgumentKind::ShortNamed => target.loc(),
1680 };
1681
1682 self.unify(pattern, &target_type, ctx).into_diagnostic(
1683 loc,
1684 |d, tm| {
1685 let (expected, got) = tm.display_e_g(self);
1686 d.message(format!(
1687 "Argument type mismatch. Expected {expected} got {got}"
1688 ))
1689 .primary_label(format!("expected {expected}"))
1690 },
1691 self,
1692 )?;
1693 }
1694 }
1695 }
1696 Ok(())
1697 }
1698
1699 #[trace_typechecker]
1700 pub fn visit_wal_trace(
1701 &mut self,
1702 trace: &Loc<WalTrace>,
1703 ctx: &Context,
1704 generic_list: &GenericListToken,
1705 ) -> Result<()> {
1706 let WalTrace { clk, rst } = &trace.inner;
1707 clk.as_ref()
1708 .map(|x| {
1709 self.visit_expression(x, ctx, generic_list);
1710 x.unify_with(&self.t_clock(trace.loc(), ctx.symtab), self)
1711 .commit(self, ctx)
1712 .into_default_diagnostic(x, self)
1713 })
1714 .transpose()?;
1715 rst.as_ref()
1716 .map(|x| {
1717 self.visit_expression(x, ctx, generic_list);
1718 x.unify_with(&self.t_bool(trace.loc(), ctx.symtab), self)
1719 .commit(self, ctx)
1720 .into_default_diagnostic(x, self)
1721 })
1722 .transpose()?;
1723 Ok(())
1724 }
1725
1726 #[trace_typechecker]
1727 pub fn visit_statement_error(
1728 &mut self,
1729 stmt: &Loc<Statement>,
1730 ctx: &Context,
1731 generic_list: &GenericListToken,
1732 ) -> Result<()> {
1733 match &stmt.inner {
1734 Statement::Error => {
1735 if let Some(current_stage_depth) =
1736 self.pipeline_state.as_ref().map(|s| s.current_stage_depth)
1737 {
1738 current_stage_depth
1739 .unify_with(&self.t_err(stmt.loc()), self)
1740 .commit(self, ctx)
1741 .unwrap();
1742 }
1743 Ok(())
1744 }
1745 Statement::Binding(Binding {
1746 pattern,
1747 ty,
1748 value,
1749 wal_trace,
1750 }) => {
1751 trace!("Visiting `let {} = ..`", pattern.kind);
1752 self.visit_expression(value, ctx, generic_list);
1753
1754 self.visit_pattern(pattern, ctx, generic_list)
1755 .handle_in(&mut self.diags);
1756
1757 self.unify(&TypedExpression::Id(pattern.id), value, ctx)
1758 .into_diagnostic(
1759 pattern.loc(),
1760 error_pattern_type_mismatch(
1761 ty.as_ref().map(|t| t.loc()).unwrap_or_else(|| value.loc()),
1762 self,
1763 ),
1764 self,
1765 )
1766 .handle_in(&mut self.diags);
1767
1768 if let Some(t) = ty {
1769 let tvar = self.type_var_from_hir(t.loc(), t, generic_list)?;
1770 self.unify(&TypedExpression::Id(pattern.id), &tvar, ctx)
1771 .into_default_diagnostic(value.loc(), self)
1772 .handle_in(&mut self.diags);
1773 }
1774
1775 wal_trace
1776 .as_ref()
1777 .map(|wt| self.visit_wal_trace(wt, ctx, generic_list))
1778 .transpose()
1779 .handle_in(&mut self.diags);
1780
1781 Ok(())
1782 }
1783 Statement::Expression(expr) => {
1784 self.visit_expression(expr, ctx, generic_list);
1785 Ok(())
1786 }
1787 Statement::Register(reg) => self.visit_register(reg, ctx, generic_list),
1788 Statement::Declaration(names) => {
1789 for name in names {
1790 let new_type = self.new_generic_type(name.loc());
1791 self.add_equation(TypedExpression::Name(name.clone().inner), new_type);
1792 }
1793 Ok(())
1794 }
1795 Statement::PipelineRegMarker(extra) => {
1796 match extra {
1797 Some(PipelineRegMarkerExtra::Condition(cond)) => {
1798 self.visit_expression(cond, ctx, generic_list);
1799 cond.unify_with(&self.t_bool(cond.loc(), ctx.symtab), self)
1800 .commit(self, ctx)
1801 .into_default_diagnostic(cond, self)?;
1802 }
1803 Some(PipelineRegMarkerExtra::Count {
1804 count: _,
1805 count_typeexpr_id: _,
1806 }) => {}
1807 None => {}
1808 }
1809
1810 let current_stage_depth = self
1811 .pipeline_state
1812 .clone()
1813 .ok_or_else(|| {
1814 diag_anyhow!(stmt, "Found a pipeline reg marker in a non-pipeline")
1815 })?
1816 .current_stage_depth;
1817
1818 let new_depth = self.new_generic_tlint(stmt.loc());
1819 let offset = match extra {
1820 Some(PipelineRegMarkerExtra::Count {
1821 count,
1822 count_typeexpr_id,
1823 }) => {
1824 let var = self.hir_type_expr_to_var(count, generic_list)?;
1825 self.add_equation(TypedExpression::Id(*count_typeexpr_id), var.clone());
1826 var
1827 }
1828 Some(PipelineRegMarkerExtra::Condition(_)) | None => self.add_type_var(
1829 TypeVar::Known(stmt.loc(), KnownType::Integer(1.to_bigint()), vec![]),
1830 ),
1831 };
1832
1833 let total_depth = ConstraintExpr::Sum(
1834 Box::new(ConstraintExpr::Var(offset)),
1835 Box::new(ConstraintExpr::Var(current_stage_depth)),
1836 );
1837 self.pipeline_state
1838 .as_mut()
1839 .expect("Expected to have a pipeline state")
1840 .current_stage_depth = new_depth.clone();
1841
1842 self.add_constraint(
1843 new_depth.clone(),
1844 total_depth,
1845 stmt.loc(),
1846 &new_depth,
1847 ConstraintSource::PipelineRegCount {
1848 reg: stmt.loc(),
1849 total: self.get_pipeline_state(stmt)?.total_depth.loc(),
1850 },
1851 );
1852
1853 Ok(())
1854 }
1855 Statement::Label(name) => {
1856 let key = TypedExpression::Name(name.inner.clone());
1857 let var = if !self.equations.contains_key(&key) {
1858 let var = self.new_generic_tlint(name.loc());
1859 self.trace_stack.push(TraceStackEntry::AddingPipelineLabel(
1860 name.inner.clone(),
1861 var.debug_resolve(self),
1862 ));
1863 self.add_equation(key.clone(), var.clone());
1864 var
1865 } else {
1866 let var = self.equations.get(&key).unwrap().clone();
1867 self.trace_stack
1868 .push(TraceStackEntry::RecoveringPipelineLabel(
1869 name.inner.clone(),
1870 var.debug_resolve(self),
1871 ));
1872 var
1873 };
1874 self.unify(
1876 &var,
1877 &self.get_pipeline_state(name)?.current_stage_depth.clone(),
1878 ctx,
1879 )
1880 .unwrap();
1881 Ok(())
1882 }
1883 Statement::WalSuffixed { .. } => Ok(()),
1884 Statement::Assert(expr) => {
1885 self.visit_expression(expr, ctx, generic_list);
1886
1887 expr.unify_with(&self.t_bool(stmt.loc(), ctx.symtab), self)
1888 .commit(self, ctx)
1889 .into_default_diagnostic(expr, self)
1890 .handle_in(&mut self.diags);
1891 Ok(())
1892 }
1893 Statement::Set { target, value } => {
1894 self.visit_expression(target, ctx, generic_list);
1895 self.visit_expression(value, ctx, generic_list);
1896
1897 let inner_type = self.new_generic_type(value.loc());
1898 let outer_type =
1899 TypeVar::backward(stmt.loc(), inner_type.clone(), self).insert(self);
1900 self.unify_expression_generic_error(target, &outer_type, ctx)
1901 .handle_in(&mut self.diags);
1902 self.unify_expression_generic_error(value, &inner_type, ctx)
1903 .handle_in(&mut self.diags);
1904
1905 Ok(())
1906 }
1907 }
1908 }
1909
1910 pub fn visit_statement(
1911 &mut self,
1912 stmt: &Loc<Statement>,
1913 ctx: &Context,
1914 generic_list: &GenericListToken,
1915 ) {
1916 if let Err(e) = self.visit_statement_error(stmt, ctx, generic_list) {
1917 self.diags.errors.push(e);
1918 }
1919 }
1920
1921 #[trace_typechecker]
1922 pub fn visit_register(
1923 &mut self,
1924 reg: &Register,
1925 ctx: &Context,
1926 generic_list: &GenericListToken,
1927 ) -> Result<()> {
1928 self.visit_pattern(®.pattern, ctx, generic_list)?;
1929
1930 let type_spec_type = match ®.value_type {
1931 Some(t) => Some(self.type_var_from_hir(t.loc(), t, generic_list)?.at_loc(t)),
1932 None => None,
1933 };
1934
1935 if let Some(tvar) = &type_spec_type {
1938 self.unify(&TypedExpression::Id(reg.pattern.id), tvar, ctx)
1939 .into_diagnostic_no_expected_source(
1940 reg.pattern.loc(),
1941 error_pattern_type_mismatch(tvar.loc(), self),
1942 self,
1943 )?;
1944 }
1945
1946 self.visit_expression(®.clock, ctx, generic_list);
1947 self.visit_expression(®.value, ctx, generic_list);
1948
1949 if let Some(tvar) = &type_spec_type {
1950 self.unify(®.value, tvar, ctx)
1951 .into_default_diagnostic(reg.value.loc(), self)?;
1952 }
1953
1954 if let Some((rst_cond, rst_value)) = ®.reset {
1955 self.visit_expression(rst_cond, ctx, generic_list);
1956 self.visit_expression(rst_value, ctx, generic_list);
1957 rst_cond
1959 .unify_with(&self.t_bool(rst_cond.loc(), ctx.symtab), self)
1960 .commit(self, ctx)
1961 .into_diagnostic(
1962 rst_cond.loc(),
1963 |diag,
1964 Tm {
1965 g: got,
1966 e: _expected,
1967 }| {
1968 diag.message(format!(
1969 "Register reset condition must be a bool, got {got}",
1970 got = got.display(self)
1971 ))
1972 .primary_label("expected bool")
1973 },
1974 self,
1975 )?;
1976
1977 self.unify(&rst_value.inner, ®.value.inner, ctx)
1979 .into_diagnostic(
1980 rst_value.loc(),
1981 |diag, tm| {
1982 let (expected, got) = tm.display_e_g(self);
1983 diag.message(format!(
1984 "Register reset value mismatch. Expected {expected} got {got}"
1985 ))
1986 .primary_label(format!("expected {expected}"))
1987 .secondary_label(®.pattern, format!("because this has type {expected}"))
1988 },
1989 self,
1990 )?;
1991 }
1992
1993 if let Some(initial) = ®.initial {
1994 self.visit_expression(initial, ctx, generic_list);
1995
1996 self.unify(&initial.inner, ®.value.inner, ctx)
1997 .into_diagnostic(
1998 initial.loc(),
1999 |diag, tm| {
2000 let (expected, got) = tm.display_e_g(self);
2001 diag.message(format!(
2002 "Register initial value mismatch. Expected {expected} got {got}"
2003 ))
2004 .primary_label(format!("expected {expected}, got {got}"))
2005 .secondary_label(®.pattern, format!("because this has type {got}"))
2006 },
2007 self,
2008 )?;
2009 }
2010
2011 reg.clock
2012 .unify_with(&self.t_clock(reg.clock.loc(), ctx.symtab), self)
2013 .commit(self, ctx)
2014 .into_diagnostic(
2015 reg.clock.loc(),
2016 |diag,
2017 Tm {
2018 g: got,
2019 e: _expected,
2020 }| {
2021 diag.message(format!(
2022 "Expected clock, got {got}",
2023 got = got.display(self)
2024 ))
2025 .primary_label("expected clock")
2026 },
2027 self,
2028 )?;
2029
2030 self.unify(&TypedExpression::Id(reg.pattern.id), ®.value, ctx)
2031 .into_diagnostic(
2032 reg.pattern.loc(),
2033 error_pattern_type_mismatch(reg.value.loc(), self),
2034 self,
2035 )?;
2036
2037 Ok(())
2038 }
2039
2040 #[trace_typechecker]
2041 pub fn visit_trait_spec(
2042 &mut self,
2043 trait_spec: &Loc<TraitSpec>,
2044 generic_list: &GenericListToken,
2045 ) -> Result<Loc<TraitReq>> {
2046 let type_params = if let Some(type_params) = &trait_spec.inner.type_params {
2047 type_params
2048 .inner
2049 .iter()
2050 .map(|te| self.hir_type_expr_to_var(te, generic_list))
2051 .collect::<Result<_>>()?
2052 } else {
2053 vec![]
2054 };
2055
2056 Ok(TraitReq {
2057 name: trait_spec.name.clone(),
2058 type_params,
2059 }
2060 .at_loc(trait_spec))
2061 }
2062
2063 #[trace_typechecker]
2064 pub fn visit_trait_bounds(
2065 &mut self,
2066 target: &Loc<NameID>,
2067 traits: &[Loc<TraitSpec>],
2068 generic_list_tok: &GenericListToken,
2069 ) -> Result<()> {
2070 let trait_reqs = traits
2071 .iter()
2072 .map(|spec| self.visit_trait_spec(spec, generic_list_tok))
2073 .collect::<Result<BTreeSet<_>>>()?
2074 .into_iter()
2075 .collect_vec();
2076
2077 if !trait_reqs.is_empty() {
2078 let trait_list = TraitList::from_vec(trait_reqs);
2079
2080 let generic_list = self.generic_lists.get(generic_list_tok).unwrap();
2081
2082 let Some(tvar) = generic_list.get(&target.inner) else {
2083 return Err(Diagnostic::bug(
2084 target,
2085 "Couldn't find generic from where clause in generic list",
2086 )
2087 .primary_label(format!(
2088 "Generic type {} not found in generic list",
2089 target.inner
2090 )));
2091 };
2092
2093 self.trace_stack.push(TraceStackEntry::AddingTraitBounds(
2094 tvar.debug_resolve(self),
2095 trait_list.clone(),
2096 ));
2097
2098 let TypeVar::Unknown(loc, id, old_trait_list, MetaType::Type) = tvar.resolve(self)
2099 else {
2100 return Err(Diagnostic::bug(
2101 target,
2102 "Trait bounds on known type or type-level integer",
2103 )
2104 .primary_label(format!(
2105 "Trait bounds on {}, which should've been caught in ast-lowering",
2106 target.inner
2107 )));
2108 };
2109
2110 let new_tvar = self.add_type_var(TypeVar::Unknown(
2111 *loc,
2112 *id,
2113 old_trait_list.clone().extend(trait_list),
2114 MetaType::Type,
2115 ));
2116
2117 trace!(
2118 "Adding trait bound {} on type {}",
2119 new_tvar.display_with_meta(true, self),
2120 target.inner
2121 );
2122
2123 let generic_list = self.generic_lists.get_mut(generic_list_tok).unwrap();
2124 generic_list.insert(target.inner.clone(), new_tvar);
2125 }
2126
2127 Ok(())
2128 }
2129
2130 pub fn visit_const_generic_with_id(
2131 &mut self,
2132 gen: &Loc<ConstGenericWithId>,
2133 generic_list_token: &GenericListToken,
2134 constraint_source: ConstraintSource,
2135 ctx: &Context,
2136 ) -> Result<TypeVarID> {
2137 let var = match &gen.inner.inner {
2138 ConstGeneric::Name(name) => {
2139 let ty = &ctx.symtab.type_symbol_by_id(&name);
2140 match &ty.inner {
2141 TypeSymbol::Declared(_, _) => {
2142 return Err(Diagnostic::error(
2143 name,
2144 "{type_decl_kind} cannot be used in a const generic expression",
2145 )
2146 .primary_label("Type in const generic")
2147 .secondary_label(ty, "{name} is declared here"))
2148 }
2149 TypeSymbol::GenericArg { .. } | TypeSymbol::GenericMeta(MetaType::Type) => {
2150 return Err(Diagnostic::error(
2151 name,
2152 "Generic types cannot be used in const generic expressions",
2153 )
2154 .primary_label("Type in const generic")
2155 .secondary_label(ty, "{name} is declared here")
2156 .span_suggest_insert_before(
2157 "Consider making this a value",
2158 ty.loc(),
2159 "#uint ",
2160 ))
2161 }
2162 TypeSymbol::GenericMeta(MetaType::Number) => {
2163 self.new_generic_tlnumber(gen.loc())
2164 }
2165 TypeSymbol::GenericMeta(MetaType::Int) => self.new_generic_tlint(gen.loc()),
2166 TypeSymbol::GenericMeta(MetaType::Uint) => self.new_generic_tluint(gen.loc()),
2167 TypeSymbol::GenericMeta(MetaType::Bool) => self.new_generic_tlbool(gen.loc()),
2168 TypeSymbol::GenericMeta(MetaType::Any) => {
2169 diag_bail!(gen, "Found any meta type")
2170 }
2171 TypeSymbol::Alias(_) => {
2172 return Err(Diagnostic::error(
2173 gen,
2174 "Aliases are not currently supported in const generics",
2175 )
2176 .secondary_label(ty, "Alias defined here"))
2177 }
2178 }
2179 }
2180 ConstGeneric::Const(_)
2181 | ConstGeneric::Add(_, _)
2182 | ConstGeneric::Sub(_, _)
2183 | ConstGeneric::Mul(_, _)
2184 | ConstGeneric::Div(_, _)
2185 | ConstGeneric::Mod(_, _)
2186 | ConstGeneric::UintBitsToFit(_) => self.new_generic_tlnumber(gen.loc()),
2187 ConstGeneric::Eq(_, _) | ConstGeneric::NotEq(_, _) => {
2188 self.new_generic_tlbool(gen.loc())
2189 }
2190 };
2191 let constraint = self.visit_const_generic(&gen.inner.inner, generic_list_token)?;
2192 self.add_equation(TypedExpression::Id(gen.id), var.clone());
2193 self.add_constraint(var.clone(), constraint, gen.loc(), &var, constraint_source);
2194 Ok(var)
2195 }
2196
2197 #[trace_typechecker]
2198 pub fn visit_const_generic(
2199 &self,
2200 constraint: &ConstGeneric,
2201 generic_list: &GenericListToken,
2202 ) -> Result<ConstraintExpr> {
2203 let wrap = |lhs,
2204 rhs,
2205 wrapper: fn(Box<ConstraintExpr>, Box<ConstraintExpr>) -> ConstraintExpr|
2206 -> Result<_> {
2207 Ok(wrapper(
2208 Box::new(self.visit_const_generic(lhs, generic_list)?),
2209 Box::new(self.visit_const_generic(rhs, generic_list)?),
2210 ))
2211 };
2212 let constraint = match constraint {
2213 ConstGeneric::Name(n) => {
2214 let var = self
2215 .get_generic_list(generic_list)
2216 .ok_or_else(|| diag_anyhow!(n, "Found no generic list"))?
2217 .get(n)
2218 .ok_or_else(|| {
2219 Diagnostic::bug(n, "Found non-generic argument in where clause")
2220 })?;
2221 ConstraintExpr::Var(*var)
2222 }
2223 ConstGeneric::Const(val) => ConstraintExpr::Integer(val.clone()),
2224 ConstGeneric::Add(lhs, rhs) => wrap(lhs, rhs, ConstraintExpr::Sum)?,
2225 ConstGeneric::Sub(lhs, rhs) => wrap(lhs, rhs, ConstraintExpr::Difference)?,
2226 ConstGeneric::Mul(lhs, rhs) => wrap(lhs, rhs, ConstraintExpr::Product)?,
2227 ConstGeneric::Div(lhs, rhs) => wrap(lhs, rhs, ConstraintExpr::Div)?,
2228 ConstGeneric::Mod(lhs, rhs) => wrap(lhs, rhs, ConstraintExpr::Mod)?,
2229 ConstGeneric::Eq(lhs, rhs) => wrap(lhs, rhs, ConstraintExpr::Eq)?,
2230 ConstGeneric::NotEq(lhs, rhs) => wrap(lhs, rhs, ConstraintExpr::NotEq)?,
2231 ConstGeneric::UintBitsToFit(a) => ConstraintExpr::UintBitsToRepresent(Box::new(
2232 self.visit_const_generic(a, generic_list)?,
2233 )),
2234 };
2235 Ok(constraint)
2236 }
2237}
2238
2239impl TypeState {
2241 fn new_typeid(&self) -> u64 {
2242 let mut next = self.next_typeid.borrow_mut();
2243 let result = *next;
2244 *next += 1;
2245 result
2246 }
2247
2248 pub fn add_equation(&mut self, expression: TypedExpression, var: TypeVarID) {
2249 self.trace_stack.push(TraceStackEntry::AddingEquation(
2250 expression.clone(),
2251 var.debug_resolve(self),
2252 ));
2253 if let Some(prev) = self.equations.insert(expression.clone(), var.clone()) {
2254 let var = var.clone();
2255 let expr = expression.clone();
2256 println!("{}", format_trace_stack(self));
2257 panic!("Adding equation for {} == {} but a previous eq exists.\n\tIt was previously bound to {}", expr, var.debug_resolve(self), prev.debug_resolve(self))
2258 }
2259 }
2260
2261 fn add_constraint(
2262 &mut self,
2263 lhs: TypeVarID,
2264 rhs: ConstraintExpr,
2265 loc: Loc<()>,
2266 inside: &TypeVarID,
2267 source: ConstraintSource,
2268 ) {
2269 let replaces = lhs.clone();
2270 let rhs = rhs.with_context(&replaces, &inside, source).at_loc(&loc);
2271
2272 self.trace_stack.push(TraceStackEntry::AddingConstraint(
2273 lhs.debug_resolve(self),
2274 rhs.inner.clone(),
2275 ));
2276
2277 self.constraints.add_int_constraint(lhs, rhs);
2278 }
2279
2280 fn add_requirement(&mut self, requirement: Requirement) {
2281 self.trace_stack
2282 .push(TraceStackEntry::AddRequirement(requirement.clone()));
2283 self.requirements.push(requirement)
2284 }
2285
2286 fn unify_inner(
2291 &mut self,
2292 e1: &impl HasType,
2293 e2: &impl HasType,
2294 ctx: &Context,
2295 ) -> std::result::Result<TypeVarID, UnificationError> {
2296 let v1 = e1.get_type(self);
2297 let v2 = e2.get_type(self);
2298
2299 trace!(
2300 "Unifying {} with {}",
2301 v1.debug_resolve(self),
2302 v2.debug_resolve(self)
2303 );
2304
2305 self.trace_stack.push(TraceStackEntry::TryingUnify(
2306 v1.debug_resolve(self),
2307 v2.debug_resolve(self),
2308 ));
2309
2310 macro_rules! err_producer {
2311 () => {{
2312 self.trace_stack
2313 .push(TraceStackEntry::Message("Produced error".to_string()));
2314 UnificationError::Normal(Tm {
2315 g: UnificationTrace::new(v1),
2316 e: UnificationTrace::new(v2),
2317 })
2318 }};
2319 }
2320 macro_rules! meta_err_producer {
2321 () => {{
2322 self.trace_stack
2323 .push(TraceStackEntry::Message("Produced error".to_string()));
2324 UnificationError::MetaMismatch(Tm {
2325 g: UnificationTrace::new(v1),
2326 e: UnificationTrace::new(v2),
2327 })
2328 }};
2329 }
2330
2331 macro_rules! unify_if {
2332 ($condition:expr, $new_type:expr, $replaced_type:expr) => {
2333 if $condition {
2334 Ok(($new_type, $replaced_type))
2335 } else {
2336 Err(err_producer!())
2337 }
2338 };
2339 }
2340
2341 let unify_params = |s: &mut Self,
2342 p1: &[TypeVarID],
2343 p2: &[TypeVarID]|
2344 -> std::result::Result<(), UnificationError> {
2345 if p1.len() != p2.len() {
2346 return Err({
2347 s.trace_stack
2348 .push(TraceStackEntry::Message("Produced error".to_string()));
2349 UnificationError::Normal(Tm {
2350 g: UnificationTrace::new(v1),
2351 e: UnificationTrace::new(v2),
2352 })
2353 });
2354 }
2355
2356 for (t1, t2) in p1.iter().zip(p2.iter()) {
2357 match s.unify_inner(t1, t2, ctx) {
2358 Ok(result) => result,
2359 Err(e) => {
2360 s.trace_stack
2361 .push(TraceStackEntry::Message("Adding context".to_string()));
2362 return Err(e).add_context(v1.clone(), v2.clone());
2363 }
2364 };
2365 }
2366 Ok(())
2367 };
2368
2369 let result = match (
2372 &(v1, v1.resolve(self).clone()),
2373 &(v2, v2.resolve(self).clone()),
2374 ) {
2375 ((_, TypeVar::Known(_, KnownType::Error, _)), _) => Ok((v1, vec![v2])),
2376 (_, (_, TypeVar::Known(_, KnownType::Error, _))) => Ok((v2, vec![v1])),
2377 ((_, TypeVar::Known(_, t1, p1)), (_, TypeVar::Known(_, t2, p2))) => {
2378 match (t1, t2) {
2379 (KnownType::Integer(val1), KnownType::Integer(val2)) => {
2380 unify_if!(val1 == val2, v1, vec![])
2385 }
2386 (KnownType::Named(n1), KnownType::Named(n2)) => {
2387 match (
2388 &ctx.symtab.type_symbol_by_id(n1).inner,
2389 &ctx.symtab.type_symbol_by_id(n2).inner,
2390 ) {
2391 (TypeSymbol::Declared(_, _), TypeSymbol::Declared(_, _)) => {
2392 if n1 != n2 {
2393 return Err(err_producer!());
2394 }
2395
2396 let new_ts1 = ctx.symtab.type_symbol_by_id(n1).inner;
2397 let new_ts2 = ctx.symtab.type_symbol_by_id(n2).inner;
2398 unify_params(self, &p1, &p2)?;
2399 unify_if!(new_ts1 == new_ts2, v1, vec![])
2400 }
2401 (TypeSymbol::Declared(_, _), TypeSymbol::GenericArg { traits }) => {
2402 if !traits.is_empty() {
2403 todo!("Implement trait unifictaion");
2404 }
2405 Ok((v1, vec![]))
2406 }
2407 (TypeSymbol::GenericArg { traits }, TypeSymbol::Declared(_, _)) => {
2408 if !traits.is_empty() {
2409 todo!("Implement trait unifictaion");
2410 }
2411 Ok((v2, vec![]))
2412 }
2413 (
2414 TypeSymbol::GenericArg { traits: ltraits },
2415 TypeSymbol::GenericArg { traits: rtraits },
2416 ) => {
2417 if !ltraits.is_empty() || !rtraits.is_empty() {
2418 todo!("Implement trait unifictaion");
2419 }
2420 Ok((v1, vec![]))
2421 }
2422 (TypeSymbol::Declared(_, _), TypeSymbol::GenericMeta(_)) => todo!(),
2423 (TypeSymbol::GenericArg { traits: _ }, TypeSymbol::GenericMeta(_)) => {
2424 todo!()
2425 }
2426 (TypeSymbol::GenericMeta(_), TypeSymbol::Declared(_, _)) => todo!(),
2427 (TypeSymbol::GenericMeta(_), TypeSymbol::GenericArg { traits: _ }) => {
2428 todo!()
2429 }
2430 (TypeSymbol::Alias(_), _) | (_, TypeSymbol::Alias(_)) => {
2431 return Err(UnificationError::Specific(Diagnostic::bug(
2432 ().nowhere(),
2433 "Encountered a raw type alias during unification",
2434 )))
2435 }
2436 (TypeSymbol::GenericMeta(_), TypeSymbol::GenericMeta(_)) => todo!(),
2437 }
2438 }
2439 (KnownType::Array, KnownType::Array)
2440 | (KnownType::Tuple, KnownType::Tuple)
2441 | (KnownType::Wire, KnownType::Wire)
2442 | (KnownType::Inverted, KnownType::Inverted) => {
2443 unify_params(self, &p1, &p2)?;
2447 Ok((v1, vec![]))
2448 }
2449 (_, _) => Err(err_producer!()),
2450 }
2451 }
2452 (
2454 (_, TypeVar::Unknown(loc1, _, traits1, meta1)),
2455 (_, TypeVar::Unknown(loc2, _, traits2, meta2)),
2456 ) => {
2457 let new_loc = if meta1.is_more_concrete_than(meta2) {
2458 loc1
2459 } else {
2460 loc2
2461 };
2462 let new_t = match unify_meta(meta1, meta2) {
2463 Some(meta @ MetaType::Any) | Some(meta @ MetaType::Number) => {
2464 if traits1.inner.is_empty() || traits2.inner.is_empty() {
2465 return Err(UnificationError::Specific(diag_anyhow!(
2466 new_loc,
2467 "Inferred an any meta-type with traits"
2468 )));
2469 }
2470 self.new_generic_with_meta(*loc1, meta)
2471 }
2472 Some(MetaType::Type) => {
2473 let new_trait_names = traits1
2474 .inner
2475 .iter()
2476 .chain(traits2.inner.iter())
2477 .map(|t| t.name.clone())
2478 .collect::<BTreeSet<_>>()
2479 .into_iter()
2480 .collect::<Vec<_>>();
2481
2482 let new_traits = new_trait_names
2483 .iter()
2484 .map(
2485 |name| match (traits1.get_trait(name), traits2.get_trait(name)) {
2486 (Some(req1), Some(req2)) => {
2487 let new_params = req1
2488 .inner
2489 .type_params
2490 .iter()
2491 .zip(req2.inner.type_params.iter())
2492 .map(|(p1, p2)| self.unify(p1, p2, ctx))
2493 .collect::<std::result::Result<_, UnificationError>>(
2494 )?;
2495
2496 Ok(TraitReq {
2497 name: name.clone(),
2498 type_params: new_params,
2499 }
2500 .at_loc(req1))
2501 }
2502 (Some(t), None) => Ok(t.clone()),
2503 (None, Some(t)) => Ok(t.clone()),
2504 (None, None) => panic!("Found a trait but neither side has it"),
2505 },
2506 )
2507 .collect::<std::result::Result<Vec<_>, UnificationError>>()?;
2508
2509 self.new_generic_with_traits(*new_loc, TraitList::from_vec(new_traits))
2510 }
2511 Some(MetaType::Int) => self.new_generic_tlint(*new_loc),
2512 Some(MetaType::Uint) => self.new_generic_tluint(*new_loc),
2513 Some(MetaType::Bool) => self.new_generic_tlbool(*new_loc),
2514 None => return Err(meta_err_producer!()),
2515 };
2516 Ok((new_t, vec![v1, v2]))
2517 }
2518 (
2519 (otherid, TypeVar::Known(loc, base, params)),
2520 (ukid, TypeVar::Unknown(ukloc, _, traits, meta)),
2521 )
2522 | (
2523 (ukid, TypeVar::Unknown(ukloc, _, traits, meta)),
2524 (otherid, TypeVar::Known(loc, base, params)),
2525 ) => {
2526 let trait_is_expected = match (&v1.resolve(self), &v2.resolve(self)) {
2527 (TypeVar::Known(_, _, _), _) => true,
2528 _ => false,
2529 };
2530
2531 let impls = self.ensure_impls(otherid, traits, trait_is_expected, ukloc, ctx)?;
2532
2533 self.trace_stack.push(TraceStackEntry::Message(
2534 "Unifying trait_parameters".to_string(),
2535 ));
2536 let mut new_params = params.clone();
2537 for (trait_impl, trait_req) in impls {
2538 let mut param_map = BTreeMap::new();
2539
2540 for (l, r) in trait_req
2541 .type_params
2542 .iter()
2543 .zip(trait_impl.trait_type_params)
2544 {
2545 let copy = r.make_copy_with_mapping(self, &mut param_map);
2546 self.unify(l, ©, ctx)?;
2547 }
2548
2549 new_params = trait_impl
2550 .target_type_params
2551 .iter()
2552 .zip(new_params)
2553 .map(|(l, r)| {
2554 let copy = l.make_copy_with_mapping(self, &mut param_map);
2555 self.unify(©, &r, ctx).add_context(*ukid, *otherid)
2556 })
2557 .collect::<std::result::Result<_, _>>()?
2558 }
2559
2560 match (base, meta) {
2561 (KnownType::Error, _) => {
2562 unreachable!()
2563 }
2564 (_, MetaType::Any)
2566 | (KnownType::Named(_), MetaType::Type)
2568 | (KnownType::Tuple, MetaType::Type)
2569 | (KnownType::Array, MetaType::Type)
2570 | (KnownType::Wire, MetaType::Type)
2571 | (KnownType::Bool(_), MetaType::Bool)
2572 | (KnownType::Inverted, MetaType::Type)
2573 | (KnownType::Integer(_), MetaType::Int)
2575 | (KnownType::Integer(_), MetaType::Number)
2576 => {
2577 let new = self.add_type_var(TypeVar::Known(*loc, base.clone(), new_params));
2578
2579 Ok((new, vec![otherid.clone(), ukid.clone()]))
2580 },
2581 (KnownType::Integer(val), MetaType::Uint)
2583 => {
2584 if val < &0.to_bigint() {
2585 Err(meta_err_producer!())
2586 } else {
2587 let new = self.add_type_var(TypeVar::Known(*loc, base.clone(), new_params));
2588
2589 Ok((new, vec![otherid.clone(), ukid.clone()]))
2590 }
2591 },
2592
2593 (KnownType::Integer(_), MetaType::Type) => Err(meta_err_producer!()),
2595
2596 (_, MetaType::Bool) => Err(meta_err_producer!()),
2598 (KnownType::Bool(_), _) => Err(meta_err_producer!()),
2599
2600 (KnownType::Named(_), MetaType::Int | MetaType::Number | MetaType::Uint)
2602 | (KnownType::Tuple, MetaType::Int | MetaType::Uint | MetaType::Number)
2603 | (KnownType::Array, MetaType::Int | MetaType::Uint | MetaType::Number)
2604 | (KnownType::Wire, MetaType::Int | MetaType::Uint | MetaType::Number)
2605 | (KnownType::Inverted, MetaType::Int | MetaType::Uint | MetaType::Number)
2606 => Err(meta_err_producer!())
2607 }
2608 }
2609 };
2610
2611 let (new_type, replaced_types) = result?;
2612
2613 self.trace_stack.push(TraceStackEntry::Unified(
2614 v1.debug_resolve(self),
2615 v2.debug_resolve(self),
2616 new_type.debug_resolve(self),
2617 replaced_types
2618 .iter()
2619 .map(|v| v.debug_resolve(self))
2620 .collect(),
2621 ));
2622
2623 for replaced_type in &replaced_types {
2624 if v1.inner != v2.inner {
2625 let (from, to) = (replaced_type.get_type(self), new_type.get_type(self));
2626 self.replacements.insert(from, to);
2627 if let Err(rec) = self.check_type_for_recursion(to, &mut vec![]) {
2628 let err_t = self.t_err(().nowhere());
2629 self.replacements.insert(to, err_t);
2630 return Err(UnificationError::RecursiveType(rec));
2631 }
2632 }
2633 }
2634
2635 Ok(new_type)
2636 }
2637
2638 pub fn can_unify(&mut self, e1: &impl HasType, e2: &impl HasType, ctx: &Context) -> bool {
2639 self.trace_stack
2640 .push(TraceStackEntry::Enter("Running can_unify".to_string()));
2641 let result = self.do_and_restore(|s| s.unify(e1, e2, ctx)).is_ok();
2642 self.trace_stack.push(TraceStackEntry::Exit);
2643 result
2644 }
2645
2646 #[tracing::instrument(level = "trace", skip_all)]
2647 pub fn unify(
2648 &mut self,
2649 e1: &impl HasType,
2650 e2: &impl HasType,
2651 ctx: &Context,
2652 ) -> std::result::Result<TypeVarID, UnificationError> {
2653 let new_type = self.unify_inner(e1, e2, ctx)?;
2654
2655 loop {
2658 trace!("Updating constraints");
2659 let new_info;
2661 (self.constraints, new_info) = self
2662 .constraints
2663 .clone()
2664 .update_type_level_value_constraints(self);
2665
2666 if new_info.is_empty() {
2667 break;
2668 }
2669
2670 for constraint in new_info {
2671 trace!(
2672 "Constraint replaces {} with {:?}",
2673 constraint.inner.0.display(self),
2674 constraint.inner.1
2675 );
2676
2677 let ((var, replacement), loc) = constraint.split_loc();
2678
2679 self.trace_stack
2680 .push(TraceStackEntry::InferringFromConstraints(
2681 var.debug_resolve(self),
2682 replacement.val.clone(),
2683 ));
2684
2685 let expected_type = self.add_type_var(TypeVar::Known(loc, replacement.val, vec![]));
2687 let result = self.unify_inner(&expected_type.clone().at_loc(&loc), &var, ctx);
2688 let is_meta_error = matches!(result, Err(UnificationError::MetaMismatch { .. }));
2689 match result {
2690 Ok(_) => {}
2691 Err(UnificationError::Normal(Tm { mut e, mut g }))
2692 | Err(UnificationError::MetaMismatch(Tm { mut e, mut g })) => {
2693 e.inside.replace(
2694 replacement
2695 .context
2696 .inside
2697 .replace_inside(var, e.failing, self),
2698 );
2699 g.inside.replace(
2700 replacement
2701 .context
2702 .inside
2703 .replace_inside(var, g.failing, self),
2704 );
2705 return Err(UnificationError::FromConstraints {
2706 got: g,
2707 expected: e,
2708 source: replacement.context.source,
2709 loc,
2710 is_meta_error,
2711 });
2712 }
2713 Err(
2714 e @ UnificationError::FromConstraints { .. }
2715 | e @ UnificationError::Specific { .. }
2716 | e @ UnificationError::RecursiveType(_)
2717 | e @ UnificationError::UnsatisfiedTraits { .. },
2718 ) => return Err(e),
2719 };
2720 }
2721 }
2722
2723 Ok(new_type)
2724 }
2725
2726 fn check_type_for_recursion(
2727 &self,
2728 ty: TypeVarID,
2729 seen: &mut Vec<TypeVarID>,
2730 ) -> std::result::Result<(), String> {
2731 seen.push(ty);
2732 match ty.resolve(self) {
2733 TypeVar::Known(_, base, params) => {
2734 for (i, param) in params.iter().enumerate() {
2735 if seen.contains(param) {
2736 return Err("*".to_string());
2737 }
2738
2739 if let Err(rest) = self.check_type_for_recursion(*param, seen) {
2740 let list = params
2741 .iter()
2742 .enumerate()
2743 .map(|(j, _)| {
2744 if j == i {
2745 rest.clone()
2746 } else {
2747 "_".to_string()
2748 }
2749 })
2750 .join(", ");
2751
2752 match base {
2753 KnownType::Error => {}
2754 KnownType::Named(name_id) => {
2755 return Err(format!("{name_id}<{}>", list));
2756 }
2757 KnownType::Bool(_) | KnownType::Integer(_) => {
2758 unreachable!("Encountered recursive type level bool or int")
2759 }
2760 KnownType::Tuple => return Err(format!("({})", list)),
2761 KnownType::Array => return Err(format!("[{}]", list)),
2762 KnownType::Wire => return Err(format!("&{}", list)),
2763 KnownType::Inverted => return Err(format!("inv {}", list)),
2764 }
2765 }
2766 }
2767 }
2768 TypeVar::Unknown(_, _, traits, _) => {
2769 for t in &traits.inner {
2770 for param in &t.type_params {
2771 if seen.contains(param) {
2772 return Err("...".to_string());
2773 }
2774
2775 self.check_type_for_recursion(*param, seen)?;
2776 }
2777 }
2778 }
2779 }
2780 seen.pop();
2781 Ok(())
2782 }
2783
2784 fn ensure_impls(
2785 &mut self,
2786 var: &TypeVarID,
2787 traits: &TraitList,
2788 trait_is_expected: bool,
2789 trait_list_loc: &Loc<()>,
2790 ctx: &Context,
2791 ) -> std::result::Result<Vec<(TraitImpl, TraitReq)>, UnificationError> {
2792 self.trace_stack.push(TraceStackEntry::EnsuringImpls(
2793 var.debug_resolve(self),
2794 traits.clone(),
2795 trait_is_expected,
2796 ));
2797
2798 let number = ctx
2799 .symtab
2800 .lookup_trait(&Path::from_strs(&["Number"]).nowhere())
2801 .expect("Did not find number in symtab")
2802 .0;
2803
2804 macro_rules! error_producer {
2805 ($required_traits:expr) => {
2806 if trait_is_expected {
2807 if $required_traits.inner.len() == 1
2808 && $required_traits
2809 .get_trait(&TraitName::Named(number.clone().nowhere()))
2810 .is_some()
2811 {
2812 Err(UnificationError::Normal(Tm {
2813 e: UnificationTrace::new(
2814 self.new_generic_with_traits(*trait_list_loc, $required_traits),
2815 ),
2816 g: UnificationTrace::new(var.clone()),
2817 }))
2818 } else {
2819 Err(UnificationError::UnsatisfiedTraits {
2820 var: *var,
2821 traits: $required_traits.inner,
2822 target_loc: trait_list_loc.clone(),
2823 })
2824 }
2825 } else {
2826 Err(UnificationError::Normal(Tm {
2827 e: UnificationTrace::new(var.clone()),
2828 g: UnificationTrace::new(
2829 self.new_generic_with_traits(*trait_list_loc, $required_traits),
2830 ),
2831 }))
2832 }
2833 };
2834 }
2835
2836 match &var.resolve(self).clone() {
2837 TypeVar::Known(_, known, params) if known.into_impl_target().is_some() => {
2838 let Some(target) = known.into_impl_target() else {
2839 unreachable!()
2840 };
2841
2842 let (impls, unsatisfied): (Vec<_>, Vec<_>) = traits
2843 .inner
2844 .iter()
2845 .map(|trait_req| {
2846 if let Some(impld) = self.trait_impls.inner.get(&target).cloned() {
2847 let target_impls = impld
2850 .iter()
2851 .filter_map(|trait_impl| {
2852 self.checkpoint();
2853 let trait_params_match = trait_impl
2854 .trait_type_params
2855 .iter()
2856 .zip(trait_req.type_params.iter())
2857 .all(|(l, r)| {
2858 let l = l.make_copy(self);
2859 self.unify(&l, r, ctx).is_ok()
2860 });
2861
2862 let impl_params_match =
2863 trait_impl.target_type_params.iter().zip(params).all(
2864 |(l, r)| {
2865 let l = l.make_copy(self);
2866 self.unify(&l, r, ctx).is_ok()
2867 },
2868 );
2869 self.restore();
2870
2871 if trait_impl.name == trait_req.name
2872 && trait_params_match
2873 && impl_params_match
2874 {
2875 Some(trait_impl)
2876 } else {
2877 None
2878 }
2879 })
2880 .collect::<Vec<_>>();
2881
2882 if target_impls.len() == 0 {
2883 Ok(Either::Right(trait_req.clone()))
2884 } else if target_impls.len() == 1 {
2885 let target_impl = *target_impls.last().unwrap();
2886 Ok(Either::Left((target_impl.clone(), trait_req.inner.clone())))
2887 } else {
2888 Err(UnificationError::Specific(diag_anyhow!(
2889 trait_req,
2890 "Found more than one impl of {} for {}",
2891 trait_req.display(self),
2892 var.display(self)
2893 )))
2894 }
2895 } else {
2896 Ok(Either::Right(trait_req.clone()))
2897 }
2898 })
2899 .collect::<std::result::Result<Vec<_>, _>>()?
2900 .into_iter()
2901 .partition_map(|x| x);
2902
2903 if unsatisfied.is_empty() {
2904 self.trace_stack.push(TraceStackEntry::Message(
2905 "Ensuring impl successful".to_string(),
2906 ));
2907 Ok(impls)
2908 } else {
2909 error_producer!(TraitList::from_vec(unsatisfied.clone()))
2910 }
2911 }
2912 TypeVar::Unknown(_, _, _, _) => {
2913 panic!("running ensure_impls on an unknown type")
2914 }
2915 _ => {
2916 if traits.inner.is_empty() {
2917 Ok(vec![])
2918 } else {
2919 error_producer!(traits.clone())
2920 }
2921 }
2922 }
2923 }
2924
2925 pub fn unify_expression_generic_error(
2926 &mut self,
2927 expr: &Loc<Expression>,
2928 other: &impl HasType,
2929 ctx: &Context,
2930 ) -> Result<TypeVarID> {
2931 self.unify(&expr.inner, other, ctx)
2932 .into_default_diagnostic(expr.loc(), self)
2933 }
2934
2935 pub fn check_requirements(&mut self, is_final_check: bool, ctx: &Context) -> Result<()> {
2936 loop {
2938 let (retain, replacements_option): (Vec<_>, Vec<_>) = self
2942 .requirements
2943 .clone()
2944 .iter()
2945 .map(|req| match req.check(self, ctx)? {
2946 requirements::RequirementResult::NoChange => Ok((true, None)),
2947 requirements::RequirementResult::UnsatisfiedNow(diag) => {
2948 if is_final_check {
2949 Err(diag)
2950 } else {
2951 Ok((true, None))
2952 }
2953 }
2954 requirements::RequirementResult::Satisfied(replacement) => {
2955 self.trace_stack
2956 .push(TraceStackEntry::ResolvedRequirement(req.clone()));
2957 Ok((false, Some(replacement)))
2958 }
2959 })
2960 .collect::<Result<Vec<_>>>()?
2961 .into_iter()
2962 .unzip();
2963
2964 let replacements = replacements_option
2965 .into_iter()
2966 .flatten()
2967 .flatten()
2968 .collect::<Vec<_>>();
2969
2970 self.requirements = self
2972 .requirements
2973 .drain(0..)
2974 .zip(retain)
2975 .filter_map(|(req, keep)| if keep { Some(req) } else { None })
2976 .collect();
2977
2978 if replacements.is_empty() {
2979 break;
2980 }
2981
2982 for Replacement { from, to, context } in replacements {
2983 self.unify(&to, &from, ctx).into_diagnostic_or_default(
2984 from.loc(),
2985 context,
2986 self,
2987 )?;
2988 }
2989 }
2990
2991 Ok(())
2992 }
2993
2994 pub fn get_replacement(&self, var: &TypeVarID) -> TypeVarID {
2995 self.replacements.get(*var)
2996 }
2997
2998 pub fn do_and_restore<T, E>(
2999 &mut self,
3000 inner: impl Fn(&mut Self) -> std::result::Result<T, E>,
3001 ) -> std::result::Result<T, E> {
3002 self.checkpoint();
3003 let result = inner(self);
3004 self.restore();
3005 result
3006 }
3007
3008 fn checkpoint(&mut self) {
3011 self.trace_stack
3012 .push(TraceStackEntry::Enter("Creating checkpoint".to_string()));
3013 self.replacements.push();
3014 }
3015
3016 fn restore(&mut self) {
3017 self.replacements.discard_top();
3018 self.trace_stack.push(TraceStackEntry::Exit);
3019 }
3020}
3021
3022impl TypeState {
3023 pub fn print_equations(&self) {
3024 for (lhs, rhs) in &self.equations {
3025 println!(
3026 "{} -> {}",
3027 format!("{lhs}").blue(),
3028 format!("{}", rhs.debug_resolve(self)).green()
3029 )
3030 }
3031
3032 println!("\nReplacments:");
3033
3034 for repl_stack in &self.replacements.all() {
3035 let replacements = { repl_stack.borrow().clone() };
3036 for (lhs, rhs) in replacements.iter().sorted() {
3037 println!(
3038 "{} -> {} ({} -> {})",
3039 format!("{}", lhs.inner).blue(),
3040 format!("{}", rhs.inner).green(),
3041 format!("{}", lhs.debug_resolve(self)).blue(),
3042 format!("{}", rhs.debug_resolve(self)).green(),
3043 )
3044 }
3045 println!("---")
3046 }
3047
3048 println!("\n Requirements:");
3049
3050 for requirement in &self.requirements {
3051 println!("{:?}", requirement)
3052 }
3053
3054 println!()
3055 }
3056}
3057
3058#[must_use]
3059pub struct UnificationBuilder {
3060 lhs: TypeVarID,
3061 rhs: TypeVarID,
3062}
3063impl UnificationBuilder {
3064 pub fn commit(
3065 self,
3066 state: &mut TypeState,
3067 ctx: &Context,
3068 ) -> std::result::Result<TypeVarID, UnificationError> {
3069 state.unify(&self.lhs, &self.rhs, ctx)
3070 }
3071}
3072
3073pub trait HasType: std::fmt::Debug {
3074 fn get_type(&self, state: &TypeState) -> TypeVarID {
3075 self.try_get_type(state)
3076 .expect(&format!("Did not find a type for {self:?}"))
3077 }
3078
3079 fn try_get_type(&self, state: &TypeState) -> Option<TypeVarID> {
3080 let id = self.get_type_impl(state);
3081 id.map(|id| state.get_replacement(&id))
3082 }
3083
3084 fn get_type_impl(&self, state: &TypeState) -> Option<TypeVarID>;
3085
3086 fn unify_with(&self, rhs: &dyn HasType, state: &TypeState) -> UnificationBuilder {
3087 UnificationBuilder {
3088 lhs: self.get_type(state),
3089 rhs: rhs.get_type(state),
3090 }
3091 }
3092}
3093
3094impl HasType for TypeVarID {
3095 fn get_type_impl(&self, _state: &TypeState) -> Option<TypeVarID> {
3096 Some(*self)
3097 }
3098}
3099impl HasType for Loc<TypeVarID> {
3100 fn get_type_impl(&self, state: &TypeState) -> Option<TypeVarID> {
3101 self.inner.try_get_type(state)
3102 }
3103}
3104impl HasType for TypedExpression {
3105 fn get_type_impl(&self, state: &TypeState) -> Option<TypeVarID> {
3106 state.maybe_type_of(self).cloned()
3107 }
3108}
3109impl HasType for Expression {
3110 fn get_type_impl(&self, state: &TypeState) -> Option<TypeVarID> {
3111 state.maybe_type_of(&TypedExpression::Id(self.id)).cloned()
3112 }
3113}
3114impl HasType for Loc<Expression> {
3115 fn get_type_impl(&self, state: &TypeState) -> Option<TypeVarID> {
3116 state
3117 .maybe_type_of(&TypedExpression::Id(self.inner.id))
3118 .cloned()
3119 }
3120}
3121impl HasType for Pattern {
3122 fn get_type_impl(&self, state: &TypeState) -> Option<TypeVarID> {
3123 state.maybe_type_of(&TypedExpression::Id(self.id)).cloned()
3124 }
3125}
3126impl HasType for Loc<Pattern> {
3127 fn get_type_impl(&self, state: &TypeState) -> Option<TypeVarID> {
3128 state
3129 .maybe_type_of(&TypedExpression::Id(self.inner.id))
3130 .cloned()
3131 }
3132}
3133impl HasType for NameID {
3134 fn get_type_impl(&self, state: &TypeState) -> Option<TypeVarID> {
3135 state
3136 .maybe_type_of(&TypedExpression::Name(self.clone()))
3137 .cloned()
3138 }
3139}