rune/runtime/stream.rs
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260
use core::fmt;
use crate as rune;
use crate::alloc::clone::TryClone;
use crate::alloc::fmt::TryWrite;
use crate::runtime::{
Formatter, GeneratorState, Mut, Value, Vm, VmErrorKind, VmExecution, VmResult,
};
use crate::Any;
/// A stream produced by an async generator function.
///
/// Generator are async functions or closures which contain the `yield`
/// expressions.
///
/// # Examples
///
/// ```rune
/// use std::stream::Stream;
///
/// let f = async |n| {
/// yield n;
/// yield n + 1;
/// };
///
/// let g = f(10);
///
/// assert!(g is Stream);
/// ```
#[derive(Any)]
#[rune(impl_params = [Vm], item = ::std::stream)]
pub struct Stream<T = Vm>
where
T: AsRef<Vm> + AsMut<Vm>,
{
execution: Option<VmExecution<T>>,
}
impl<T> Stream<T>
where
T: AsRef<Vm> + AsMut<Vm>,
{
/// Construct a stream from a virtual machine.
pub(crate) fn new(vm: T) -> Self {
Self {
execution: Some(VmExecution::new(vm)),
}
}
/// Construct a generator from a complete execution.
pub(crate) fn from_execution(execution: VmExecution<T>) -> Self {
Self {
execution: Some(execution),
}
}
/// Get the next value produced by this stream.
pub async fn next(&mut self) -> VmResult<Option<Value>> {
let Some(execution) = self.execution.as_mut() else {
return VmResult::Ok(None);
};
let state = if execution.is_resumed() {
vm_try!(execution.async_resume_with(Value::empty()).await)
} else {
vm_try!(execution.async_resume().await)
};
VmResult::Ok(match state {
GeneratorState::Yielded(value) => Some(value),
GeneratorState::Complete(_) => {
self.execution = None;
None
}
})
}
/// Resume the generator and return the next generator state.
pub async fn resume(&mut self, value: Value) -> VmResult<GeneratorState> {
let execution = vm_try!(self
.execution
.as_mut()
.ok_or(VmErrorKind::GeneratorComplete));
let state = if execution.is_resumed() {
vm_try!(execution.async_resume_with(value).await)
} else {
vm_try!(execution.async_resume().await)
};
if state.is_complete() {
self.execution = None;
}
VmResult::Ok(state)
}
}
impl Stream {
/// Get the next value produced by this stream through an asynchronous
/// iterator-like protocol.
///
/// This function will resume execution until a value is produced through
/// `GeneratorState::Yielded(value)`, at which point it will return
/// `Some(value)`. Once `GeneratorState::Complete` is returned `None` will
/// be returned.
///
/// # Examples
///
/// ```rune
/// use std::ops::GeneratorState;
///
/// async fn generate() {
/// yield 1;
/// yield 2;
/// }
///
/// let g = generate();
///
/// assert_eq!(g.next().await, Some(1));
/// assert_eq!(g.next().await, Some(2));
/// assert_eq!(g.next().await, None);
/// ``
#[rune::function(keep, instance, path = Self::next)]
pub(crate) async fn next_shared(mut this: Mut<Stream>) -> VmResult<Option<Value>> {
this.next().await
}
/// Resumes the execution of this stream.
///
/// This function will resume execution of the stream or start execution if
/// it hasn't already. This call will return back into the stream's last
/// suspension point, resuming execution from the latest `yield`. The stream
/// will continue executing until it either yields or returns, at which
/// point this function will return.
///
/// # Return value
///
/// The `GeneratorState` enum returned from this function indicates what
/// state the stream is in upon returning. If the `Yielded` variant is
/// returned then the stream has reached a suspension point and a value has
/// been yielded out. Streams in this state are available for resumption at
/// a later point.
///
/// If `Complete` is returned then the stream has completely finished with
/// the value provided. It is invalid for the stream to be resumed again.
///
/// # Panics
///
/// This function may panic if it is called after the `Complete` variant has
/// been returned previously. While stream literals in the language are
/// guaranteed to panic on resuming after `Complete`, this is not guaranteed
/// for all implementations of the `Stream`.
///
/// # Examples
///
/// ```rune
/// use std::ops::GeneratorState;
///
/// async fn generate() {
/// let n = yield 1;
/// yield 2 + n;
/// }
///
/// let g = generate();
///
/// assert_eq!(g.resume(()).await, GeneratorState::Yielded(1));
/// assert_eq!(g.resume(1).await, GeneratorState::Yielded(3));
/// assert_eq!(g.resume(()).await, GeneratorState::Complete(()));
/// ``
#[rune::function(keep, instance, path = Self::resume)]
pub(crate) async fn resume_shared(
mut this: Mut<Stream>,
value: Value,
) -> VmResult<GeneratorState> {
this.resume(value).await
}
/// Debug print this stream
///
/// # Examples
///
/// ```rune
/// use std::ops::GeneratorState;
///
/// fn generate() {
/// let n = yield 1;
/// yield 2 + n;
/// }
///
/// let a = generate();
///
/// println!("{a:?}");
/// ``
#[rune::function(keep, instance, protocol = DEBUG_FMT)]
fn debug(&self, f: &mut Formatter) -> VmResult<()> {
vm_write!(f, "{self:?}")
}
/// Clone a stream.
///
/// This clones the state of the stream too, allowing it to be resumed
/// independently.
///
/// # Examples
///
/// ```rune
/// use std::ops::GeneratorState;
///
/// async fn generate() {
/// let n = yield 1;
/// yield 2 + n;
/// }
///
/// let a = generate();
///
/// assert_eq!(a.resume(()).await, GeneratorState::Yielded(1));
/// let b = a.clone();
/// assert_eq!(a.resume(2).await, GeneratorState::Yielded(4));
/// assert_eq!(b.resume(3).await, GeneratorState::Yielded(5));
///
/// assert_eq!(a.resume(()).await, GeneratorState::Complete(()));
/// assert_eq!(b.resume(()).await, GeneratorState::Complete(()));
/// ``
#[rune::function(keep, instance, protocol = CLONE)]
fn clone(&self) -> VmResult<Self> {
VmResult::Ok(vm_try!(self.try_clone()))
}
}
impl Stream<&mut Vm> {
/// Convert the current stream into one which owns its virtual machine.
pub fn into_owned(self) -> Stream<Vm> {
Stream {
execution: self.execution.map(|e| e.into_owned()),
}
}
}
impl<T> fmt::Debug for Stream<T>
where
T: AsRef<Vm> + AsMut<Vm>,
{
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
f.debug_struct("Stream")
.field("completed", &self.execution.is_none())
.finish()
}
}
impl<T> TryClone for Stream<T>
where
T: TryClone + AsRef<Vm> + AsMut<Vm>,
{
fn try_clone(&self) -> crate::alloc::Result<Self> {
Ok(Self {
execution: self.execution.try_clone()?,
})
}
}