rune/modules/
cmp.rs

1//! Comparison and ordering.
2
3use core::cmp::Ordering;
4
5use crate as rune;
6use crate::alloc::fmt::TryWrite;
7use crate::runtime::{Formatter, Protocol, Value, VmResult};
8use crate::shared::Caller;
9use crate::{hash, ContextError, Hash, Module};
10
11/// Comparison and ordering.
12#[rune::module(::std::cmp)]
13pub fn module() -> Result<Module, ContextError> {
14    let mut m = Module::from_meta(self::module_meta)?;
15
16    {
17        let ty = m.ty::<Ordering>()?.docs(docstring! {
18            /// An `Ordering` is the result of a comparison between two values.
19            ///
20            /// # Examples
21            ///
22            /// ```rune
23            /// use std::cmp::Ordering;
24            /// use std::ops::cmp;
25            ///
26            /// let result = 1.cmp(2);
27            /// assert_eq!(Ordering::Less, result);
28            ///
29            /// let result = 1.cmp(1);
30            /// assert_eq!(Ordering::Equal, result);
31            ///
32            /// let result = 2.cmp(1);
33            /// assert_eq!(Ordering::Greater, result);
34            /// ```
35        })?;
36
37        let mut ty = ty.make_enum(&["Less", "Equal", "Greater"])?;
38
39        ty.variant_mut(0)?
40            .make_empty()?
41            .constructor(|| Ordering::Less)?
42            .docs(docstring! {
43                /// "An ordering where a compared value is less than another.
44            })?;
45
46        ty.variant_mut(1)?
47            .make_empty()?
48            .constructor(|| Ordering::Equal)?
49            .docs(docstring! {
50                /// "An ordering where a compared value is equal to another.
51            })?;
52
53        ty.variant_mut(2)?
54            .make_empty()?
55            .constructor(|| Ordering::Greater)?
56            .docs(docstring! {
57                /// "An ordering where a compared value is greater than another.
58            })?;
59
60        m.associated_function(&Protocol::IS_VARIANT, |this: Ordering, hash: Hash| {
61            match (this, hash) {
62                (Ordering::Less, hash!(::std::cmp::Ordering::Less)) => true,
63                (Ordering::Equal, hash!(::std::cmp::Ordering::Equal)) => true,
64                (Ordering::Greater, hash!(::std::cmp::Ordering::Greater)) => true,
65                _ => false,
66            }
67        })?;
68    }
69
70    m.function_meta(ordering_partial_eq__meta)?;
71    m.implement_trait::<Ordering>(rune::item!(::std::cmp::PartialEq))?;
72
73    m.function_meta(ordering_eq__meta)?;
74    m.implement_trait::<Ordering>(rune::item!(::std::cmp::Eq))?;
75
76    m.function_meta(ordering_debug_fmt)?;
77    m.function_meta(min__meta)?;
78    m.function_meta(max__meta)?;
79
80    let mut t = m.define_trait(["PartialEq"])?;
81
82    t.docs(docstring! {
83        /// Trait for comparisons using the equality operator.
84        ///
85        /// Implementing this trait for types provides the `==` and `!=`
86        /// operators for those types.
87        ///
88        /// `x.eq(y)` can also be written `x == y`, and `x.ne(y)` can be written
89        /// `x != y`. We use the easier-to-read infix notation in the remainder
90        /// of this documentation.
91        ///
92        /// This trait allows for comparisons using the equality operator, for
93        /// types that do not have a full equivalence relation. For example, in
94        /// floating point numbers `NaN != NaN`, so floating point types
95        /// implement `PartialEq` but not [`trait@Eq`]. Formally speaking, when
96        /// `Rhs == Self`, this trait corresponds to a [partial equivalence
97        /// relation].
98        ///
99        /// [partial equivalence relation]:
100        ///     https://en.wikipedia.org/wiki/Partial_equivalence_relation
101        ///
102        /// Implementations must ensure that `eq` and `ne` are consistent with
103        /// each other:
104        ///
105        /// - `a != b` if and only if `!(a == b)`.
106        ///
107        /// The default implementation of `ne` provides this consistency and is
108        /// almost always sufficient. It should not be overridden without very
109        /// good reason.
110        ///
111        /// If [`PartialOrd`] or [`Ord`] are also implemented for `Self` and
112        /// `Rhs`, their methods must also be consistent with `PartialEq` (see
113        /// the documentation of those traits for the exact requirements). It's
114        /// easy to accidentally make them disagree by deriving some of the
115        /// traits and manually implementing others.
116        ///
117        /// The equality relation `==` must satisfy the following conditions
118        /// (for all `a`, `b`, `c` of type `A`, `B`, `C`):
119        ///
120        /// - **Symmetry**: if `A: PartialEq<B>` and `B: PartialEq<A>`, then
121        ///   **`a == b` implies `b == a`**; and
122        ///
123        /// - **Transitivity**: if `A: PartialEq<B>` and `B: PartialEq<C>` and
124        ///   `A: PartialEq<C>`, then **`a == b` and `b == c` implies `a ==
125        ///   c`**. This must also work for longer chains, such as when `A:
126        ///   PartialEq<B>`, `B: PartialEq<C>`, `C: PartialEq<D>`, and `A:
127        ///   PartialEq<D>` all exist.
128        ///
129        /// Note that the `B: PartialEq<A>` (symmetric) and `A: PartialEq<C>`
130        /// (transitive) impls are not forced to exist, but these requirements
131        /// apply whenever they do exist.
132        ///
133        /// Violating these requirements is a logic error. The behavior
134        /// resulting from a logic error is not specified, but users of the
135        /// trait must ensure that such logic errors do *not* result in
136        /// undefined behavior. This means that `unsafe` code **must not** rely
137        /// on the correctness of these methods.
138        ///
139        /// ## Cross-crate considerations
140        ///
141        /// Upholding the requirements stated above can become tricky when one
142        /// crate implements `PartialEq` for a type of another crate (i.e., to
143        /// allow comparing one of its own types with a type from the standard
144        /// library). The recommendation is to never implement this trait for a
145        /// foreign type. In other words, such a crate should do `impl
146        /// PartialEq<ForeignType> for LocalType`, but it should *not* do `impl
147        /// PartialEq<LocalType> for ForeignType`.
148        ///
149        /// This avoids the problem of transitive chains that criss-cross crate
150        /// boundaries: for all local types `T`, you may assume that no other
151        /// crate will add `impl`s that allow comparing `T == U`. In other
152        /// words, if other crates add `impl`s that allow building longer
153        /// transitive chains `U1 == ... == T == V1 == ...`, then all the types
154        /// that appear to the right of `T` must be types that the crate
155        /// defining `T` already knows about. This rules out transitive chains
156        /// where downstream crates can add new `impl`s that "stitch together"
157        /// comparisons of foreign types in ways that violate transitivity.
158        ///
159        /// Not having such foreign `impl`s also avoids forward compatibility
160        /// issues where one crate adding more `PartialEq` implementations can
161        /// cause build failures in downstream crates.
162        ///
163        /// # Examples
164        ///
165        /// ```rune
166        /// let x = 0;
167        /// let y = 1;
168        ///
169        /// assert_eq!(x == y, false);
170        /// assert_eq!(x.eq(y), false);
171        ///
172        /// assert!((1.0).eq(1.0));
173        /// assert!(!(1.0).eq(2.0));
174        ///
175        /// assert!(1.0 == 1.0);
176        /// assert!(1.0 != 2.0);
177        /// ```
178    })?;
179
180    t.handler(|cx| {
181        let partial_eq = cx.find(&Protocol::PARTIAL_EQ)?;
182        let partial_eq = Caller::<(Value, Value), 2, bool>::new(partial_eq);
183
184        cx.function("ne", move |a: Value, b: Value| {
185            VmResult::Ok(!vm_try!(partial_eq.call((a, b))))
186        })?;
187
188        Ok(())
189    })?;
190
191    t.function("eq")?
192        .argument_types::<(Value, Value)>()?
193        .return_type::<bool>()?
194        .docs(docstring! {
195            /// Compare two values for equality.
196            ///
197            /// # Examples
198            ///
199            /// ```rune
200            /// assert_eq!(1.eq(2), false);
201            /// assert_eq!(2.eq(2), true);
202            /// assert_eq!(2.eq(1), false);
203            /// ```
204        })?;
205
206    t.function("ne")?
207        .argument_types::<(Value, Value)>()?
208        .return_type::<bool>()?
209        .docs(docstring! {
210            /// Compare two values for inequality.
211            ///
212            /// # Examples
213            ///
214            /// ```rune
215            /// assert_eq!(1.ne(2), true);
216            /// assert_eq!(2.ne(2), false);
217            /// assert_eq!(2.ne(1), true);
218            /// ```
219        })?;
220
221    let mut t = m.define_trait(["Eq"])?;
222
223    t.docs(docstring! {
224        /// Trait for comparisons corresponding to [equivalence relations](
225        /// https://en.wikipedia.org/wiki/Equivalence_relation).
226        ///
227        /// This means, that in addition to `a == b` and `a != b` being strict
228        /// inverses, the relation must be (for all `a`, `b` and `c`):
229        ///
230        /// - reflexive: `a == a`;
231        /// - symmetric: `a == b` implies `b == a` (required by `PartialEq` as
232        ///   well); and
233        /// - transitive: `a == b` and `b == c` implies `a == c` (required by
234        ///   `PartialEq` as well).
235        ///
236        /// This property cannot be checked by the compiler, and therefore `Eq`
237        /// implies [`PartialEq`], and has no extra methods.
238        ///
239        /// Violating this property is a logic error. The behavior resulting
240        /// from a logic error is not specified, but users of the trait must
241        /// ensure that such logic errors do *not* result in undefined behavior.
242        /// This means that `unsafe` code **must not** rely on the correctness
243        /// of these methods.
244        ///
245        /// Implement `Eq` in addition to `PartialEq` if it's guaranteed that
246        /// `PartialEq::eq(a, a)` always returns `true` (reflexivity), in
247        /// addition to the symmetric and transitive properties already required
248        /// by `PartialEq`.
249        /// ```
250    })?;
251
252    t.handler(|cx| {
253        _ = cx.find(&Protocol::EQ)?;
254        Ok(())
255    })?;
256
257    t.docs(docstring! {
258        /// Trait for equality comparisons.
259        ///
260        /// This trait allows for comparing whether two values are equal or not.
261        ///
262        /// # Examples
263        ///
264        /// ```rune
265        /// use std::cmp::Eq;
266        ///
267        /// assert!(1.eq(1));
268        /// assert!(!1.eq(2));
269        /// ```
270    })?;
271
272    let mut t = m.define_trait(["PartialOrd"])?;
273
274    t.docs(docstring! {
275        /// Trait for types that form a [partial
276        /// order](https://en.wikipedia.org/wiki/Partial_order).
277        ///
278        /// The `lt`, `le`, `gt`, and `ge` methods of this trait can be called
279        /// using the `<`, `<=`, `>`, and `>=` operators, respectively.
280        ///
281        /// The methods of this trait must be consistent with each other and
282        /// with those of [`PartialEq`]. The following conditions must hold:
283        ///
284        /// 1. `a == b` if and only if `partial_cmp(a, b) == Some(Equal)`.
285        /// 2. `a < b` if and only if `partial_cmp(a, b) == Some(Less)`
286        /// 3. `a > b` if and only if `partial_cmp(a, b) == Some(Greater)`
287        /// 4. `a <= b` if and only if `a < b || a == b` 5. `a >= b` if and only
288        /// if `a > b || a == b`
289        /// 6. `a != b` if and only if `!(a == b)`.
290        ///
291        /// Conditions 2–5 above are ensured by the default implementation.
292        /// Condition 6 is already ensured by [`PartialEq`].
293        ///
294        /// If [`Ord`] is also implemented for `Self` and `Rhs`, it must also be
295        /// consistent with `partial_cmp` (see the documentation of that trait
296        /// for the exact requirements). It's easy to accidentally make them
297        /// disagree by deriving some of the traits and manually implementing
298        /// others.
299        ///
300        /// The comparison relations must satisfy the following conditions (for
301        /// all `a`, `b`, `c` of type `A`, `B`, `C`):
302        ///
303        /// - **Transitivity**: if `A: PartialOrd<B>` and `B: PartialOrd<C>` and
304        ///   `A: PartialOrd<C>`, then `a < b` and `b < c` implies `a < c`. The
305        ///   same must hold for both `==` and `>`. This must also work for
306        ///   longer chains, such as when `A: PartialOrd<B>`, `B:
307        ///   PartialOrd<C>`, `C: PartialOrd<D>`, and `A: PartialOrd<D>` all
308        ///   exist.
309        /// - **Duality**: if `A: PartialOrd<B>` and `B: PartialOrd<A>`, then `a
310        ///   < b` if and only if `b > a`.
311        ///
312        /// Note that the `B: PartialOrd<A>` (dual) and `A: PartialOrd<C>`
313        /// (transitive) impls are not forced to exist, but these requirements
314        /// apply whenever they do exist.
315        ///
316        /// Violating these requirements is a logic error. The behavior
317        /// resulting from a logic error is not specified, but users of the
318        /// trait must ensure that such logic errors do *not* result in
319        /// undefined behavior. This means that `unsafe` code **must not** rely
320        /// on the correctness of these methods.
321        ///
322        /// ## Cross-crate considerations
323        ///
324        /// Upholding the requirements stated above can become tricky when one
325        /// crate implements `PartialOrd` for a type of another crate (i.e., to
326        /// allow comparing one of its own types with a type from the standard
327        /// library). The recommendation is to never implement this trait for a
328        /// foreign type. In other words, such a crate should do `impl
329        /// PartialOrd<ForeignType> for LocalType`, but it should *not* do `impl
330        /// PartialOrd<LocalType> for ForeignType`.
331        ///
332        /// This avoids the problem of transitive chains that criss-cross crate
333        /// boundaries: for all local types `T`, you may assume that no other
334        /// crate will add `impl`s that allow comparing `T < U`. In other words,
335        /// if other crates add `impl`s that allow building longer transitive
336        /// chains `U1 < ... < T < V1 < ...`, then all the types that appear to
337        /// the right of `T` must be types that the crate defining `T` already
338        /// knows about. This rules out transitive chains where downstream
339        /// crates can add new `impl`s that "stitch together" comparisons of
340        /// foreign types in ways that violate transitivity.
341        ///
342        /// Not having such foreign `impl`s also avoids forward compatibility
343        /// issues where one crate adding more `PartialOrd` implementations can
344        /// cause build failures in downstream crates.
345        ///
346        /// ## Corollaries
347        ///
348        /// The following corollaries follow from the above requirements:
349        ///
350        /// - irreflexivity of `<` and `>`: `!(a < a)`, `!(a > a)`
351        /// - transitivity of `>`: if `a > b` and `b > c` then `a > c`
352        /// - duality of `partial_cmp`: `partial_cmp(a, b) == partial_cmp(b,
353        ///   a).map(Ordering::reverse)`
354        ///
355        /// ## Strict and non-strict partial orders
356        ///
357        /// The `<` and `>` operators behave according to a *strict* partial
358        /// order. However, `<=` and `>=` do **not** behave according to a
359        /// *non-strict* partial order. That is because mathematically, a
360        /// non-strict partial order would require reflexivity, i.e. `a <= a`
361        /// would need to be true for every `a`. This isn't always the case for
362        /// types that implement `PartialOrd`, for example:
363        ///
364        /// ```
365        /// let a = f64::sqrt(-1.0);
366        /// assert_eq!(a <= a, false);
367        /// ```
368        ///
369        /// ## How can I implement `PartialOrd`?
370        ///
371        /// `PartialOrd` only requires implementation of the [`PARTIAL_CMP`]
372        /// protocol, with the others generated from default implementations.
373        ///
374        /// However it remains possible to implement the others separately for
375        /// types which do not have a total order. For example, for floating
376        /// point numbers, `NaN < 0 == false` and `NaN >= 0 == false` (cf. IEEE
377        /// 754-2008 section 5.11).
378        ///
379        /// `PARTIAL_CMP` requires your type to be [`PARTIAL_EQ`].
380        ///
381        /// If your type is [`ORD`], you can implement [`PARTIAL_CMP`] by using
382        /// [`CMP`].
383        ///
384        /// You may also find it useful to use [`PARTIAL_CMP`] on your type's
385        /// fields.
386        ///
387        /// # Examples
388        ///
389        /// ```rune
390        /// let x = 0;
391        /// let y = 1;
392        ///
393        /// assert_eq!(x < y, true);
394        /// assert_eq!(x.lt(y), true);
395        /// ```
396        ///
397        /// [`partial_cmp`]: PartialOrd::partial_cmp
398        /// [`cmp`]: Ord::cmp
399    })?;
400
401    t.handler(|cx| {
402        let partial_cmp = cx.find(&Protocol::PARTIAL_CMP)?;
403        let partial_cmp = Caller::<(Value, Value), 2, Option<Ordering>>::new(partial_cmp);
404
405        cx.find_or_define(&Protocol::LT, {
406            let partial_cmp = partial_cmp.clone();
407
408            move |a: Value, b: Value| {
409                let Some(o) = vm_try!(partial_cmp.call((a.clone(), b.clone()))) else {
410                    return VmResult::Ok(false);
411                };
412
413                VmResult::Ok(matches!(o, Ordering::Less))
414            }
415        })?;
416
417        cx.find_or_define(&Protocol::LE, {
418            let partial_cmp = partial_cmp.clone();
419
420            move |a: Value, b: Value| {
421                let Some(o) = vm_try!(partial_cmp.call((a.clone(), b.clone()))) else {
422                    return VmResult::Ok(false);
423                };
424
425                VmResult::Ok(matches!(o, Ordering::Less | Ordering::Equal))
426            }
427        })?;
428
429        cx.find_or_define(&Protocol::GT, {
430            let partial_cmp = partial_cmp.clone();
431
432            move |a: Value, b: Value| {
433                let Some(o) = vm_try!(partial_cmp.call((a.clone(), b.clone()))) else {
434                    return VmResult::Ok(false);
435                };
436
437                VmResult::Ok(matches!(o, Ordering::Greater))
438            }
439        })?;
440
441        cx.find_or_define(&Protocol::GE, {
442            let partial_cmp = partial_cmp.clone();
443
444            move |a: Value, b: Value| {
445                let Some(o) = vm_try!(partial_cmp.call((a.clone(), b.clone()))) else {
446                    return VmResult::Ok(false);
447                };
448
449                VmResult::Ok(matches!(o, Ordering::Greater | Ordering::Equal))
450            }
451        })?;
452
453        Ok(())
454    })?;
455
456    t.function("partial_cmp")?
457        .argument_types::<(Value, Value)>()?
458        .return_type::<Option<Ordering>>()?
459        .docs(docstring! {
460            /// Compare two values.
461            ///
462            /// # Examples
463            ///
464            /// ```rune
465            /// use std::cmp::Ordering;
466            ///
467            /// assert_eq!(1.partial_cmp(2), Some(Ordering::Less));
468            /// assert_eq!(2.partial_cmp(2), Some(Ordering::Equal));
469            /// assert_eq!(2.partial_cmp(1), Some(Ordering::Greater));
470            /// ```
471        })?;
472
473    t.function("lt")?
474        .argument_types::<(Value, Value)>()?
475        .return_type::<bool>()?
476        .docs(docstring! {
477            /// Tests less than (for `self` and `other`) and is used by the `<` operator.
478            ///
479            /// # Examples
480            ///
481            /// ```rune
482            /// assert_eq!(1.0 < 1.0, false);
483            /// assert_eq!(1.0 < 2.0, true);
484            /// assert_eq!(2.0 < 1.0, false);
485            /// ```
486        })?;
487
488    t.function("le")?
489        .argument_types::<(Value, Value)>()?
490        .return_type::<bool>()?
491        .docs(docstring! {
492            /// Tests less than or equal to (for `self` and `other`) and is used
493            /// by the `<=` operator.
494            ///
495            /// # Examples
496            ///
497            /// ```rune
498            /// assert_eq!(1.0 <= 1.0, true);
499            /// assert_eq!(1.0 <= 2.0, true);
500            /// assert_eq!(2.0 <= 1.0, false);
501            /// ```
502        })?;
503
504    t.function("gt")?
505        .argument_types::<(Value, Value)>()?
506        .return_type::<bool>()?
507        .docs(docstring! {
508            /// Tests greater than (for `self` and `other`) and is used by the
509            /// `>` operator.
510            ///
511            /// # Examples
512            ///
513            /// ```rune
514            /// assert_eq!(1.0 > 1.0, false);
515            /// assert_eq!(1.0 > 2.0, false);
516            /// assert_eq!(2.0 > 1.0, true);
517            /// ```
518        })?;
519
520    t.function("ge")?
521        .argument_types::<(Value, Value)>()?
522        .return_type::<bool>()?
523        .docs(docstring! {
524            /// Tests greater than or equal to (for `self` and `other`) and is
525            /// used by the `>=` operator.
526            ///
527            /// # Examples
528            ///
529            /// ```rune
530            /// assert_eq!(1.0 >= 1.0, true);
531            /// assert_eq!(1.0 >= 2.0, false);
532            /// assert_eq!(2.0 >= 1.0, true);
533            /// ```
534        })?;
535
536    let mut t = m.define_trait(["Ord"])?;
537
538    t.docs(docstring! {
539        /// Trait for types that form a [total
540        /// order](https://en.wikipedia.org/wiki/Total_order).
541        ///
542        /// Implementations must be consistent with the [`PartialOrd`]
543        /// implementation, and ensure `max`, `min`, and `clamp` are consistent
544        /// with `cmp`:
545        ///
546        /// - `partial_cmp(a, b) == Some(cmp(a, b))`.
547        /// - `max(a, b) == max_by(a, b, cmp)` (ensured by the default
548        ///   implementation).
549        /// - `min(a, b) == min_by(a, b, cmp)` (ensured by the default
550        ///   implementation).
551        /// - For `a.clamp(min, max)`, see the [method docs](#method.clamp)
552        ///   (ensured by the default implementation).
553        ///
554        /// It's easy to accidentally make `cmp` and `partial_cmp` disagree by
555        /// deriving some of the traits and manually implementing others.
556        ///
557        /// Violating these requirements is a logic error. The behavior
558        /// resulting from a logic error is not specified, but users of the
559        /// trait must ensure that such logic errors do *not* result in
560        /// undefined behavior. This means that `unsafe` code **must not** rely
561        /// on the correctness of these methods.
562        ///
563        /// ## Corollaries
564        ///
565        /// From the above and the requirements of `PartialOrd`, it follows that
566        /// for all `a`, `b` and `c`:
567        ///
568        /// - exactly one of `a < b`, `a == b` or `a > b` is true; and
569        /// - `<` is transitive: `a < b` and `b < c` implies `a < c`. The same
570        ///   must hold for both `==` and `>`.
571        ///
572        /// Mathematically speaking, the `<` operator defines a strict [weak
573        /// order]. In cases where `==` conforms to mathematical equality, it
574        /// also defines a strict [total order].
575        ///
576        /// [weak order]: https://en.wikipedia.org/wiki/Weak_ordering
577        /// [total order]: https://en.wikipedia.org/wiki/Total_order
578        ///
579        /// ## Lexicographical comparison
580        ///
581        /// Lexicographical comparison is an operation with the following
582        /// properties:
583        ///  - Two sequences are compared element by element.
584        ///  - The first mismatching element defines which sequence is
585        ///    lexicographically less or greater than the other.
586        ///  - If one sequence is a prefix of another, the shorter sequence is
587        ///    lexicographically less than the other.
588        ///  - If two sequences have equivalent elements and are of the same
589        ///    length, then the sequences are lexicographically equal.
590        ///  - An empty sequence is lexicographically less than any non-empty
591        ///    sequence.
592        ///  - Two empty sequences are lexicographically equal.
593        ///
594        /// ## How can I implement `Ord`?
595        ///
596        /// `Ord` requires that the type also be [`PARTIAL_RD`] and [`EQ`]
597        /// (which requires [`PARTIAL_EQ`]).
598        ///
599        /// Then you must define an implementation for [`CMP`]. You may find it
600        /// useful to use [`CMP`] on your type's fields.
601    })?;
602
603    t.handler(|cx| {
604        let cmp = cx.find(&Protocol::CMP)?;
605        let cmp = Caller::<(Value, Value), 2, Ordering>::new(cmp);
606
607        cx.find_or_define(&Protocol::MIN, {
608            let cmp = cmp.clone();
609
610            move |a: Value, b: Value| match vm_try!(cmp.call((a.clone(), b.clone()))) {
611                Ordering::Less | Ordering::Equal => VmResult::Ok(a),
612                Ordering::Greater => VmResult::Ok(b),
613            }
614        })?;
615
616        cx.find_or_define(&Protocol::MAX, {
617            let cmp = cmp.clone();
618
619            move |a: Value, b: Value| match vm_try!(cmp.call((a.clone(), b.clone()))) {
620                Ordering::Less | Ordering::Equal => VmResult::Ok(b),
621                Ordering::Greater => VmResult::Ok(a),
622            }
623        })?;
624
625        Ok(())
626    })?;
627
628    t.function("cmp")?
629        .argument_types::<(Value, Value)>()?
630        .return_type::<Ordering>()?
631        .docs(docstring! {
632            /// Compare two values.
633            ///
634            /// # Examples
635            ///
636            /// ```rune
637            /// use std::cmp::Ordering;
638            ///
639            /// assert_eq!(1.cmp(2), Ordering::Less);
640            /// assert_eq!(2.cmp(2), Ordering::Equal);
641            /// assert_eq!(2.cmp(1), Ordering::Greater);
642            /// ```
643        })?;
644
645    t.function("min")?
646        .argument_types::<(Value, Value)>()?
647        .return_type::<Ordering>()?
648        .docs(docstring! {
649            /// Return the minimum of two values.
650            ///
651            /// # Examples
652            ///
653            /// ```rune
654            /// assert_eq!(1.min(2), 1);
655            /// assert_eq!(2.min(2), 2);
656            /// assert_eq!(2.min(1), 1);
657            /// ```
658        })?;
659
660    t.function("max")?
661        .argument_types::<(Value, Value)>()?
662        .return_type::<Ordering>()?
663        .docs(docstring! {
664            /// Return the maximum of two values.
665            ///
666            /// # Examples
667            ///
668            /// ```rune
669            /// assert_eq!(1.max(2), 2);
670            /// assert_eq!(2.max(2), 2);
671            /// assert_eq!(2.max(1), 2);
672            /// ```
673        })?;
674
675    Ok(m)
676}
677
678/// Compares and returns the maximum of two values.
679///
680/// Returns the second argument if the comparison determines them to be equal.
681///
682/// Internally uses the [`CMP`] protocol.
683///
684/// # Examples
685///
686/// ```rune
687/// use std::cmp::max;
688///
689/// assert_eq!(max(1, 2), 2);
690/// assert_eq!(max(2, 2), 2);
691/// ```
692#[rune::function(keep)]
693fn max(v1: Value, v2: Value) -> VmResult<Value> {
694    VmResult::Ok(match vm_try!(Value::cmp(&v1, &v2)) {
695        Ordering::Less | Ordering::Equal => v2,
696        Ordering::Greater => v1,
697    })
698}
699
700/// Compares and returns the minimum of two values.
701///
702/// Returns the first argument if the comparison determines them to be equal.
703///
704/// Internally uses the [`CMP`] protocol.
705///
706/// # Examples
707///
708/// ```rune
709/// use std::cmp::min;
710///
711/// assert_eq!(min(1, 2), 1);
712/// assert_eq!(min(2, 2), 2);
713/// ```
714#[rune::function(keep)]
715fn min(v1: Value, v2: Value) -> VmResult<Value> {
716    VmResult::Ok(match vm_try!(Value::cmp(&v1, &v2)) {
717        Ordering::Less | Ordering::Equal => v1,
718        Ordering::Greater => v2,
719    })
720}
721
722/// Perform a partial ordering equality test.
723///
724/// # Examples
725///
726/// ```rune
727/// use std::cmp::Ordering;
728///
729/// assert!(Ordering::Less == Ordering::Less);
730/// assert!(Ordering::Less != Ordering::Equal);
731/// ```
732#[rune::function(keep, instance, protocol = PARTIAL_EQ)]
733fn ordering_partial_eq(this: Ordering, other: Ordering) -> bool {
734    this == other
735}
736
737/// Perform a total ordering equality test.
738///
739/// # Examples
740///
741/// ```rune
742/// use std::ops::eq;
743/// use std::cmp::Ordering;
744///
745/// assert!(eq(Ordering::Less, Ordering::Less));
746/// assert!(!eq(Ordering::Less, Ordering::Equal));
747/// ```
748#[rune::function(keep, instance, protocol = EQ)]
749fn ordering_eq(this: Ordering, other: Ordering) -> bool {
750    this == other
751}
752
753/// Debug format [`Ordering`].
754///
755/// # Examples
756///
757/// ```rune
758/// use std::cmp::Ordering;
759///
760/// assert_eq!(format!("{:?}", Ordering::Less), "Less");
761/// ```
762#[rune::function(instance, protocol = DEBUG_FMT)]
763fn ordering_debug_fmt(this: Ordering, s: &mut Formatter) -> VmResult<()> {
764    vm_write!(s, "{:?}", this)
765}