Added option and result types

This commit is contained in:
Emi Simpson 2023-02-08 21:32:24 -05:00
parent b11f2fa8ea
commit bdca0186da
Signed by: Emi
GPG Key ID: A12F2C2FFDC3D847
1 changed files with 40 additions and 1 deletions

View File

@ -165,4 +165,43 @@ def tco_rec(f: Callable[P, Recur[P] | Return[B]]) -> Callable[P, B]:
pass
case Return(val=val)|val:
return val #type:ignore
return tco_loop
return tco_loop
# Options!
@dataclass(frozen=True)
class Some(Generic[A]):
val: A
Option = Some[A] | None
def map_opt(f: Callable[[A], B], o: Option[A]) -> Option[B]:
match o:
case Some(val):
return Some(f(val))
case none:
return none
def bind_opt(f: Callable[[A], Option[B]], o: Option[A]) -> Option[B]:
match o:
case Some(val):
return f(val)
case none:
return none
# Results!
@dataclass(frozen=True)
class Ok(Generic[A]):
val: A
@dataclass(frozen=True)
class Err(Generic[B]):
err: B
Result = Ok[A] | Err[B]
def map_res(f: Callable[[A], C], r: Result[A, B]) -> Result[C, B]:
match r:
case Ok(val):
return Ok(f(val))
case not_okay:
return not_okay
def bind_res(f: Callable[[A], Result[C, B]], r: Result[A, B]) -> Result[C, B]:
match r:
case Ok(val):
return f(val)
case not_okay:
return not_okay