winnow/stream/
partial.rs

1use crate::error::Needed;
2use crate::stream::AsBStr;
3use crate::stream::AsBytes;
4use crate::stream::Checkpoint;
5use crate::stream::Compare;
6use crate::stream::CompareResult;
7use crate::stream::FindSlice;
8use crate::stream::Location;
9use crate::stream::Offset;
10#[cfg(feature = "unstable-recover")]
11#[cfg(feature = "std")]
12use crate::stream::Recover;
13use crate::stream::SliceLen;
14use crate::stream::Stream;
15use crate::stream::StreamIsPartial;
16use crate::stream::UpdateSlice;
17
18/// Mark the input as a partial buffer for streaming input.
19///
20/// Complete input means that we already have all of the data. This will be the common case with
21/// small files that can be read entirely to memory.
22///
23/// In contrast, streaming input assumes that we might not have all of the data.
24/// This can happen with some network protocol or large file parsers, where the
25/// input buffer can be full and need to be resized or refilled.
26/// - [`ErrMode::Incomplete`][crate::error::ErrMode::Incomplete] will report how much more data is needed.
27/// - [`Parser::complete_err`][crate::Parser::complete_err] transform
28///   [`ErrMode::Incomplete`][crate::error::ErrMode::Incomplete] to
29///   [`ErrMode::Backtrack`][crate::error::ErrMode::Backtrack]
30///
31/// See also [`StreamIsPartial`] to tell whether the input supports complete or partial parsing.
32///
33/// See also [Special Topics: Parsing Partial Input][crate::_topic::partial].
34///
35/// # Example
36///
37/// Here is how it works in practice:
38///
39/// ```rust
40/// # use winnow::{Result, error::ErrMode, error::Needed, error::ContextError, token, ascii, stream::Partial};
41/// # use winnow::prelude::*;
42///
43/// fn take_partial<'s>(i: &mut Partial<&'s [u8]>) -> ModalResult<&'s [u8], ContextError> {
44///   token::take(4u8).parse_next(i)
45/// }
46///
47/// fn take_complete<'s>(i: &mut &'s [u8]) -> ModalResult<&'s [u8], ContextError> {
48///   token::take(4u8).parse_next(i)
49/// }
50///
51/// // both parsers will take 4 bytes as expected
52/// assert_eq!(take_partial.parse_peek(Partial::new(&b"abcde"[..])), Ok((Partial::new(&b"e"[..]), &b"abcd"[..])));
53/// assert_eq!(take_complete.parse_peek(&b"abcde"[..]), Ok((&b"e"[..], &b"abcd"[..])));
54///
55/// // if the input is smaller than 4 bytes, the partial parser
56/// // will return `Incomplete` to indicate that we need more data
57/// assert_eq!(take_partial.parse_peek(Partial::new(&b"abc"[..])), Err(ErrMode::Incomplete(Needed::new(1))));
58///
59/// // but the complete parser will return an error
60/// assert!(take_complete.parse_peek(&b"abc"[..]).is_err());
61///
62/// // the alpha0 function takes 0 or more alphabetic characters
63/// fn alpha0_partial<'s>(i: &mut Partial<&'s str>) -> ModalResult<&'s str, ContextError> {
64///   ascii::alpha0.parse_next(i)
65/// }
66///
67/// fn alpha0_complete<'s>(i: &mut &'s str) -> ModalResult<&'s str, ContextError> {
68///   ascii::alpha0.parse_next(i)
69/// }
70///
71/// // if there's a clear limit to the taken characters, both parsers work the same way
72/// assert_eq!(alpha0_partial.parse_peek(Partial::new("abcd;")), Ok((Partial::new(";"), "abcd")));
73/// assert_eq!(alpha0_complete.parse_peek("abcd;"), Ok((";", "abcd")));
74///
75/// // but when there's no limit, the partial version returns `Incomplete`, because it cannot
76/// // know if more input data should be taken. The whole input could be "abcd;", or
77/// // "abcde;"
78/// assert_eq!(alpha0_partial.parse_peek(Partial::new("abcd")), Err(ErrMode::Incomplete(Needed::new(1))));
79///
80/// // while the complete version knows that all of the data is there
81/// assert_eq!(alpha0_complete.parse_peek("abcd"), Ok(("", "abcd")));
82/// ```
83#[derive(Copy, Clone, Debug, PartialEq, Eq, PartialOrd, Ord)]
84pub struct Partial<I> {
85    input: I,
86    partial: bool,
87}
88
89impl<I> Partial<I>
90where
91    I: StreamIsPartial,
92{
93    /// Create a partial input
94    #[inline]
95    pub fn new(input: I) -> Self {
96        debug_assert!(
97            !I::is_partial_supported(),
98            "`Partial` can only wrap complete sources"
99        );
100        let partial = true;
101        Self { input, partial }
102    }
103
104    /// Extract the original [`Stream`]
105    #[inline(always)]
106    pub fn into_inner(self) -> I {
107        self.input
108    }
109}
110
111impl<I> Default for Partial<I>
112where
113    I: Default + StreamIsPartial,
114{
115    #[inline]
116    fn default() -> Self {
117        Self::new(I::default())
118    }
119}
120
121impl<I> crate::lib::std::ops::Deref for Partial<I> {
122    type Target = I;
123
124    #[inline(always)]
125    fn deref(&self) -> &Self::Target {
126        &self.input
127    }
128}
129
130impl<I: crate::lib::std::fmt::Display> crate::lib::std::fmt::Display for Partial<I> {
131    fn fmt(&self, f: &mut crate::lib::std::fmt::Formatter<'_>) -> crate::lib::std::fmt::Result {
132        self.input.fmt(f)
133    }
134}
135
136impl<I> SliceLen for Partial<I>
137where
138    I: SliceLen,
139{
140    #[inline(always)]
141    fn slice_len(&self) -> usize {
142        self.input.slice_len()
143    }
144}
145
146impl<I: Stream> Stream for Partial<I> {
147    type Token = <I as Stream>::Token;
148    type Slice = <I as Stream>::Slice;
149
150    type IterOffsets = <I as Stream>::IterOffsets;
151
152    type Checkpoint = Checkpoint<I::Checkpoint, Self>;
153
154    #[inline(always)]
155    fn iter_offsets(&self) -> Self::IterOffsets {
156        self.input.iter_offsets()
157    }
158    #[inline(always)]
159    fn eof_offset(&self) -> usize {
160        self.input.eof_offset()
161    }
162
163    #[inline(always)]
164    fn next_token(&mut self) -> Option<Self::Token> {
165        self.input.next_token()
166    }
167
168    #[inline(always)]
169    fn peek_token(&self) -> Option<Self::Token> {
170        self.input.peek_token()
171    }
172
173    #[inline(always)]
174    fn offset_for<P>(&self, predicate: P) -> Option<usize>
175    where
176        P: Fn(Self::Token) -> bool,
177    {
178        self.input.offset_for(predicate)
179    }
180    #[inline(always)]
181    fn offset_at(&self, tokens: usize) -> Result<usize, Needed> {
182        self.input.offset_at(tokens)
183    }
184    #[inline(always)]
185    fn next_slice(&mut self, offset: usize) -> Self::Slice {
186        self.input.next_slice(offset)
187    }
188    #[inline(always)]
189    fn peek_slice(&self, offset: usize) -> Self::Slice {
190        self.input.peek_slice(offset)
191    }
192
193    #[inline(always)]
194    fn checkpoint(&self) -> Self::Checkpoint {
195        Checkpoint::<_, Self>::new(self.input.checkpoint())
196    }
197    #[inline(always)]
198    fn reset(&mut self, checkpoint: &Self::Checkpoint) {
199        self.input.reset(&checkpoint.inner);
200    }
201
202    #[inline(always)]
203    fn raw(&self) -> &dyn crate::lib::std::fmt::Debug {
204        &self.input
205    }
206}
207
208impl<I> Location for Partial<I>
209where
210    I: Location,
211{
212    #[inline(always)]
213    fn previous_token_end(&self) -> usize {
214        self.input.previous_token_end()
215    }
216    #[inline(always)]
217    fn current_token_start(&self) -> usize {
218        self.input.current_token_start()
219    }
220}
221
222#[cfg(feature = "unstable-recover")]
223#[cfg(feature = "std")]
224impl<I, E> Recover<E> for Partial<I>
225where
226    I: Recover<E>,
227    I: Stream,
228{
229    #[inline(always)]
230    fn record_err(
231        &mut self,
232        _token_start: &Self::Checkpoint,
233        _err_start: &Self::Checkpoint,
234        err: E,
235    ) -> Result<(), E> {
236        Err(err)
237    }
238
239    /// Report whether the [`Stream`] can save off errors for recovery
240    #[inline(always)]
241    fn is_recovery_supported() -> bool {
242        false
243    }
244}
245
246impl<I> StreamIsPartial for Partial<I>
247where
248    I: StreamIsPartial,
249{
250    type PartialState = bool;
251
252    #[inline]
253    fn complete(&mut self) -> Self::PartialState {
254        core::mem::replace(&mut self.partial, false)
255    }
256
257    #[inline]
258    fn restore_partial(&mut self, state: Self::PartialState) {
259        self.partial = state;
260    }
261
262    #[inline(always)]
263    fn is_partial_supported() -> bool {
264        true
265    }
266
267    #[inline(always)]
268    fn is_partial(&self) -> bool {
269        self.partial
270    }
271}
272
273impl<I> Offset for Partial<I>
274where
275    I: Stream,
276{
277    #[inline(always)]
278    fn offset_from(&self, start: &Self) -> usize {
279        self.offset_from(&start.checkpoint())
280    }
281}
282
283impl<I> Offset<<Partial<I> as Stream>::Checkpoint> for Partial<I>
284where
285    I: Stream,
286{
287    #[inline(always)]
288    fn offset_from(&self, other: &<Partial<I> as Stream>::Checkpoint) -> usize {
289        self.checkpoint().offset_from(other)
290    }
291}
292
293impl<I> AsBytes for Partial<I>
294where
295    I: AsBytes,
296{
297    #[inline(always)]
298    fn as_bytes(&self) -> &[u8] {
299        self.input.as_bytes()
300    }
301}
302
303impl<I> AsBStr for Partial<I>
304where
305    I: AsBStr,
306{
307    #[inline(always)]
308    fn as_bstr(&self) -> &[u8] {
309        self.input.as_bstr()
310    }
311}
312
313impl<I, T> Compare<T> for Partial<I>
314where
315    I: Compare<T>,
316{
317    #[inline(always)]
318    fn compare(&self, t: T) -> CompareResult {
319        self.input.compare(t)
320    }
321}
322
323impl<I, T> FindSlice<T> for Partial<I>
324where
325    I: FindSlice<T>,
326{
327    #[inline(always)]
328    fn find_slice(&self, substr: T) -> Option<crate::lib::std::ops::Range<usize>> {
329        self.input.find_slice(substr)
330    }
331}
332
333impl<I> UpdateSlice for Partial<I>
334where
335    I: UpdateSlice,
336{
337    #[inline(always)]
338    fn update_slice(self, inner: Self::Slice) -> Self {
339        Partial {
340            input: I::update_slice(self.input, inner),
341            partial: self.partial,
342        }
343    }
344}