rune/modules/
bytes.rs

1//! The bytes module.
2
3use core::cmp::Ordering;
4use core::hash::Hasher as _;
5
6use crate as rune;
7use crate::alloc::fmt::TryWrite;
8use crate::alloc::prelude::*;
9use crate::alloc::Vec;
10use crate::runtime::{Bytes, Formatter, Hasher, Panic, VmErrorKind, VmResult};
11use crate::{ContextError, Module, Value};
12
13/// The bytes module.
14#[rune::module(::std::bytes)]
15pub fn module() -> Result<Module, ContextError> {
16    let mut m = Module::from_meta(self::module_meta)?;
17
18    m.ty::<Bytes>()?;
19    m.function_meta(new)?;
20    m.function_meta(with_capacity)?;
21    m.function_meta(from_vec)?;
22    m.function_meta(into_vec)?;
23    m.function_meta(as_vec)?;
24    m.function_meta(extend)?;
25    m.function_meta(extend_str)?;
26    m.function_meta(pop)?;
27    m.function_meta(push)?;
28    m.function_meta(remove)?;
29    m.function_meta(insert)?;
30    m.function_meta(index_get)?;
31    m.function_meta(index_set)?;
32    m.function_meta(first)?;
33    m.function_meta(last)?;
34    m.function_meta(len)?;
35    m.function_meta(is_empty)?;
36    m.function_meta(capacity)?;
37    m.function_meta(clear)?;
38    m.function_meta(reserve)?;
39    m.function_meta(reserve_exact)?;
40    m.function_meta(shrink_to_fit)?;
41
42    m.function_meta(clone__meta)?;
43    m.implement_trait::<Bytes>(rune::item!(::std::clone::Clone))?;
44
45    m.function_meta(partial_eq__meta)?;
46    m.implement_trait::<Bytes>(rune::item!(::std::cmp::PartialEq))?;
47
48    m.function_meta(eq__meta)?;
49    m.implement_trait::<Bytes>(rune::item!(::std::cmp::Eq))?;
50
51    m.function_meta(partial_cmp__meta)?;
52    m.implement_trait::<Bytes>(rune::item!(::std::cmp::PartialOrd))?;
53
54    m.function_meta(cmp__meta)?;
55    m.implement_trait::<Bytes>(rune::item!(::std::cmp::Ord))?;
56
57    m.function_meta(hash__meta)?;
58
59    m.function_meta(debug_fmt__meta)?;
60
61    Ok(m)
62}
63
64/// Construct a new byte array.
65///
66/// # Examples
67///
68/// ```rune
69/// let bytes = Bytes::new();
70/// assert_eq!(bytes, b"");
71/// ```
72#[rune::function(free, path = Bytes::new)]
73#[inline]
74pub const fn new() -> Bytes {
75    Bytes::new()
76}
77
78/// Construct a byte array with the given preallocated capacity.
79///
80/// # Examples
81///
82/// ```rune
83/// let bytes = Bytes::with_capacity(32);
84/// assert_eq!(bytes, b"");
85/// bytes.extend(b"abcd");
86/// assert_eq!(bytes, b"abcd");
87/// ```
88#[rune::function(free, path = Bytes::with_capacity)]
89#[inline]
90pub fn with_capacity(capacity: usize) -> VmResult<Bytes> {
91    VmResult::Ok(vm_try!(Bytes::with_capacity(capacity)))
92}
93
94/// Convert a byte array into bytes.
95///
96/// # Examples
97///
98/// ```rune
99/// let bytes = Bytes::from_vec([b'a', b'b', b'c', b'd']);
100/// assert_eq!(bytes, b"abcd");
101/// ```
102#[rune::function(free, path = Bytes::from_vec)]
103#[inline]
104pub fn from_vec(bytes: Vec<u8>) -> Bytes {
105    Bytes::from_vec(bytes)
106}
107
108/// Convert the byte array into a vector of bytes.
109///
110/// # Examples
111///
112/// ```rune
113/// let bytes = b"abcd";
114/// assert_eq!([b'a', b'b', b'c', b'd'], bytes.into_vec());
115///
116/// assert!(!is_readable(bytes));
117/// ```
118#[rune::function(instance)]
119#[inline]
120pub fn into_vec(bytes: Bytes) -> Vec<u8> {
121    bytes.into_vec()
122}
123
124/// Convert the byte array into a vector of bytes without consuming it.
125///
126/// # Examples
127///
128/// ```rune
129/// let bytes = b"abcd";
130/// assert_eq!([b'a', b'b', b'c', b'd'], bytes.as_vec());
131///
132/// assert!(is_readable(bytes));
133/// ```
134#[rune::function(instance)]
135#[inline]
136pub fn as_vec(bytes: &Bytes) -> VmResult<Vec<u8>> {
137    VmResult::Ok(vm_try!(Vec::try_from(bytes.as_slice())))
138}
139
140/// Extend these bytes with another collection of bytes.
141///
142/// # Examples
143///
144/// ```rune
145/// let bytes = b"abcd";
146/// bytes.extend(b"efgh");
147/// assert_eq!(bytes, b"abcdefgh");
148/// ```
149#[rune::function(instance)]
150#[inline]
151pub fn extend(this: &mut Bytes, other: &Bytes) -> VmResult<()> {
152    vm_try!(this.extend(other));
153    VmResult::Ok(())
154}
155
156/// Extend this bytes collection with a string.
157///
158/// # Examples
159///
160/// ```rune
161/// let bytes = b"abcd";
162/// bytes.extend_str("efgh");
163/// assert_eq!(bytes, b"abcdefgh");
164/// ```
165#[rune::function(instance)]
166pub fn extend_str(this: &mut Bytes, s: &str) -> VmResult<()> {
167    vm_try!(this.extend(s.as_bytes()));
168    VmResult::Ok(())
169}
170
171/// Pop the last byte.
172///
173/// # Examples
174///
175/// ```rune
176/// let bytes = b"abcd";
177/// assert_eq!(bytes.pop(), Some(b'd'));
178/// assert_eq!(bytes, b"abc");
179/// ```
180#[rune::function(instance)]
181#[inline]
182pub fn pop(this: &mut Bytes) -> Option<u8> {
183    this.pop()
184}
185
186/// Append a byte to the back.
187///
188/// # Examples
189///
190/// ```rune
191/// let bytes = b"abcd";
192/// bytes.push(b'e');
193/// assert_eq!(bytes, b"abcde");
194/// ```
195#[rune::function(instance)]
196#[inline]
197pub fn push(this: &mut Bytes, value: u8) -> VmResult<()> {
198    vm_try!(this.push(value));
199    VmResult::Ok(())
200}
201
202/// Removes and returns the byte at position `index` within the Bytes,
203/// shifting all bytes after it to the left.
204///
205/// # Panics
206///
207/// Panics if `index` is out of bounds.
208///
209/// ```rune,should_panic
210/// let bytes = b"abc";
211/// bytes.remove(3);
212/// ```
213///
214/// # Examples
215///
216/// ```rune
217/// let bytes = b"abc";
218/// assert_eq!(bytes.remove(1), b'b');
219/// assert_eq!(bytes, b"ac");
220/// ```
221#[rune::function(instance)]
222fn remove(this: &mut Bytes, index: usize) -> VmResult<u8> {
223    if index >= this.len() {
224        return VmResult::err(VmErrorKind::OutOfRange {
225            index: index.into(),
226            length: this.len().into(),
227        });
228    }
229
230    let value = this.remove(index);
231    VmResult::Ok(value)
232}
233
234/// Inserts a byte at position `index` within the inner vector, shifting all
235/// elements after it to the right.
236///
237/// # Panics
238///
239/// Panics if `index` is out of bounds.
240///
241/// # Examples
242///
243/// ```rune
244/// let bytes = b"abc";
245/// bytes.insert(1, b'e');
246/// assert_eq!(bytes, b"aebc");
247/// bytes.insert(4, b'd');
248/// assert_eq!(bytes, b"aebcd");
249/// ```
250#[rune::function(instance)]
251fn insert(this: &mut Bytes, index: usize, value: u8) -> VmResult<()> {
252    if index > this.len() {
253        return VmResult::err(VmErrorKind::OutOfRange {
254            index: index.into(),
255            length: this.len().into(),
256        });
257    }
258
259    vm_try!(this.insert(index, value));
260    VmResult::Ok(())
261}
262
263/// Get the first byte.
264///
265/// # Examples
266///
267/// ```rune
268/// let bytes = b"abcd";
269/// assert_eq!(bytes.first(), Some(b'a'));
270/// ```
271#[rune::function(instance)]
272#[inline]
273pub fn first(this: &Bytes) -> Option<u8> {
274    this.first()
275}
276
277/// Get the last byte.
278///
279/// # Examples
280///
281/// ```rune
282/// let bytes = b"abcd";
283/// assert_eq!(bytes.last(), Some(b'd'));
284/// ```
285#[rune::function(instance)]
286#[inline]
287pub fn last(this: &Bytes) -> Option<u8> {
288    this.last()
289}
290
291/// Get the length of the bytes collection.
292///
293/// # Examples
294///
295/// ```rune
296/// let bytes = Bytes::new();
297/// assert_eq!(bytes.len(), 0);
298/// bytes.extend(b"abcd");
299/// assert_eq!(bytes.len(), 4);
300/// ```
301#[rune::function(instance)]
302#[inline]
303pub fn len(this: &Bytes) -> usize {
304    this.len()
305}
306
307/// Test if the collection is empty.
308///
309/// # Examples
310///
311/// ```rune
312/// let bytes = Bytes::new();
313/// assert!(bytes.is_empty());
314/// ```
315#[rune::function(instance)]
316#[inline]
317pub fn is_empty(this: &Bytes) -> bool {
318    this.is_empty()
319}
320
321/// Returns the total number of elements the vector can hold without
322/// reallocating.
323///
324/// # Examples
325///
326/// ```rune
327/// let bytes = Bytes::with_capacity(10);
328/// bytes.extend(b"abc");
329/// assert!(bytes.capacity() >= 10);
330/// ```
331#[rune::function(instance)]
332fn capacity(this: &Bytes) -> usize {
333    this.capacity()
334}
335
336/// Clears the vector, removing all values.
337///
338/// Note that this method has no effect on the allocated capacity of the vector.
339///
340/// # Examples
341///
342/// ```rune
343/// let bytes = b"abc";
344/// bytes.clear();
345/// assert!(bytes.is_empty());
346/// ```
347#[rune::function(instance)]
348fn clear(this: &mut Bytes) {
349    this.clear();
350}
351
352/// Reserves capacity for at least `additional` more elements to be inserted in
353/// the given `Bytes`. The collection may reserve more space to speculatively
354/// avoid frequent reallocations. After calling `reserve`, capacity will be
355/// greater than or equal to `self.len() + additional`. Does nothing if capacity
356/// is already sufficient.
357///
358/// # Panics
359///
360/// Panics if the new capacity exceeds `isize::MAX` bytes.
361///
362/// # Examples
363///
364/// ```rune
365/// let vec = b"a";
366/// vec.reserve(10);
367/// assert!(vec.capacity() >= 11);
368/// ```
369#[rune::function(instance)]
370fn reserve(this: &mut Bytes, additional: usize) -> VmResult<()> {
371    vm_try!(this.reserve(additional));
372    VmResult::Ok(())
373}
374
375/// Reserves the minimum capacity for at least `additional` more elements to be
376/// inserted in the given `Bytes`. Unlike [`reserve`], this will not
377/// deliberately over-allocate to speculatively avoid frequent allocations.
378/// After calling `reserve_exact`, capacity will be greater than or equal to
379/// `self.len() + additional`. Does nothing if the capacity is already
380/// sufficient.
381///
382/// Note that the allocator may give the collection more space than it requests.
383/// Therefore, capacity can not be relied upon to be precisely minimal. Prefer
384/// [`reserve`] if future insertions are expected.
385///
386/// [`reserve`]: Bytes::reserve
387///
388/// # Panics
389///
390/// Panics if the new capacity exceeds `isize::MAX` bytes.
391///
392/// # Examples
393///
394/// ```rune
395/// let vec = b"a";
396/// vec.reserve_exact(10);
397/// assert!(vec.capacity() >= 11);
398/// ```
399#[rune::function(instance)]
400fn reserve_exact(this: &mut Bytes, additional: usize) -> VmResult<()> {
401    vm_try!(this.reserve_exact(additional));
402    VmResult::Ok(())
403}
404
405/// Clone the byte array.
406///
407/// # Examples
408///
409/// ```rune
410/// let a = b"hello world";
411/// let b = a.clone();
412///
413/// a.extend(b"!");
414///
415/// assert_eq!(a, b"hello world!");
416/// assert_eq!(b, b"hello world");
417/// ```
418#[rune::function(keep, instance, protocol = CLONE)]
419fn clone(this: &Bytes) -> VmResult<Bytes> {
420    VmResult::Ok(vm_try!(this.try_clone()))
421}
422
423/// Test two byte arrays for partial equality.
424///
425/// # Examples
426///
427/// ```rune
428/// use std::ops::partial_eq;
429///
430/// assert_eq!(partial_eq(b"a", b"a"), true);
431/// assert_eq!(partial_eq(b"a", b"ab"), false);
432/// assert_eq!(partial_eq(b"ab", b"a"), false);
433/// ```
434#[rune::function(keep, instance, protocol = PARTIAL_EQ)]
435#[inline]
436fn partial_eq(this: &[u8], rhs: &[u8]) -> bool {
437    this.eq(rhs)
438}
439
440/// Test two byte arrays for total equality.
441///
442/// # Examples
443///
444/// ```rune
445/// use std::ops::eq;
446///
447/// assert_eq!(eq(b"a", b"a"), true);
448/// assert_eq!(eq(b"a", b"ab"), false);
449/// assert_eq!(eq(b"ab", b"a"), false);
450/// ```
451#[rune::function(keep, instance, protocol = EQ)]
452#[inline]
453fn eq(this: &[u8], rhs: &[u8]) -> bool {
454    this.eq(rhs)
455}
456
457/// Perform a partial ordered comparison between two byte arrays.
458///
459/// # Examples
460///
461/// ```rune
462/// assert!(b"a" < b"ab");
463/// assert!(b"ab" > b"a");
464/// assert!(b"a" == b"a");
465/// ```
466///
467/// Using explicit functions:
468///
469/// ```rune
470/// use std::cmp::Ordering;
471/// use std::ops::partial_cmp;
472///
473/// assert_eq!(partial_cmp(b"a", b"ab"), Some(Ordering::Less));
474/// assert_eq!(partial_cmp(b"ab", b"a"), Some(Ordering::Greater));
475/// assert_eq!(partial_cmp(b"a", b"a"), Some(Ordering::Equal));
476/// ```
477#[rune::function(keep, instance, protocol = PARTIAL_CMP)]
478#[inline]
479fn partial_cmp(this: &[u8], rhs: &[u8]) -> Option<Ordering> {
480    this.partial_cmp(rhs)
481}
482
483/// Perform a totally ordered comparison between two byte arrays.
484///
485/// # Examples
486///
487/// ```rune
488/// use std::cmp::Ordering;
489/// use std::ops::cmp;
490///
491/// assert_eq!(cmp(b"a", b"ab"), Ordering::Less);
492/// assert_eq!(cmp(b"ab", b"a"), Ordering::Greater);
493/// assert_eq!(cmp(b"a", b"a"), Ordering::Equal);
494/// ```
495#[rune::function(keep, instance, protocol = CMP)]
496#[inline]
497fn cmp(this: &[u8], rhs: &[u8]) -> Ordering {
498    this.cmp(rhs)
499}
500
501/// Hash the byte array.
502///
503/// # Examples
504///
505/// ```rune
506/// use std::ops::hash;
507///
508/// let a = "hello";
509/// let b = "hello";
510///
511/// assert_eq!(hash(a), hash(b));
512/// ```
513#[rune::function(keep, instance, protocol = HASH)]
514fn hash(this: &[u8], hasher: &mut Hasher) {
515    hasher.write(this);
516}
517
518/// Write a debug representation of a byte array.
519///
520/// # Examples
521///
522/// ```rune
523/// println!("{:?}", b"Hello");
524/// ```
525#[rune::function(keep, instance, protocol = DEBUG_FMT)]
526#[inline]
527fn debug_fmt(this: &[u8], f: &mut Formatter) -> VmResult<()> {
528    rune::vm_write!(f, "{this:?}")
529}
530
531/// Shrinks the capacity of the byte array as much as possible.
532///
533/// It will drop down as close as possible to the length but the allocator may
534/// still inform the byte array that there is space for a few more elements.
535///
536/// # Examples
537///
538/// ```rune
539/// let bytes = Bytes::with_capacity(10);
540/// bytes.extend(b"abc");
541/// assert!(bytes.capacity() >= 10);
542/// bytes.shrink_to_fit();
543/// assert!(bytes.capacity() >= 3);
544/// ```
545#[rune::function(instance)]
546fn shrink_to_fit(this: &mut Bytes) -> VmResult<()> {
547    vm_try!(this.shrink_to_fit());
548    VmResult::Ok(())
549}
550
551/// Returns a subslice of Bytes.
552///
553/// - If given a position, returns the byte at that position.
554/// - If given a range, returns the subslice corresponding to that range.
555///
556/// # Panics
557///
558/// Panics if `index` is out of bounds.
559///
560/// ```rune,should_panic
561/// let bytes = b"abc";
562/// assert_eq!(None, bytes[1..4]);
563/// ```
564///
565/// ```rune,should_panic
566/// let bytes = b"abc";
567/// assert_eq!(None, bytes[3]);
568/// ```
569///
570/// # Examples
571///
572/// ```rune
573/// let bytes = b"abcd";
574/// assert_eq!(bytes[0..2], b"ab");
575/// assert_eq!(bytes[0], b'a');
576/// ```
577#[rune::function(instance, protocol = INDEX_GET)]
578fn index_get(this: &Bytes, index: Value) -> VmResult<Value> {
579    match vm_try!(this.index_get(index)) {
580        Some(bytes) => VmResult::Ok(bytes),
581        None => VmResult::err(Panic::custom("missing bytes slice")),
582    }
583}
584
585/// Inserts a byte into the Bytes.
586///
587/// # Examples
588///
589/// ```rune
590/// let bytes = b"abcd";
591/// bytes[1] = b'e';
592/// assert_eq!(bytes, b"aecd");
593/// ```
594#[rune::function(instance, protocol = INDEX_SET)]
595fn index_set(this: &mut Bytes, index: usize, value: u8) -> VmResult<()> {
596    this.set(index, value)
597}