Вы можете прочитать исходный код tuple
:
impl<$($T:PartialOrd + PartialEq),+> PartialOrd for ($($T,)+)
where last_type!($($T,)+): ?Sized {
#[inline]
fn partial_cmp(&self, other: &($($T,)+)) -> Option<Ordering> {
lexical_partial_cmp!($(self.$idx, other.$idx),+)
}
// ...
#[inline]
fn gt(&self, other: &($($T,)+)) -> bool {
lexical_ord!(gt, $(self.$idx, other.$idx),+)
}
}
И макрос lexical_ord
:
// Constructs an expression that performs a lexical ordering using method $rel.
// The values are interleaved, so the macro invocation for
// `(a1, a2, a3) < (b1, b2, b3)` would be `lexical_ord!(lt, a1, b1, a2, b2,
// a3, b3)` (and similarly for `lexical_cmp`)
macro_rules! lexical_ord {
($rel: ident, $a:expr, $b:expr, $($rest_a:expr, $rest_b:expr),+) => {
if $a != $b { lexical_ord!($rel, $a, $b) }
else { lexical_ord!($rel, $($rest_a, $rest_b),+) }
};
($rel: ident, $a:expr, $b:expr) => { ($a) . $rel (& $b) };
}
Так (a, b) > (c, d)
будет вызывать (a, b).gt(&(c, d))
, который будет использовать макрос lexical_ord
, как это (см. Комментарий в коде):
lexical_ord(gt, a, c, b, d)
(На самом деле, это должно быть что-то вроде lexical_ord(gt, (a, b).0, (c, d).0, (a, b).1, (c, d).1)
, если я правильно читаю макрос, но я упростил его здесь.)
Что будет переведено (во время компиляции) в это:
if a != c {
(a).gt(&c)
} else {
(b).gt(&d)
}
Итак, фактический код то, что будет вызвано для (a, b) > (c, d)
, будет:
fn gt(&self, other: &($T, $T)) -> bool {
if self.0 != other.0 {
(self.0).gt(&other.0) // self.0 > other.0
} else {
(self.1).gt(&other.1) // self.1 > other.1
}
}
Таким образом, он сравнивает значения в каждом кортеже попарно.