artichoke_backend/
io.rs

1use std::borrow::Cow;
2use std::error;
3use std::fmt;
4use std::io;
5
6use crate::Artichoke;
7use crate::core::{ClassRegistry, Io, TryConvertMut};
8use crate::error::{Error, RubyException};
9use crate::ffi::InterpreterExtractError;
10use crate::state::output::Output;
11use crate::sys;
12
13impl Io for Artichoke {
14    type Error = Error;
15
16    /// Writes the given bytes to the interpreter stdout stream.
17    ///
18    /// This implementation delegates to the underlying output strategy.
19    ///
20    /// # Errors
21    ///
22    /// If the output stream encounters an error, an error is returned.
23    fn print(&mut self, message: &[u8]) -> Result<(), Self::Error> {
24        let state = self.state.as_deref_mut().ok_or_else(InterpreterExtractError::new)?;
25        state.output.write_stdout(message)?;
26        Ok(())
27    }
28
29    /// Writes the given bytes to the interpreter stdout stream followed by a
30    /// newline.
31    ///
32    /// This implementation delegates to the underlying output strategy.
33    ///
34    /// # Errors
35    ///
36    /// If the output stream encounters an error, an error is returned.
37    fn puts(&mut self, message: &[u8]) -> Result<(), Self::Error> {
38        let state = self.state.as_deref_mut().ok_or_else(InterpreterExtractError::new)?;
39        state.output.write_stdout(message)?;
40        state.output.write_stdout(b"\n")?;
41        Ok(())
42    }
43}
44
45#[derive(Debug)]
46pub struct IoError(io::Error);
47
48impl From<io::Error> for IoError {
49    fn from(err: io::Error) -> Self {
50        Self(err)
51    }
52}
53
54impl From<io::Error> for Error {
55    fn from(err: io::Error) -> Self {
56        Self::from(IoError::from(err))
57    }
58}
59
60impl fmt::Display for IoError {
61    fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
62        write!(f, "IOError: {}", self.0)
63    }
64}
65
66impl error::Error for IoError {
67    fn source(&self) -> Option<&(dyn error::Error + 'static)> {
68        Some(&self.0)
69    }
70}
71
72impl RubyException for IoError {
73    fn message(&self) -> Cow<'_, [u8]> {
74        self.0.to_string().into_bytes().into()
75    }
76
77    fn name(&self) -> Cow<'_, str> {
78        "IOError".into()
79    }
80
81    fn vm_backtrace(&self, interp: &mut Artichoke) -> Option<Vec<Vec<u8>>> {
82        let _ = interp;
83        None
84    }
85
86    fn as_mrb_value(&self, interp: &mut Artichoke) -> Option<sys::mrb_value> {
87        let message = interp.try_convert_mut(self.message()).ok()?;
88        let value = interp
89            .new_instance::<spinoso_exception::IOError>(&[message])
90            .ok()
91            .flatten()?;
92        Some(value.inner())
93    }
94}
95
96impl From<IoError> for Error {
97    fn from(exception: IoError) -> Self {
98        let err: Box<dyn RubyException> = Box::new(exception);
99        Self::from(err)
100    }
101}