]> git.lizzy.rs Git - rust.git/blob - src/libcore/cmp.rs
Rollup merge of #43650 - RalfJung:mir-validate, r=arielb1
[rust.git] / src / libcore / cmp.rs
1 // Copyright 2012-2014 The Rust Project Developers. See the COPYRIGHT
2 // file at the top-level directory of this distribution and at
3 // http://rust-lang.org/COPYRIGHT.
4 //
5 // Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or
6 // http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
7 // <LICENSE-MIT or http://opensource.org/licenses/MIT>, at your
8 // option. This file may not be copied, modified, or distributed
9 // except according to those terms.
10
11 //! Functionality for ordering and comparison.
12 //!
13 //! This module defines both [`PartialOrd`] and [`PartialEq`] traits which are used
14 //! by the compiler to implement comparison operators. Rust programs may
15 //! implement [`PartialOrd`] to overload the `<`, `<=`, `>`, and `>=` operators,
16 //! and may implement [`PartialEq`] to overload the `==` and `!=` operators.
17 //!
18 //! [`PartialOrd`]: trait.PartialOrd.html
19 //! [`PartialEq`]: trait.PartialEq.html
20 //!
21 //! # Examples
22 //!
23 //! ```
24 //! let x: u32 = 0;
25 //! let y: u32 = 1;
26 //!
27 //! // these two lines are equivalent
28 //! assert_eq!(x < y, true);
29 //! assert_eq!(x.lt(&y), true);
30 //!
31 //! // these two lines are also equivalent
32 //! assert_eq!(x == y, false);
33 //! assert_eq!(x.eq(&y), false);
34 //! ```
35
36 #![stable(feature = "rust1", since = "1.0.0")]
37
38 use self::Ordering::*;
39
40 /// Trait for equality comparisons which are [partial equivalence
41 /// relations](http://en.wikipedia.org/wiki/Partial_equivalence_relation).
42 ///
43 /// This trait allows for partial equality, for types that do not have a full
44 /// equivalence relation.  For example, in floating point numbers `NaN != NaN`,
45 /// so floating point types implement `PartialEq` but not `Eq`.
46 ///
47 /// Formally, the equality must be (for all `a`, `b` and `c`):
48 ///
49 /// - symmetric: `a == b` implies `b == a`; and
50 /// - transitive: `a == b` and `b == c` implies `a == c`.
51 ///
52 /// Note that these requirements mean that the trait itself must be implemented
53 /// symmetrically and transitively: if `T: PartialEq<U>` and `U: PartialEq<V>`
54 /// then `U: PartialEq<T>` and `T: PartialEq<V>`.
55 ///
56 /// ## Derivable
57 ///
58 /// This trait can be used with `#[derive]`. When `derive`d on structs, two
59 /// instances are equal if all fields are equal, and not equal if any fields
60 /// are not equal. When `derive`d on enums, each variant is equal to itself
61 /// and not equal to the other variants.
62 ///
63 /// ## How can I implement `PartialEq`?
64 ///
65 /// PartialEq only requires the `eq` method to be implemented; `ne` is defined
66 /// in terms of it by default. Any manual implementation of `ne` *must* respect
67 /// the rule that `eq` is a strict inverse of `ne`; that is, `!(a == b)` if and
68 /// only if `a != b`.
69 ///
70 /// Implementations of `PartialEq`, `PartialOrd`, and `Ord` *must* agree with
71 /// each other. It's easy to accidentally make them disagree by deriving some
72 /// of the traits and manually implementing others.
73 ///
74 /// An example implementation for a domain in which two books are considered
75 /// the same book if their ISBN matches, even if the formats differ:
76 ///
77 /// ```
78 /// enum BookFormat { Paperback, Hardback, Ebook }
79 /// struct Book {
80 ///     isbn: i32,
81 ///     format: BookFormat,
82 /// }
83 ///
84 /// impl PartialEq for Book {
85 ///     fn eq(&self, other: &Book) -> bool {
86 ///         self.isbn == other.isbn
87 ///     }
88 /// }
89 ///
90 /// let b1 = Book { isbn: 3, format: BookFormat::Paperback };
91 /// let b2 = Book { isbn: 3, format: BookFormat::Ebook };
92 /// let b3 = Book { isbn: 10, format: BookFormat::Paperback };
93 ///
94 /// assert!(b1 == b2);
95 /// assert!(b1 != b3);
96 /// ```
97 ///
98 /// # Examples
99 ///
100 /// ```
101 /// let x: u32 = 0;
102 /// let y: u32 = 1;
103 ///
104 /// assert_eq!(x == y, false);
105 /// assert_eq!(x.eq(&y), false);
106 /// ```
107 #[lang = "eq"]
108 #[stable(feature = "rust1", since = "1.0.0")]
109 #[rustc_on_unimplemented = "can't compare `{Self}` with `{Rhs}`"]
110 pub trait PartialEq<Rhs: ?Sized = Self> {
111     /// This method tests for `self` and `other` values to be equal, and is used
112     /// by `==`.
113     #[must_use]
114     #[stable(feature = "rust1", since = "1.0.0")]
115     fn eq(&self, other: &Rhs) -> bool;
116
117     /// This method tests for `!=`.
118     #[inline]
119     #[must_use]
120     #[stable(feature = "rust1", since = "1.0.0")]
121     fn ne(&self, other: &Rhs) -> bool { !self.eq(other) }
122 }
123
124 /// Trait for equality comparisons which are [equivalence relations](
125 /// https://en.wikipedia.org/wiki/Equivalence_relation).
126 ///
127 /// This means, that in addition to `a == b` and `a != b` being strict inverses, the equality must
128 /// be (for all `a`, `b` and `c`):
129 ///
130 /// - reflexive: `a == a`;
131 /// - symmetric: `a == b` implies `b == a`; and
132 /// - transitive: `a == b` and `b == c` implies `a == c`.
133 ///
134 /// This property cannot be checked by the compiler, and therefore `Eq` implies
135 /// `PartialEq`, and has no extra methods.
136 ///
137 /// ## Derivable
138 ///
139 /// This trait can be used with `#[derive]`. When `derive`d, because `Eq` has
140 /// no extra methods, it is only informing the compiler that this is an
141 /// equivalence relation rather than a partial equivalence relation. Note that
142 /// the `derive` strategy requires all fields are `Eq`, which isn't
143 /// always desired.
144 ///
145 /// ## How can I implement `Eq`?
146 ///
147 /// If you cannot use the `derive` strategy, specify that your type implements
148 /// `Eq`, which has no methods:
149 ///
150 /// ```
151 /// enum BookFormat { Paperback, Hardback, Ebook }
152 /// struct Book {
153 ///     isbn: i32,
154 ///     format: BookFormat,
155 /// }
156 /// impl PartialEq for Book {
157 ///     fn eq(&self, other: &Book) -> bool {
158 ///         self.isbn == other.isbn
159 ///     }
160 /// }
161 /// impl Eq for Book {}
162 /// ```
163 #[stable(feature = "rust1", since = "1.0.0")]
164 pub trait Eq: PartialEq<Self> {
165     // FIXME #13101: this method is used solely by #[deriving] to
166     // assert that every component of a type implements #[deriving]
167     // itself, the current deriving infrastructure means doing this
168     // assertion without using a method on this trait is nearly
169     // impossible.
170     //
171     // This should never be implemented by hand.
172     #[doc(hidden)]
173     #[inline]
174     #[stable(feature = "rust1", since = "1.0.0")]
175     fn assert_receiver_is_total_eq(&self) {}
176 }
177
178 // FIXME: this struct is used solely by #[derive] to
179 // assert that every component of a type implements Eq.
180 //
181 // This struct should never appear in user code.
182 #[doc(hidden)]
183 #[allow(missing_debug_implementations)]
184 #[unstable(feature = "derive_eq",
185            reason = "deriving hack, should not be public",
186            issue = "0")]
187 pub struct AssertParamIsEq<T: Eq + ?Sized> { _field: ::marker::PhantomData<T> }
188
189 /// An `Ordering` is the result of a comparison between two values.
190 ///
191 /// # Examples
192 ///
193 /// ```
194 /// use std::cmp::Ordering;
195 ///
196 /// let result = 1.cmp(&2);
197 /// assert_eq!(Ordering::Less, result);
198 ///
199 /// let result = 1.cmp(&1);
200 /// assert_eq!(Ordering::Equal, result);
201 ///
202 /// let result = 2.cmp(&1);
203 /// assert_eq!(Ordering::Greater, result);
204 /// ```
205 #[derive(Clone, Copy, PartialEq, Debug, Hash)]
206 #[stable(feature = "rust1", since = "1.0.0")]
207 pub enum Ordering {
208     /// An ordering where a compared value is less [than another].
209     #[stable(feature = "rust1", since = "1.0.0")]
210     Less = -1,
211     /// An ordering where a compared value is equal [to another].
212     #[stable(feature = "rust1", since = "1.0.0")]
213     Equal = 0,
214     /// An ordering where a compared value is greater [than another].
215     #[stable(feature = "rust1", since = "1.0.0")]
216     Greater = 1,
217 }
218
219 impl Ordering {
220     /// Reverses the `Ordering`.
221     ///
222     /// * `Less` becomes `Greater`.
223     /// * `Greater` becomes `Less`.
224     /// * `Equal` becomes `Equal`.
225     ///
226     /// # Examples
227     ///
228     /// Basic behavior:
229     ///
230     /// ```
231     /// use std::cmp::Ordering;
232     ///
233     /// assert_eq!(Ordering::Less.reverse(), Ordering::Greater);
234     /// assert_eq!(Ordering::Equal.reverse(), Ordering::Equal);
235     /// assert_eq!(Ordering::Greater.reverse(), Ordering::Less);
236     /// ```
237     ///
238     /// This method can be used to reverse a comparison:
239     ///
240     /// ```
241     /// let mut data: &mut [_] = &mut [2, 10, 5, 8];
242     ///
243     /// // sort the array from largest to smallest.
244     /// data.sort_by(|a, b| a.cmp(b).reverse());
245     ///
246     /// let b: &mut [_] = &mut [10, 8, 5, 2];
247     /// assert!(data == b);
248     /// ```
249     #[inline]
250     #[stable(feature = "rust1", since = "1.0.0")]
251     pub fn reverse(self) -> Ordering {
252         match self {
253             Less => Greater,
254             Equal => Equal,
255             Greater => Less,
256         }
257     }
258
259     /// Chains two orderings.
260     ///
261     /// Returns `self` when it's not `Equal`. Otherwise returns `other`.
262     /// # Examples
263     ///
264     /// ```
265     /// use std::cmp::Ordering;
266     ///
267     /// let result = Ordering::Equal.then(Ordering::Less);
268     /// assert_eq!(result, Ordering::Less);
269     ///
270     /// let result = Ordering::Less.then(Ordering::Equal);
271     /// assert_eq!(result, Ordering::Less);
272     ///
273     /// let result = Ordering::Less.then(Ordering::Greater);
274     /// assert_eq!(result, Ordering::Less);
275     ///
276     /// let result = Ordering::Equal.then(Ordering::Equal);
277     /// assert_eq!(result, Ordering::Equal);
278     ///
279     /// let x: (i64, i64, i64) = (1, 2, 7);
280     /// let y: (i64, i64, i64) = (1, 5, 3);
281     /// let result = x.0.cmp(&y.0).then(x.1.cmp(&y.1)).then(x.2.cmp(&y.2));
282     ///
283     /// assert_eq!(result, Ordering::Less);
284     /// ```
285     #[inline]
286     #[stable(feature = "ordering_chaining", since = "1.17.0")]
287     pub fn then(self, other: Ordering) -> Ordering {
288         match self {
289             Equal => other,
290             _ => self,
291         }
292     }
293
294     /// Chains the ordering with the given function.
295     ///
296     /// Returns `self` when it's not `Equal`. Otherwise calls `f` and returns
297     /// the result.
298     ///
299     /// # Examples
300     ///
301     /// ```
302     /// use std::cmp::Ordering;
303     ///
304     /// let result = Ordering::Equal.then_with(|| Ordering::Less);
305     /// assert_eq!(result, Ordering::Less);
306     ///
307     /// let result = Ordering::Less.then_with(|| Ordering::Equal);
308     /// assert_eq!(result, Ordering::Less);
309     ///
310     /// let result = Ordering::Less.then_with(|| Ordering::Greater);
311     /// assert_eq!(result, Ordering::Less);
312     ///
313     /// let result = Ordering::Equal.then_with(|| Ordering::Equal);
314     /// assert_eq!(result, Ordering::Equal);
315     ///
316     /// let x: (i64, i64, i64) = (1, 2, 7);
317     /// let y: (i64, i64, i64)  = (1, 5, 3);
318     /// let result = x.0.cmp(&y.0).then_with(|| x.1.cmp(&y.1)).then_with(|| x.2.cmp(&y.2));
319     ///
320     /// assert_eq!(result, Ordering::Less);
321     /// ```
322     #[inline]
323     #[stable(feature = "ordering_chaining", since = "1.17.0")]
324     pub fn then_with<F: FnOnce() -> Ordering>(self, f: F) -> Ordering {
325         match self {
326             Equal => f(),
327             _ => self,
328         }
329     }
330 }
331
332 /// A helper struct for reverse ordering.
333 ///
334 /// This struct is a helper to be used with functions like `Vec::sort_by_key` and
335 /// can be used to reverse order a part of a key.
336 ///
337 /// Example usage:
338 ///
339 /// ```
340 /// use std::cmp::Reverse;
341 ///
342 /// let mut v = vec![1, 2, 3, 4, 5, 6];
343 /// v.sort_by_key(|&num| (num > 3, Reverse(num)));
344 /// assert_eq!(v, vec![3, 2, 1, 6, 5, 4]);
345 /// ```
346 #[derive(PartialEq, Eq, Debug)]
347 #[stable(feature = "reverse_cmp_key", since = "1.19.0")]
348 pub struct Reverse<T>(#[stable(feature = "reverse_cmp_key", since = "1.19.0")] pub T);
349
350 #[stable(feature = "reverse_cmp_key", since = "1.19.0")]
351 impl<T: PartialOrd> PartialOrd for Reverse<T> {
352     #[inline]
353     fn partial_cmp(&self, other: &Reverse<T>) -> Option<Ordering> {
354         other.0.partial_cmp(&self.0)
355     }
356
357     #[inline]
358     fn lt(&self, other: &Self) -> bool { other.0 < self.0 }
359     #[inline]
360     fn le(&self, other: &Self) -> bool { other.0 <= self.0 }
361     #[inline]
362     fn ge(&self, other: &Self) -> bool { other.0 >= self.0 }
363     #[inline]
364     fn gt(&self, other: &Self) -> bool { other.0 > self.0 }
365 }
366
367 #[stable(feature = "reverse_cmp_key", since = "1.19.0")]
368 impl<T: Ord> Ord for Reverse<T> {
369     #[inline]
370     fn cmp(&self, other: &Reverse<T>) -> Ordering {
371         other.0.cmp(&self.0)
372     }
373 }
374
375 /// Trait for types that form a [total order](https://en.wikipedia.org/wiki/Total_order).
376 ///
377 /// An order is a total order if it is (for all `a`, `b` and `c`):
378 ///
379 /// - total and antisymmetric: exactly one of `a < b`, `a == b` or `a > b` is true; and
380 /// - transitive, `a < b` and `b < c` implies `a < c`. The same must hold for both `==` and `>`.
381 ///
382 /// ## Derivable
383 ///
384 /// This trait can be used with `#[derive]`. When `derive`d on structs, it will produce a
385 /// lexicographic ordering based on the top-to-bottom declaration order of the struct's members.
386 /// When `derive`d on enums, variants are ordered by their top-to-bottom declaration order.
387 ///
388 /// ## How can I implement `Ord`?
389 ///
390 /// `Ord` requires that the type also be `PartialOrd` and `Eq` (which requires `PartialEq`).
391 ///
392 /// Then you must define an implementation for `cmp()`. You may find it useful to use
393 /// `cmp()` on your type's fields.
394 ///
395 /// Implementations of `PartialEq`, `PartialOrd`, and `Ord` *must* agree with each other. It's
396 /// easy to accidentally make them disagree by deriving some of the traits and manually
397 /// implementing others.
398 ///
399 /// Here's an example where you want to sort people by height only, disregarding `id`
400 /// and `name`:
401 ///
402 /// ```
403 /// use std::cmp::Ordering;
404 ///
405 /// #[derive(Eq)]
406 /// struct Person {
407 ///     id: u32,
408 ///     name: String,
409 ///     height: u32,
410 /// }
411 ///
412 /// impl Ord for Person {
413 ///     fn cmp(&self, other: &Person) -> Ordering {
414 ///         self.height.cmp(&other.height)
415 ///     }
416 /// }
417 ///
418 /// impl PartialOrd for Person {
419 ///     fn partial_cmp(&self, other: &Person) -> Option<Ordering> {
420 ///         Some(self.cmp(other))
421 ///     }
422 /// }
423 ///
424 /// impl PartialEq for Person {
425 ///     fn eq(&self, other: &Person) -> bool {
426 ///         self.height == other.height
427 ///     }
428 /// }
429 /// ```
430 #[stable(feature = "rust1", since = "1.0.0")]
431 pub trait Ord: Eq + PartialOrd<Self> {
432     /// This method returns an `Ordering` between `self` and `other`.
433     ///
434     /// By convention, `self.cmp(&other)` returns the ordering matching the expression
435     /// `self <operator> other` if true.
436     ///
437     /// # Examples
438     ///
439     /// ```
440     /// use std::cmp::Ordering;
441     ///
442     /// assert_eq!(5.cmp(&10), Ordering::Less);
443     /// assert_eq!(10.cmp(&5), Ordering::Greater);
444     /// assert_eq!(5.cmp(&5), Ordering::Equal);
445     /// ```
446     #[stable(feature = "rust1", since = "1.0.0")]
447     fn cmp(&self, other: &Self) -> Ordering;
448
449     /// Compares and returns the maximum of two values.
450     ///
451     /// Returns the second argument if the comparison determines them to be equal.
452     ///
453     /// # Examples
454     ///
455     /// ```
456     /// #![feature(ord_max_min)]
457     ///
458     /// assert_eq!(2, 1.max(2));
459     /// assert_eq!(2, 2.max(2));
460     /// ```
461     #[unstable(feature = "ord_max_min", issue = "25663")]
462     fn max(self, other: Self) -> Self
463     where Self: Sized {
464         if other >= self { other } else { self }
465     }
466
467     /// Compares and returns the minimum of two values.
468     ///
469     /// Returns the first argument if the comparison determines them to be equal.
470     ///
471     /// # Examples
472     ///
473     /// ```
474     /// #![feature(ord_max_min)]
475     ///
476     /// assert_eq!(1, 1.min(2));
477     /// assert_eq!(2, 2.min(2));
478     /// ```
479     #[unstable(feature = "ord_max_min", issue = "25663")]
480     fn min(self, other: Self) -> Self
481     where Self: Sized {
482         if self <= other { self } else { other }
483     }
484 }
485
486 #[stable(feature = "rust1", since = "1.0.0")]
487 impl Eq for Ordering {}
488
489 #[stable(feature = "rust1", since = "1.0.0")]
490 impl Ord for Ordering {
491     #[inline]
492     fn cmp(&self, other: &Ordering) -> Ordering {
493         (*self as i32).cmp(&(*other as i32))
494     }
495 }
496
497 #[stable(feature = "rust1", since = "1.0.0")]
498 impl PartialOrd for Ordering {
499     #[inline]
500     fn partial_cmp(&self, other: &Ordering) -> Option<Ordering> {
501         (*self as i32).partial_cmp(&(*other as i32))
502     }
503 }
504
505 /// Trait for values that can be compared for a sort-order.
506 ///
507 /// The comparison must satisfy, for all `a`, `b` and `c`:
508 ///
509 /// - antisymmetry: if `a < b` then `!(a > b)`, as well as `a > b` implying `!(a < b)`; and
510 /// - transitivity: `a < b` and `b < c` implies `a < c`. The same must hold for both `==` and `>`.
511 ///
512 /// Note that these requirements mean that the trait itself must be implemented symmetrically and
513 /// transitively: if `T: PartialOrd<U>` and `U: PartialOrd<V>` then `U: PartialOrd<T>` and `T:
514 /// PartialOrd<V>`.
515 ///
516 /// ## Derivable
517 ///
518 /// This trait can be used with `#[derive]`. When `derive`d on structs, it will produce a
519 /// lexicographic ordering based on the top-to-bottom declaration order of the struct's members.
520 /// When `derive`d on enums, variants are ordered by their top-to-bottom declaration order.
521 ///
522 /// ## How can I implement `PartialOrd`?
523 ///
524 /// `PartialOrd` only requires implementation of the `partial_cmp` method, with the others
525 /// generated from default implementations.
526 ///
527 /// However it remains possible to implement the others separately for types which do not have a
528 /// total order. For example, for floating point numbers, `NaN < 0 == false` and `NaN >= 0 ==
529 /// false` (cf. IEEE 754-2008 section 5.11).
530 ///
531 /// `PartialOrd` requires your type to be `PartialEq`.
532 ///
533 /// Implementations of `PartialEq`, `PartialOrd`, and `Ord` *must* agree with each other. It's
534 /// easy to accidentally make them disagree by deriving some of the traits and manually
535 /// implementing others.
536 ///
537 /// If your type is `Ord`, you can implement `partial_cmp()` by using `cmp()`:
538 ///
539 /// ```
540 /// use std::cmp::Ordering;
541 ///
542 /// #[derive(Eq)]
543 /// struct Person {
544 ///     id: u32,
545 ///     name: String,
546 ///     height: u32,
547 /// }
548 ///
549 /// impl PartialOrd for Person {
550 ///     fn partial_cmp(&self, other: &Person) -> Option<Ordering> {
551 ///         Some(self.cmp(other))
552 ///     }
553 /// }
554 ///
555 /// impl Ord for Person {
556 ///     fn cmp(&self, other: &Person) -> Ordering {
557 ///         self.height.cmp(&other.height)
558 ///     }
559 /// }
560 ///
561 /// impl PartialEq for Person {
562 ///     fn eq(&self, other: &Person) -> bool {
563 ///         self.height == other.height
564 ///     }
565 /// }
566 /// ```
567 ///
568 /// You may also find it useful to use `partial_cmp()` on your type's fields. Here
569 /// is an example of `Person` types who have a floating-point `height` field that
570 /// is the only field to be used for sorting:
571 ///
572 /// ```
573 /// use std::cmp::Ordering;
574 ///
575 /// struct Person {
576 ///     id: u32,
577 ///     name: String,
578 ///     height: f64,
579 /// }
580 ///
581 /// impl PartialOrd for Person {
582 ///     fn partial_cmp(&self, other: &Person) -> Option<Ordering> {
583 ///         self.height.partial_cmp(&other.height)
584 ///     }
585 /// }
586 ///
587 /// impl PartialEq for Person {
588 ///     fn eq(&self, other: &Person) -> bool {
589 ///         self.height == other.height
590 ///     }
591 /// }
592 /// ```
593 ///
594 /// # Examples
595 ///
596 /// ```
597 /// let x : u32 = 0;
598 /// let y : u32 = 1;
599 ///
600 /// assert_eq!(x < y, true);
601 /// assert_eq!(x.lt(&y), true);
602 /// ```
603 #[lang = "ord"]
604 #[stable(feature = "rust1", since = "1.0.0")]
605 #[rustc_on_unimplemented = "can't compare `{Self}` with `{Rhs}`"]
606 pub trait PartialOrd<Rhs: ?Sized = Self>: PartialEq<Rhs> {
607     /// This method returns an ordering between `self` and `other` values if one exists.
608     ///
609     /// # Examples
610     ///
611     /// ```
612     /// use std::cmp::Ordering;
613     ///
614     /// let result = 1.0.partial_cmp(&2.0);
615     /// assert_eq!(result, Some(Ordering::Less));
616     ///
617     /// let result = 1.0.partial_cmp(&1.0);
618     /// assert_eq!(result, Some(Ordering::Equal));
619     ///
620     /// let result = 2.0.partial_cmp(&1.0);
621     /// assert_eq!(result, Some(Ordering::Greater));
622     /// ```
623     ///
624     /// When comparison is impossible:
625     ///
626     /// ```
627     /// let result = std::f64::NAN.partial_cmp(&1.0);
628     /// assert_eq!(result, None);
629     /// ```
630     #[must_use]
631     #[stable(feature = "rust1", since = "1.0.0")]
632     fn partial_cmp(&self, other: &Rhs) -> Option<Ordering>;
633
634     /// This method tests less than (for `self` and `other`) and is used by the `<` operator.
635     ///
636     /// # Examples
637     ///
638     /// ```
639     /// let result = 1.0 < 2.0;
640     /// assert_eq!(result, true);
641     ///
642     /// let result = 2.0 < 1.0;
643     /// assert_eq!(result, false);
644     /// ```
645     #[inline]
646     #[must_use]
647     #[stable(feature = "rust1", since = "1.0.0")]
648     fn lt(&self, other: &Rhs) -> bool {
649         match self.partial_cmp(other) {
650             Some(Less) => true,
651             _ => false,
652         }
653     }
654
655     /// This method tests less than or equal to (for `self` and `other`) and is used by the `<=`
656     /// operator.
657     ///
658     /// # Examples
659     ///
660     /// ```
661     /// let result = 1.0 <= 2.0;
662     /// assert_eq!(result, true);
663     ///
664     /// let result = 2.0 <= 2.0;
665     /// assert_eq!(result, true);
666     /// ```
667     #[inline]
668     #[must_use]
669     #[stable(feature = "rust1", since = "1.0.0")]
670     fn le(&self, other: &Rhs) -> bool {
671         match self.partial_cmp(other) {
672             Some(Less) | Some(Equal) => true,
673             _ => false,
674         }
675     }
676
677     /// This method tests greater than (for `self` and `other`) and is used by the `>` operator.
678     ///
679     /// # Examples
680     ///
681     /// ```
682     /// let result = 1.0 > 2.0;
683     /// assert_eq!(result, false);
684     ///
685     /// let result = 2.0 > 2.0;
686     /// assert_eq!(result, false);
687     /// ```
688     #[inline]
689     #[must_use]
690     #[stable(feature = "rust1", since = "1.0.0")]
691     fn gt(&self, other: &Rhs) -> bool {
692         match self.partial_cmp(other) {
693             Some(Greater) => true,
694             _ => false,
695         }
696     }
697
698     /// This method tests greater than or equal to (for `self` and `other`) and is used by the `>=`
699     /// operator.
700     ///
701     /// # Examples
702     ///
703     /// ```
704     /// let result = 2.0 >= 1.0;
705     /// assert_eq!(result, true);
706     ///
707     /// let result = 2.0 >= 2.0;
708     /// assert_eq!(result, true);
709     /// ```
710     #[inline]
711     #[must_use]
712     #[stable(feature = "rust1", since = "1.0.0")]
713     fn ge(&self, other: &Rhs) -> bool {
714         match self.partial_cmp(other) {
715             Some(Greater) | Some(Equal) => true,
716             _ => false,
717         }
718     }
719 }
720
721 /// Compares and returns the minimum of two values.
722 ///
723 /// Returns the first argument if the comparison determines them to be equal.
724 ///
725 /// Internally uses an alias to `Ord::min`.
726 ///
727 /// # Examples
728 ///
729 /// ```
730 /// use std::cmp;
731 ///
732 /// assert_eq!(1, cmp::min(1, 2));
733 /// assert_eq!(2, cmp::min(2, 2));
734 /// ```
735 #[inline]
736 #[stable(feature = "rust1", since = "1.0.0")]
737 pub fn min<T: Ord>(v1: T, v2: T) -> T {
738     v1.min(v2)
739 }
740
741 /// Compares and returns the maximum of two values.
742 ///
743 /// Returns the second argument if the comparison determines them to be equal.
744 ///
745 /// Internally uses an alias to `Ord::max`.
746 ///
747 /// # Examples
748 ///
749 /// ```
750 /// use std::cmp;
751 ///
752 /// assert_eq!(2, cmp::max(1, 2));
753 /// assert_eq!(2, cmp::max(2, 2));
754 /// ```
755 #[inline]
756 #[stable(feature = "rust1", since = "1.0.0")]
757 pub fn max<T: Ord>(v1: T, v2: T) -> T {
758     v1.max(v2)
759 }
760
761 // Implementation of PartialEq, Eq, PartialOrd and Ord for primitive types
762 mod impls {
763     use cmp::Ordering::{self, Less, Greater, Equal};
764
765     macro_rules! partial_eq_impl {
766         ($($t:ty)*) => ($(
767             #[stable(feature = "rust1", since = "1.0.0")]
768             impl PartialEq for $t {
769                 #[inline]
770                 fn eq(&self, other: &$t) -> bool { (*self) == (*other) }
771                 #[inline]
772                 fn ne(&self, other: &$t) -> bool { (*self) != (*other) }
773             }
774         )*)
775     }
776
777     #[stable(feature = "rust1", since = "1.0.0")]
778     impl PartialEq for () {
779         #[inline]
780         fn eq(&self, _other: &()) -> bool { true }
781         #[inline]
782         fn ne(&self, _other: &()) -> bool { false }
783     }
784
785     partial_eq_impl! {
786         bool char usize u8 u16 u32 u64 u128 isize i8 i16 i32 i64 i128 f32 f64
787     }
788
789     macro_rules! eq_impl {
790         ($($t:ty)*) => ($(
791             #[stable(feature = "rust1", since = "1.0.0")]
792             impl Eq for $t {}
793         )*)
794     }
795
796     eq_impl! { () bool char usize u8 u16 u32 u64 u128 isize i8 i16 i32 i64 i128 }
797
798     macro_rules! partial_ord_impl {
799         ($($t:ty)*) => ($(
800             #[stable(feature = "rust1", since = "1.0.0")]
801             impl PartialOrd for $t {
802                 #[inline]
803                 fn partial_cmp(&self, other: &$t) -> Option<Ordering> {
804                     match (self <= other, self >= other) {
805                         (false, false) => None,
806                         (false, true) => Some(Greater),
807                         (true, false) => Some(Less),
808                         (true, true) => Some(Equal),
809                     }
810                 }
811                 #[inline]
812                 fn lt(&self, other: &$t) -> bool { (*self) < (*other) }
813                 #[inline]
814                 fn le(&self, other: &$t) -> bool { (*self) <= (*other) }
815                 #[inline]
816                 fn ge(&self, other: &$t) -> bool { (*self) >= (*other) }
817                 #[inline]
818                 fn gt(&self, other: &$t) -> bool { (*self) > (*other) }
819             }
820         )*)
821     }
822
823     #[stable(feature = "rust1", since = "1.0.0")]
824     impl PartialOrd for () {
825         #[inline]
826         fn partial_cmp(&self, _: &()) -> Option<Ordering> {
827             Some(Equal)
828         }
829     }
830
831     #[stable(feature = "rust1", since = "1.0.0")]
832     impl PartialOrd for bool {
833         #[inline]
834         fn partial_cmp(&self, other: &bool) -> Option<Ordering> {
835             (*self as u8).partial_cmp(&(*other as u8))
836         }
837     }
838
839     partial_ord_impl! { f32 f64 }
840
841     macro_rules! ord_impl {
842         ($($t:ty)*) => ($(
843             #[stable(feature = "rust1", since = "1.0.0")]
844             impl PartialOrd for $t {
845                 #[inline]
846                 fn partial_cmp(&self, other: &$t) -> Option<Ordering> {
847                     Some(self.cmp(other))
848                 }
849                 #[inline]
850                 fn lt(&self, other: &$t) -> bool { (*self) < (*other) }
851                 #[inline]
852                 fn le(&self, other: &$t) -> bool { (*self) <= (*other) }
853                 #[inline]
854                 fn ge(&self, other: &$t) -> bool { (*self) >= (*other) }
855                 #[inline]
856                 fn gt(&self, other: &$t) -> bool { (*self) > (*other) }
857             }
858
859             #[stable(feature = "rust1", since = "1.0.0")]
860             impl Ord for $t {
861                 #[inline]
862                 fn cmp(&self, other: &$t) -> Ordering {
863                     if *self == *other { Equal }
864                     else if *self < *other { Less }
865                     else { Greater }
866                 }
867             }
868         )*)
869     }
870
871     #[stable(feature = "rust1", since = "1.0.0")]
872     impl Ord for () {
873         #[inline]
874         fn cmp(&self, _other: &()) -> Ordering { Equal }
875     }
876
877     #[stable(feature = "rust1", since = "1.0.0")]
878     impl Ord for bool {
879         #[inline]
880         fn cmp(&self, other: &bool) -> Ordering {
881             (*self as u8).cmp(&(*other as u8))
882         }
883     }
884
885     ord_impl! { char usize u8 u16 u32 u64 u128 isize i8 i16 i32 i64 i128 }
886
887     #[unstable(feature = "never_type_impls", issue = "35121")]
888     impl PartialEq for ! {
889         fn eq(&self, _: &!) -> bool {
890             *self
891         }
892     }
893
894     #[unstable(feature = "never_type_impls", issue = "35121")]
895     impl Eq for ! {}
896
897     #[unstable(feature = "never_type_impls", issue = "35121")]
898     impl PartialOrd for ! {
899         fn partial_cmp(&self, _: &!) -> Option<Ordering> {
900             *self
901         }
902     }
903
904     #[unstable(feature = "never_type_impls", issue = "35121")]
905     impl Ord for ! {
906         fn cmp(&self, _: &!) -> Ordering {
907             *self
908         }
909     }
910
911     // & pointers
912
913     #[stable(feature = "rust1", since = "1.0.0")]
914     impl<'a, 'b, A: ?Sized, B: ?Sized> PartialEq<&'b B> for &'a A where A: PartialEq<B> {
915         #[inline]
916         fn eq(&self, other: & &'b B) -> bool { PartialEq::eq(*self, *other) }
917         #[inline]
918         fn ne(&self, other: & &'b B) -> bool { PartialEq::ne(*self, *other) }
919     }
920     #[stable(feature = "rust1", since = "1.0.0")]
921     impl<'a, 'b, A: ?Sized, B: ?Sized> PartialOrd<&'b B> for &'a A where A: PartialOrd<B> {
922         #[inline]
923         fn partial_cmp(&self, other: &&'b B) -> Option<Ordering> {
924             PartialOrd::partial_cmp(*self, *other)
925         }
926         #[inline]
927         fn lt(&self, other: & &'b B) -> bool { PartialOrd::lt(*self, *other) }
928         #[inline]
929         fn le(&self, other: & &'b B) -> bool { PartialOrd::le(*self, *other) }
930         #[inline]
931         fn ge(&self, other: & &'b B) -> bool { PartialOrd::ge(*self, *other) }
932         #[inline]
933         fn gt(&self, other: & &'b B) -> bool { PartialOrd::gt(*self, *other) }
934     }
935     #[stable(feature = "rust1", since = "1.0.0")]
936     impl<'a, A: ?Sized> Ord for &'a A where A: Ord {
937         #[inline]
938         fn cmp(&self, other: & &'a A) -> Ordering { Ord::cmp(*self, *other) }
939     }
940     #[stable(feature = "rust1", since = "1.0.0")]
941     impl<'a, A: ?Sized> Eq for &'a A where A: Eq {}
942
943     // &mut pointers
944
945     #[stable(feature = "rust1", since = "1.0.0")]
946     impl<'a, 'b, A: ?Sized, B: ?Sized> PartialEq<&'b mut B> for &'a mut A where A: PartialEq<B> {
947         #[inline]
948         fn eq(&self, other: &&'b mut B) -> bool { PartialEq::eq(*self, *other) }
949         #[inline]
950         fn ne(&self, other: &&'b mut B) -> bool { PartialEq::ne(*self, *other) }
951     }
952     #[stable(feature = "rust1", since = "1.0.0")]
953     impl<'a, 'b, A: ?Sized, B: ?Sized> PartialOrd<&'b mut B> for &'a mut A where A: PartialOrd<B> {
954         #[inline]
955         fn partial_cmp(&self, other: &&'b mut B) -> Option<Ordering> {
956             PartialOrd::partial_cmp(*self, *other)
957         }
958         #[inline]
959         fn lt(&self, other: &&'b mut B) -> bool { PartialOrd::lt(*self, *other) }
960         #[inline]
961         fn le(&self, other: &&'b mut B) -> bool { PartialOrd::le(*self, *other) }
962         #[inline]
963         fn ge(&self, other: &&'b mut B) -> bool { PartialOrd::ge(*self, *other) }
964         #[inline]
965         fn gt(&self, other: &&'b mut B) -> bool { PartialOrd::gt(*self, *other) }
966     }
967     #[stable(feature = "rust1", since = "1.0.0")]
968     impl<'a, A: ?Sized> Ord for &'a mut A where A: Ord {
969         #[inline]
970         fn cmp(&self, other: &&'a mut A) -> Ordering { Ord::cmp(*self, *other) }
971     }
972     #[stable(feature = "rust1", since = "1.0.0")]
973     impl<'a, A: ?Sized> Eq for &'a mut A where A: Eq {}
974
975     #[stable(feature = "rust1", since = "1.0.0")]
976     impl<'a, 'b, A: ?Sized, B: ?Sized> PartialEq<&'b mut B> for &'a A where A: PartialEq<B> {
977         #[inline]
978         fn eq(&self, other: &&'b mut B) -> bool { PartialEq::eq(*self, *other) }
979         #[inline]
980         fn ne(&self, other: &&'b mut B) -> bool { PartialEq::ne(*self, *other) }
981     }
982
983     #[stable(feature = "rust1", since = "1.0.0")]
984     impl<'a, 'b, A: ?Sized, B: ?Sized> PartialEq<&'b B> for &'a mut A where A: PartialEq<B> {
985         #[inline]
986         fn eq(&self, other: &&'b B) -> bool { PartialEq::eq(*self, *other) }
987         #[inline]
988         fn ne(&self, other: &&'b B) -> bool { PartialEq::ne(*self, *other) }
989     }
990 }