rune/modules/
tuple.rs

1//! The [`Tuple`] fixed collection.
2
3use core::cmp::Ordering;
4
5use crate as rune;
6use crate::runtime::slice::Iter;
7use crate::runtime::{
8    EnvProtocolCaller, Formatter, Hasher, OwnedTuple, Ref, Tuple, Value, Vec, VmResult,
9};
10use crate::{docstring, ContextError, Module};
11
12/// The [`Tuple`] fixed collection.
13///
14/// Tuples are anonymous types that can hold a fixed number of elements.
15///
16/// Tuples in Rune are declared with the special `(a)` syntax, but can also be
17/// interacted with through the fundamental [`Tuple`] type.
18///
19/// Once a tuple has been declared, its size cannot change.
20///
21/// The tuple type has support for native pattern matching:
22///
23/// ```rune
24/// let value = (1, 2);
25///
26/// if let (a, b) = value {
27///     assert_eq!(a, 1);
28///     assert_eq!(b, 2);
29/// }
30/// ```
31///
32/// # Examples
33///
34/// ```rune
35/// let empty = ();
36/// let one = (10,);
37/// let two = (10, 20);
38///
39/// assert!(empty.is_empty());
40/// assert_eq!(one.0, 10);
41/// assert_eq!(two.0, 10);
42/// assert_eq!(two.1, 20);
43/// ```
44#[rune::module(::std::tuple)]
45pub fn module() -> Result<Module, ContextError> {
46    let mut m = Module::from_meta(self::module_meta)?;
47    m.ty::<OwnedTuple>()?.docs(docstring! {
48        /// The tuple type.
49    })?;
50    m.function_meta(len)?;
51    m.function_meta(is_empty)?;
52    m.function_meta(get)?;
53    m.function_meta(iter)?;
54    m.function_meta(into_iter)?;
55
56    m.function_meta(partial_eq__meta)?;
57    m.implement_trait::<OwnedTuple>(rune::item!(::std::cmp::PartialEq))?;
58
59    m.function_meta(eq__meta)?;
60    m.implement_trait::<OwnedTuple>(rune::item!(::std::cmp::Eq))?;
61
62    m.function_meta(partial_cmp__meta)?;
63    m.implement_trait::<OwnedTuple>(rune::item!(::std::cmp::PartialOrd))?;
64
65    m.function_meta(cmp__meta)?;
66    m.implement_trait::<OwnedTuple>(rune::item!(::std::cmp::Ord))?;
67
68    m.function_meta(clone__meta)?;
69    m.implement_trait::<OwnedTuple>(rune::item!(::std::clone::Clone))?;
70
71    m.function_meta(hash__meta)?;
72    m.function_meta(debug_fmt__meta)?;
73    Ok(m)
74}
75
76/// Returns the number of elements in the tuple.
77///
78/// # Examples
79///
80/// ```rune
81/// let a = (1, 2, 3);
82/// assert_eq!(a.len(), 3);
83/// ```
84#[rune::function(instance)]
85fn len(this: &Tuple) -> usize {
86    this.len()
87}
88
89/// Returns `true` if the tuple has a length of 0.
90///
91/// # Examples
92///
93/// ```rune
94/// let a = (1, 2, 3);
95/// assert!(!a.is_empty());
96///
97/// let a = ();
98/// assert!(a.is_empty());
99/// ```
100#[rune::function(instance)]
101fn is_empty(this: &Tuple) -> bool {
102    this.is_empty()
103}
104
105/// Returns a reference to an element or subslice depending on the type of
106/// index.
107///
108/// - If given a position, returns a reference to the element at that position
109///   or `None` if out of bounds.
110/// - If given a range, returns the subslice corresponding to that range, or
111///   `None` if out of bounds.
112///
113/// # Examples
114///
115/// ```rune
116/// let v = (10, 40, 30);
117/// assert_eq!(Some(40), v.get(1));
118/// assert_eq!(Some([10, 40]), v.get(0..2));
119/// assert_eq!(None, v.get(3));
120/// assert_eq!(None, v.get(0..4));
121/// ```
122#[rune::function(instance)]
123fn get(this: &Tuple, index: Value) -> VmResult<Option<Value>> {
124    Vec::index_get(this, index)
125}
126
127/// Construct an iterator over the tuple.
128///
129/// # Examples
130///
131/// ```rune
132/// let tuple = (1, 2, 3);
133/// assert_eq!(tuple.iter().collect::<Vec>(), [1, 2, 3]);
134/// ```
135#[rune::function(instance)]
136fn iter(this: Ref<Tuple>) -> Iter {
137    Iter::new(Ref::map(this, |tuple| &**tuple))
138}
139
140/// Construct an iterator over the tuple.
141///
142/// # Examples
143///
144/// ```rune
145/// let tuple = (1, 2, 3);
146/// let out = [];
147///
148/// for v in tuple {
149///     out.push(v);
150/// }
151///
152/// assert_eq!(out, [1, 2, 3]);
153/// ```
154#[rune::function(instance, instance, protocol = INTO_ITER)]
155fn into_iter(this: Ref<Tuple>) -> Iter {
156    Iter::new(Ref::map(this, |tuple| &**tuple))
157}
158
159/// Perform a partial equality check with this tuple.
160///
161/// This can take any argument which can be converted into an iterator using
162/// [`INTO_ITER`].
163///
164/// # Examples
165///
166/// ```rune
167/// let tuple = (1, 2, 3);
168///
169/// assert!(tuple == (1, 2, 3));
170/// assert!(tuple == (1..=3));
171/// assert!(tuple != (2, 3, 4));
172/// ```
173#[rune::function(keep, instance, protocol = PARTIAL_EQ)]
174fn partial_eq(this: &Tuple, other: Value) -> VmResult<bool> {
175    Vec::partial_eq_with(this, other, &mut EnvProtocolCaller)
176}
177
178/// Perform a total equality check with this tuple.
179///
180/// # Examples
181///
182/// ```rune
183/// use std::ops::eq;
184///
185/// let tuple = (1, 2, 3);
186///
187/// assert!(eq(tuple, (1, 2, 3)));
188/// assert!(!eq(tuple, (2, 3, 4)));
189/// ```
190#[rune::function(keep, instance, protocol = EQ)]
191fn eq(this: &Tuple, other: &Tuple) -> VmResult<bool> {
192    Vec::eq_with(this, other, Value::eq_with, &mut EnvProtocolCaller)
193}
194
195/// Perform a partial comparison check with this tuple.
196///
197/// # Examples
198///
199/// ```rune
200/// let tuple = (1, 2, 3);
201///
202/// assert!(tuple > (0, 2, 3));
203/// assert!(tuple < (2, 2, 3));
204/// ```
205#[rune::function(keep, instance, protocol = PARTIAL_CMP)]
206fn partial_cmp(this: &Tuple, other: &Tuple) -> VmResult<Option<Ordering>> {
207    Vec::partial_cmp_with(this, other, &mut EnvProtocolCaller)
208}
209
210/// Perform a total comparison check with this tuple.
211///
212/// # Examples
213///
214/// ```rune
215/// use std::cmp::Ordering;
216/// use std::ops::cmp;
217///
218/// let tuple = (1, 2, 3);
219///
220/// assert_eq!(cmp(tuple, (0, 2, 3)), Ordering::Greater);
221/// assert_eq!(cmp(tuple, (2, 2, 3)), Ordering::Less);
222/// ```
223#[rune::function(keep, instance, protocol = CMP)]
224fn cmp(this: &Tuple, other: &Tuple) -> VmResult<Ordering> {
225    Vec::cmp_with(this, other, &mut EnvProtocolCaller)
226}
227
228/// Calculate a hash for a tuple.
229///
230/// # Examples
231///
232/// ```rune
233/// use std::ops::hash;
234///
235/// assert_eq!(hash((0, 2, 3)), hash((0, 2, 3)));
236/// // Note: this is not guaranteed to be true forever, but it's true right now.
237/// assert_eq!(hash((0, 2, 3)), hash([0, 2, 3]));
238/// ```
239#[rune::function(keep, instance, protocol = HASH)]
240fn hash(this: &Tuple, hasher: &mut Hasher) -> VmResult<()> {
241    Tuple::hash_with(this, hasher, &mut EnvProtocolCaller)
242}
243
244/// Clone a tuple.
245///
246/// # Examples
247///
248/// ```rune
249/// use std::ops::hash;
250///
251/// let a = (0, 2, 3);
252/// let b = a;
253/// let c = a.clone();
254///
255/// c.0 = 1;
256///
257/// assert_eq!(a, (0, 2, 3));
258/// assert_eq!(c, (1, 2, 3));
259/// ```
260#[rune::function(keep, instance, protocol = CLONE)]
261fn clone(this: &Tuple) -> VmResult<OwnedTuple> {
262    VmResult::Ok(vm_try!(this.clone_with(&mut EnvProtocolCaller)))
263}
264
265/// Write a debug representation of a tuple.
266///
267/// # Examples
268///
269/// ```rune
270/// let a = (1, 2, 3);
271/// println!("{a:?}");
272/// ```
273#[rune::function(keep, instance, protocol = DEBUG_FMT)]
274#[inline]
275fn debug_fmt(this: &Tuple, f: &mut Formatter) -> VmResult<()> {
276    this.debug_fmt_with(f, &mut EnvProtocolCaller)
277}