1use std::{any, error, fmt};
2
3use either::Either;
4
5use crate::{
6 context::Cx,
7 handle::Handle,
8 object::Object,
9 result::{JsResult, NeonResult},
10 types::{
11 extract::{private, TryFromJs, TryIntoJs},
12 JsError, JsValue,
13 },
14};
15
16impl<'cx, L, R> TryFromJs<'cx> for Either<L, R>
17where
18 L: TryFromJs<'cx>,
19 R: TryFromJs<'cx>,
20{
21 type Error = Error<L::Error, R::Error>;
22
23 fn try_from_js(
24 cx: &mut Cx<'cx>,
25 v: Handle<'cx, JsValue>,
26 ) -> NeonResult<Result<Self, Self::Error>> {
27 let left = match L::try_from_js(cx, v)? {
28 Ok(l) => return Ok(Ok(Either::Left(l))),
29 Err(l) => l,
30 };
31
32 let right = match R::try_from_js(cx, v)? {
33 Ok(r) => return Ok(Ok(Either::Right(r))),
34 Err(r) => r,
35 };
36
37 Ok(Err(Error::new::<L, R>(left, right)))
38 }
39}
40
41impl<'cx, L, R> TryIntoJs<'cx> for Either<L, R>
42where
43 L: TryIntoJs<'cx>,
44 R: TryIntoJs<'cx>,
45{
46 type Value = JsValue;
47
48 fn try_into_js(self, cx: &mut Cx<'cx>) -> JsResult<'cx, Self::Value> {
49 match self {
50 Either::Left(v) => v.try_into_js(cx).map(|v| v.upcast()),
51 Either::Right(v) => v.try_into_js(cx).map(|v| v.upcast()),
52 }
53 }
54}
55
56impl<L, R> private::Sealed for Either<L, R> {}
57
58#[derive(Debug)]
59pub struct Error<L, R> {
60 left: (&'static str, L),
61 right: (&'static str, R),
62}
63
64impl<'cx, L, R> Error<L, R> {
65 fn new<LT, RT>(left: L, right: R) -> Self
66 where
67 LT: TryFromJs<'cx, Error = L>,
68 RT: TryFromJs<'cx, Error = R>,
69 {
70 Self {
71 left: (any::type_name::<LT>(), left),
72 right: (any::type_name::<RT>(), right),
73 }
74 }
75}
76
77impl<L, R> fmt::Display for Error<L, R>
78where
79 L: fmt::Display,
80 R: fmt::Display,
81{
82 fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
83 writeln!(f, "Either::Left: {}", self.left.1)?;
84 write!(f, "Either::Right: {}", self.right.1)
85 }
86}
87
88impl<L, R> error::Error for Error<L, R>
89where
90 L: error::Error,
91 R: error::Error,
92{
93}
94
95impl<'cx, L, R> TryIntoJs<'cx> for Error<L, R>
96where
97 L: TryIntoJs<'cx>,
98 R: TryIntoJs<'cx>,
99{
100 type Value = JsError;
101
102 fn try_into_js(self, cx: &mut Cx<'cx>) -> JsResult<'cx, Self::Value> {
103 let err = JsError::type_error(
104 cx,
105 format!("expected either {} or {}", self.left.0, self.right.0,),
106 )?;
107
108 err.prop(cx, "left").set(self.left.1)?;
109 err.prop(cx, "right").set(self.right.1)?;
110
111 Ok(err)
112 }
113}
114
115impl<L, R> private::Sealed for Error<L, R> {}