rune/runtime/
bytes.rs
1use core::fmt;
6use core::ops;
7
8use serde::de;
9use serde::ser;
10
11use crate as rune;
12use crate::alloc::prelude::*;
13use crate::alloc::{self, Box, Vec};
14use crate::runtime::VmResult;
15use crate::TypeHash as _;
16use crate::{Any, FromValue};
17
18use super::{
19 IntoOutput, Range, RangeFrom, RangeFull, RangeInclusive, RangeTo, RangeToInclusive,
20 RawAnyGuard, Ref, RuntimeError, UnsafeToRef, Value, VmErrorKind,
21};
22
23#[derive(Any, Default, PartialEq, Eq, PartialOrd, Ord, Hash)]
25#[rune(item = ::std::bytes)]
26pub struct Bytes {
27 bytes: Vec<u8>,
28}
29
30impl Bytes {
31 #[inline]
42 pub const fn new() -> Self {
43 Bytes { bytes: Vec::new() }
44 }
45
46 #[inline]
60 pub fn with_capacity(cap: usize) -> alloc::Result<Self> {
61 Ok(Self {
62 bytes: Vec::try_with_capacity(cap)?,
63 })
64 }
65
66 #[inline]
81 pub fn into_vec(self) -> Vec<u8> {
82 self.bytes
83 }
84
85 #[inline]
99 pub fn as_slice(&self) -> &[u8] {
100 &self.bytes
101 }
102
103 #[inline]
118 pub fn from_slice<B>(bytes: B) -> alloc::Result<Self>
119 where
120 B: AsRef<[u8]>,
121 {
122 Ok(Self {
123 bytes: Vec::try_from(bytes.as_ref())?,
124 })
125 }
126
127 #[inline]
140 pub fn from_vec(bytes: Vec<u8>) -> Self {
141 Self { bytes }
142 }
143
144 pub fn extend<O>(&mut self, other: O) -> alloc::Result<()>
159 where
160 O: AsRef<[u8]>,
161 {
162 self.bytes.try_extend_from_slice(other.as_ref())
163 }
164
165 pub fn is_empty(&self) -> bool {
176 self.bytes.is_empty()
177 }
178
179 pub fn len(&self) -> usize {
192 self.bytes.len()
193 }
194
195 pub fn capacity(&self) -> usize {
197 self.bytes.capacity()
198 }
199
200 pub fn clear(&mut self) {
202 self.bytes.clear();
203 }
204
205 pub fn reserve(&mut self, additional: usize) -> alloc::Result<()> {
209 self.bytes.try_reserve(additional)
210 }
211
212 pub fn reserve_exact(&mut self, additional: usize) -> alloc::Result<()> {
214 self.bytes.try_reserve_exact(additional)
215 }
216
217 pub fn shrink_to_fit(&mut self) -> alloc::Result<()> {
219 self.bytes.try_shrink_to_fit()
220 }
221
222 pub fn pop(&mut self) -> Option<u8> {
235 self.bytes.pop()
236 }
237
238 pub fn push(&mut self, value: u8) -> alloc::Result<()> {
251 self.bytes.try_push(value)
252 }
253
254 pub fn remove(&mut self, index: usize) -> u8 {
271 self.bytes.remove(index)
272 }
273
274 pub fn insert(&mut self, index: usize, value: u8) -> alloc::Result<()> {
292 self.bytes.try_insert(index, value)
293 }
294
295 pub(crate) fn index_get(&self, index: Value) -> VmResult<Option<Value>> {
302 bytes_slice_index_get(&self.bytes, index)
303 }
304
305 pub fn set(&mut self, index: usize, value: u8) -> VmResult<()> {
318 let Some(v) = self.bytes.get_mut(index) else {
319 return VmResult::err(VmErrorKind::OutOfRange {
320 index: index.into(),
321 length: self.len().into(),
322 });
323 };
324
325 *v = value;
326 VmResult::Ok(())
327 }
328
329 pub fn first(&self) -> Option<u8> {
342 self.bytes.first().copied()
343 }
344
345 pub fn last(&self) -> Option<u8> {
358 self.bytes.last().copied()
359 }
360}
361
362impl TryClone for Bytes {
363 #[inline]
364 fn try_clone(&self) -> alloc::Result<Self> {
365 Ok(Self {
366 bytes: self.bytes.try_clone()?,
367 })
368 }
369}
370
371impl From<Vec<u8>> for Bytes {
372 #[inline]
373 fn from(bytes: Vec<u8>) -> Self {
374 Self { bytes }
375 }
376}
377
378#[cfg(feature = "alloc")]
379impl TryFrom<&[u8]> for Bytes {
380 type Error = alloc::Error;
381
382 #[inline]
383 fn try_from(value: &[u8]) -> Result<Self, Self::Error> {
384 let mut bytes = Vec::try_with_capacity(value.len())?;
385 bytes.try_extend_from_slice(value)?;
386 Ok(Self { bytes })
387 }
388}
389
390#[cfg(feature = "alloc")]
391impl TryFrom<::rust_alloc::vec::Vec<u8>> for Bytes {
392 type Error = alloc::Error;
393
394 #[inline]
395 fn try_from(bytes: ::rust_alloc::vec::Vec<u8>) -> Result<Self, Self::Error> {
396 Ok(Self {
397 bytes: Vec::try_from(bytes)?,
398 })
399 }
400}
401
402impl From<Box<[u8]>> for Bytes {
403 #[inline]
404 fn from(bytes: Box<[u8]>) -> Self {
405 Self {
406 bytes: Vec::from(bytes),
407 }
408 }
409}
410
411#[cfg(feature = "alloc")]
412impl TryFrom<::rust_alloc::boxed::Box<[u8]>> for Bytes {
413 type Error = alloc::Error;
414
415 #[inline]
416 fn try_from(bytes: ::rust_alloc::boxed::Box<[u8]>) -> Result<Self, Self::Error> {
417 Ok(Self {
418 bytes: Vec::try_from(bytes.as_ref())?,
419 })
420 }
421}
422
423impl fmt::Debug for Bytes {
424 #[inline]
425 fn fmt(&self, fmt: &mut fmt::Formatter<'_>) -> fmt::Result {
426 fmt.debug_list().entries(&self.bytes).finish()
427 }
428}
429
430impl ops::Deref for Bytes {
431 type Target = [u8];
432
433 #[inline]
434 fn deref(&self) -> &Self::Target {
435 &self.bytes
436 }
437}
438
439impl ops::DerefMut for Bytes {
440 #[inline]
441 fn deref_mut(&mut self) -> &mut Self::Target {
442 &mut self.bytes
443 }
444}
445
446impl AsRef<[u8]> for Bytes {
447 #[inline]
448 fn as_ref(&self) -> &[u8] {
449 &self.bytes
450 }
451}
452
453impl UnsafeToRef for [u8] {
454 type Guard = RawAnyGuard;
455
456 #[inline]
457 unsafe fn unsafe_to_ref<'a>(value: Value) -> Result<(&'a Self, Self::Guard), RuntimeError> {
458 let (value, guard) = Ref::into_raw(value.into_ref::<Bytes>()?);
459 Ok((value.as_ref().as_slice(), guard))
460 }
461}
462
463impl<const N: usize> PartialEq<[u8; N]> for Bytes {
464 #[inline]
465 fn eq(&self, other: &[u8; N]) -> bool {
466 self.bytes == other[..]
467 }
468}
469
470impl<const N: usize> PartialEq<&[u8; N]> for Bytes {
471 #[inline]
472 fn eq(&self, other: &&[u8; N]) -> bool {
473 self.bytes == other[..]
474 }
475}
476
477impl<const N: usize> PartialEq<Bytes> for [u8; N] {
478 #[inline]
479 fn eq(&self, other: &Bytes) -> bool {
480 self[..] == other.bytes
481 }
482}
483
484impl<const N: usize> PartialEq<Bytes> for &[u8; N] {
485 #[inline]
486 fn eq(&self, other: &Bytes) -> bool {
487 self[..] == other.bytes
488 }
489}
490
491impl PartialEq<[u8]> for Bytes {
492 #[inline]
493 fn eq(&self, other: &[u8]) -> bool {
494 self.bytes == other
495 }
496}
497
498impl PartialEq<Bytes> for [u8] {
499 #[inline]
500 fn eq(&self, other: &Bytes) -> bool {
501 self == other.bytes
502 }
503}
504
505impl ser::Serialize for Bytes {
506 fn serialize<S>(&self, serializer: S) -> Result<S::Ok, S::Error>
507 where
508 S: ser::Serializer,
509 {
510 serializer.serialize_bytes(&self.bytes)
511 }
512}
513
514impl<'de> de::Deserialize<'de> for Bytes {
515 fn deserialize<D>(deserializer: D) -> Result<Self, D::Error>
516 where
517 D: de::Deserializer<'de>,
518 {
519 struct Visitor;
520
521 impl de::Visitor<'_> for Visitor {
522 type Value = Bytes;
523
524 #[inline]
525 fn expecting(&self, f: &mut fmt::Formatter) -> fmt::Result {
526 write!(f, "a byte array")
527 }
528
529 #[inline]
530 fn visit_bytes<E>(self, v: &[u8]) -> Result<Self::Value, E>
531 where
532 E: de::Error,
533 {
534 Bytes::from_slice(v).map_err(E::custom)
535 }
536 }
537
538 deserializer.deserialize_bytes(Visitor)
539 }
540}
541
542impl TryFrom<&[u8]> for Value {
543 type Error = alloc::Error;
544
545 #[inline]
546 fn try_from(value: &[u8]) -> Result<Self, Self::Error> {
547 Value::new(Bytes::try_from(value)?)
548 }
549}
550
551impl IntoOutput for &[u8] {
552 #[inline]
553 fn into_output(self) -> Result<Value, RuntimeError> {
554 Ok(Value::try_from(self)?)
555 }
556}
557
558pub fn bytes_slice_index_get(this: &[u8], index: Value) -> VmResult<Option<Value>> {
560 let slice: Option<&[u8]> = 'out: {
561 if let Some(value) = index.as_any() {
562 match value.type_hash() {
563 RangeFrom::HASH => {
564 let range = vm_try!(value.borrow_ref::<RangeFrom>());
565 let start = vm_try!(range.start.as_usize());
566 break 'out this.get(start..);
567 }
568 RangeFull::HASH => {
569 _ = vm_try!(value.borrow_ref::<RangeFull>());
570 break 'out this.get(..);
571 }
572 RangeInclusive::HASH => {
573 let range = vm_try!(value.borrow_ref::<RangeInclusive>());
574 let start = vm_try!(range.start.as_usize());
575 let end = vm_try!(range.end.as_usize());
576 break 'out this.get(start..=end);
577 }
578 RangeToInclusive::HASH => {
579 let range = vm_try!(value.borrow_ref::<RangeToInclusive>());
580 let end = vm_try!(range.end.as_usize());
581 break 'out this.get(..=end);
582 }
583 RangeTo::HASH => {
584 let range = vm_try!(value.borrow_ref::<RangeTo>());
585 let end = vm_try!(range.end.as_usize());
586 break 'out this.get(..end);
587 }
588 Range::HASH => {
589 let range = vm_try!(value.borrow_ref::<Range>());
590 let start = vm_try!(range.start.as_usize());
591 let end = vm_try!(range.end.as_usize());
592 break 'out this.get(start..end);
593 }
594 _ => {}
595 }
596 };
597
598 let index = vm_try!(usize::from_value(index));
599 let Some(value) = this.get(index) else {
600 return VmResult::Ok(None);
601 };
602
603 return VmResult::Ok(Some((*value).into()));
604 };
605
606 let Some(values) = slice else {
607 return VmResult::Ok(None);
608 };
609
610 let bytes = vm_try!(Bytes::try_from(values));
611 VmResult::Ok(Some(vm_try!(bytes.try_into())))
612}