zstd_safe/
lib.rs

1#![no_std]
2//! Minimal safe wrapper around zstd-sys.
3//!
4//! This crates provides a minimal translation of the [zstd-sys] methods.
5//! For a more comfortable high-level library, see the [zstd] crate.
6//!
7//! [zstd-sys]: https://crates.io/crates/zstd-sys
8//! [zstd]: https://crates.io/crates/zstd
9//!
10//! Most of the functions here map 1-for-1 to a function from
11//! [the C zstd library][zstd-c] mentioned in their descriptions.
12//! Check the [source documentation][doc] for more information on their
13//! behaviour.
14//!
15//! [doc]: https://facebook.github.io/zstd/zstd_manual.html
16//! [zstd-c]: https://facebook.github.io/zstd/
17//!
18//! Features denoted as experimental in the C library are hidden behind an
19//! `experimental` feature.
20#![cfg_attr(feature = "doc-cfg", feature(doc_cfg))]
21
22// TODO: Use alloc feature instead to implement stuff for Vec
23// TODO: What about Cursor?
24#[cfg(feature = "std")]
25extern crate std;
26
27#[cfg(test)]
28mod tests;
29
30#[cfg(feature = "seekable")]
31pub mod seekable;
32
33// Re-export zstd-sys
34pub use zstd_sys;
35
36/// How to compress data.
37pub use zstd_sys::ZSTD_strategy as Strategy;
38
39/// Frame progression state.
40#[cfg(feature = "experimental")]
41#[cfg_attr(feature = "doc-cfg", doc(cfg(feature = "experimental")))]
42pub use zstd_sys::ZSTD_frameProgression as FrameProgression;
43
44/// Reset directive.
45// pub use zstd_sys::ZSTD_ResetDirective as ResetDirective;
46use core::ffi::{c_char, c_int, c_ulonglong, c_void};
47
48use core::marker::PhantomData;
49use core::num::{NonZeroU32, NonZeroU64};
50use core::ops::{Deref, DerefMut};
51use core::ptr::NonNull;
52use core::str;
53
54include!("constants.rs");
55
56#[cfg(feature = "experimental")]
57include!("constants_experimental.rs");
58
59#[cfg(feature = "seekable")]
60include!("constants_seekable.rs");
61
62/// Represents the compression level used by zstd.
63pub type CompressionLevel = i32;
64
65/// Represents a possible error from the zstd library.
66pub type ErrorCode = usize;
67
68/// Wrapper result around most zstd functions.
69///
70/// Either a success code (usually number of bytes written), or an error code.
71pub type SafeResult = Result<usize, ErrorCode>;
72
73/// Indicates an error happened when parsing the frame content size.
74///
75/// The stream may be corrupted, or the given frame prefix was too small.
76#[derive(Debug)]
77pub struct ContentSizeError;
78
79impl core::fmt::Display for ContentSizeError {
80    fn fmt(&self, f: &mut core::fmt::Formatter<'_>) -> core::fmt::Result {
81        f.write_str("Could not get content size")
82    }
83}
84
85/// Returns true if code represents error.
86fn is_error(code: usize) -> bool {
87    // Safety: Just FFI
88    unsafe { zstd_sys::ZSTD_isError(code) != 0 }
89}
90
91/// Parse the result code
92///
93/// Returns the number of bytes written if the code represents success,
94/// or the error message code otherwise.
95fn parse_code(code: usize) -> SafeResult {
96    if !is_error(code) {
97        Ok(code)
98    } else {
99        Err(code)
100    }
101}
102
103/// Parse a content size value.
104///
105/// zstd uses 2 special content size values to indicate either unknown size or parsing error.
106fn parse_content_size(
107    content_size: u64,
108) -> Result<Option<u64>, ContentSizeError> {
109    match content_size {
110        CONTENTSIZE_ERROR => Err(ContentSizeError),
111        CONTENTSIZE_UNKNOWN => Ok(None),
112        other => Ok(Some(other)),
113    }
114}
115
116fn ptr_void(src: &[u8]) -> *const c_void {
117    src.as_ptr() as *const c_void
118}
119
120fn ptr_mut_void(dst: &mut (impl WriteBuf + ?Sized)) -> *mut c_void {
121    dst.as_mut_ptr() as *mut c_void
122}
123
124/// Returns the ZSTD version.
125///
126/// Returns `major * 10_000 + minor * 100 + patch`.
127/// So 1.5.3 would be returned as `10_503`.
128pub fn version_number() -> u32 {
129    // Safety: Just FFI
130    unsafe { zstd_sys::ZSTD_versionNumber() as u32 }
131}
132
133/// Returns a string representation of the ZSTD version.
134///
135/// For example "1.5.3".
136pub fn version_string() -> &'static str {
137    // Safety: Assumes `ZSTD_versionString` returns a valid utf8 string.
138    unsafe { c_char_to_str(zstd_sys::ZSTD_versionString()) }
139}
140
141/// Returns the minimum (fastest) compression level supported.
142///
143/// This is likely going to be a _very_ large negative number.
144pub fn min_c_level() -> CompressionLevel {
145    // Safety: Just FFI
146    unsafe { zstd_sys::ZSTD_minCLevel() as CompressionLevel }
147}
148
149/// Returns the maximum (slowest) compression level supported.
150pub fn max_c_level() -> CompressionLevel {
151    // Safety: Just FFI
152    unsafe { zstd_sys::ZSTD_maxCLevel() as CompressionLevel }
153}
154
155/// Wraps the `ZSTD_compress` function.
156///
157/// This will try to compress `src` entirely and write the result to `dst`, returning the number of
158/// bytes written. If `dst` is too small to hold the compressed content, an error will be returned.
159///
160/// For streaming operations that don't require to store the entire input/output in memory, see
161/// `compress_stream`.
162pub fn compress<C: WriteBuf + ?Sized>(
163    dst: &mut C,
164    src: &[u8],
165    compression_level: CompressionLevel,
166) -> SafeResult {
167    // Safety: ZSTD_compress indeed returns how many bytes have been written.
168    unsafe {
169        dst.write_from(|buffer, capacity| {
170            parse_code(zstd_sys::ZSTD_compress(
171                buffer,
172                capacity,
173                ptr_void(src),
174                src.len(),
175                compression_level,
176            ))
177        })
178    }
179}
180
181/// Wraps the `ZSTD_decompress` function.
182///
183/// This is a one-step decompression (not streaming).
184///
185/// You will need to make sure `dst` is large enough to store all the decompressed content, or an
186/// error will be returned.
187///
188/// If decompression was a success, the number of bytes written will be returned.
189pub fn decompress<C: WriteBuf + ?Sized>(
190    dst: &mut C,
191    src: &[u8],
192) -> SafeResult {
193    // Safety: ZSTD_decompress indeed returns how many bytes have been written.
194    unsafe {
195        dst.write_from(|buffer, capacity| {
196            parse_code(zstd_sys::ZSTD_decompress(
197                buffer,
198                capacity,
199                ptr_void(src),
200                src.len(),
201            ))
202        })
203    }
204}
205
206/// Wraps the `ZSTD_getDecompressedSize` function.
207///
208/// Returns `None` if the size could not be found, or if the content is actually empty.
209#[deprecated(note = "Use ZSTD_getFrameContentSize instead")]
210pub fn get_decompressed_size(src: &[u8]) -> Option<NonZeroU64> {
211    // Safety: Just FFI
212    NonZeroU64::new(unsafe {
213        zstd_sys::ZSTD_getDecompressedSize(ptr_void(src), src.len()) as u64
214    })
215}
216
217/// Maximum compressed size in worst case single-pass scenario
218pub fn compress_bound(src_size: usize) -> usize {
219    // Safety: Just FFI
220    unsafe { zstd_sys::ZSTD_compressBound(src_size) }
221}
222
223/// Compression context
224///
225/// It is recommended to allocate a single context per thread and re-use it
226/// for many compression operations.
227pub struct CCtx<'a>(NonNull<zstd_sys::ZSTD_CCtx>, PhantomData<&'a ()>);
228
229impl Default for CCtx<'_> {
230    fn default() -> Self {
231        CCtx::create()
232    }
233}
234
235impl<'a> CCtx<'a> {
236    /// Tries to create a new context.
237    ///
238    /// Returns `None` if zstd returns a NULL pointer - may happen if allocation fails.
239    pub fn try_create() -> Option<Self> {
240        // Safety: Just FFI
241        Some(CCtx(
242            NonNull::new(unsafe { zstd_sys::ZSTD_createCCtx() })?,
243            PhantomData,
244        ))
245    }
246
247    /// Wrap `ZSTD_createCCtx`
248    ///
249    /// # Panics
250    ///
251    /// If zstd returns a NULL pointer.
252    pub fn create() -> Self {
253        Self::try_create()
254            .expect("zstd returned null pointer when creating new context")
255    }
256
257    /// Wraps the `ZSTD_compressCCtx()` function
258    pub fn compress<C: WriteBuf + ?Sized>(
259        &mut self,
260        dst: &mut C,
261        src: &[u8],
262        compression_level: CompressionLevel,
263    ) -> SafeResult {
264        // Safety: ZSTD_compressCCtx returns how many bytes were written.
265        unsafe {
266            dst.write_from(|buffer, capacity| {
267                parse_code(zstd_sys::ZSTD_compressCCtx(
268                    self.0.as_ptr(),
269                    buffer,
270                    capacity,
271                    ptr_void(src),
272                    src.len(),
273                    compression_level,
274                ))
275            })
276        }
277    }
278
279    /// Wraps the `ZSTD_compress2()` function.
280    pub fn compress2<C: WriteBuf + ?Sized>(
281        &mut self,
282        dst: &mut C,
283        src: &[u8],
284    ) -> SafeResult {
285        // Safety: ZSTD_compress2 returns how many bytes were written.
286        unsafe {
287            dst.write_from(|buffer, capacity| {
288                parse_code(zstd_sys::ZSTD_compress2(
289                    self.0.as_ptr(),
290                    buffer,
291                    capacity,
292                    ptr_void(src),
293                    src.len(),
294                ))
295            })
296        }
297    }
298
299    /// Wraps the `ZSTD_compress_usingDict()` function.
300    pub fn compress_using_dict<C: WriteBuf + ?Sized>(
301        &mut self,
302        dst: &mut C,
303        src: &[u8],
304        dict: &[u8],
305        compression_level: CompressionLevel,
306    ) -> SafeResult {
307        // Safety: ZSTD_compress_usingDict returns how many bytes were written.
308        unsafe {
309            dst.write_from(|buffer, capacity| {
310                parse_code(zstd_sys::ZSTD_compress_usingDict(
311                    self.0.as_ptr(),
312                    buffer,
313                    capacity,
314                    ptr_void(src),
315                    src.len(),
316                    ptr_void(dict),
317                    dict.len(),
318                    compression_level,
319                ))
320            })
321        }
322    }
323
324    /// Wraps the `ZSTD_compress_usingCDict()` function.
325    pub fn compress_using_cdict<C: WriteBuf + ?Sized>(
326        &mut self,
327        dst: &mut C,
328        src: &[u8],
329        cdict: &CDict<'_>,
330    ) -> SafeResult {
331        // Safety: ZSTD_compress_usingCDict returns how many bytes were written.
332        unsafe {
333            dst.write_from(|buffer, capacity| {
334                parse_code(zstd_sys::ZSTD_compress_usingCDict(
335                    self.0.as_ptr(),
336                    buffer,
337                    capacity,
338                    ptr_void(src),
339                    src.len(),
340                    cdict.0.as_ptr(),
341                ))
342            })
343        }
344    }
345
346    /// Initializes the context with the given compression level.
347    ///
348    /// This is equivalent to running:
349    /// * `reset()`
350    /// * `set_parameter(CompressionLevel, compression_level)`
351    pub fn init(&mut self, compression_level: CompressionLevel) -> SafeResult {
352        // Safety: Just FFI
353        let code = unsafe {
354            zstd_sys::ZSTD_initCStream(self.0.as_ptr(), compression_level)
355        };
356        parse_code(code)
357    }
358
359    /// Wraps the `ZSTD_initCStream_srcSize()` function.
360    #[cfg(feature = "experimental")]
361    #[cfg_attr(feature = "doc-cfg", doc(cfg(feature = "experimental")))]
362    #[deprecated]
363    pub fn init_src_size(
364        &mut self,
365        compression_level: CompressionLevel,
366        pledged_src_size: u64,
367    ) -> SafeResult {
368        // Safety: Just FFI
369        let code = unsafe {
370            zstd_sys::ZSTD_initCStream_srcSize(
371                self.0.as_ptr(),
372                compression_level as c_int,
373                pledged_src_size as c_ulonglong,
374            )
375        };
376        parse_code(code)
377    }
378
379    /// Wraps the `ZSTD_initCStream_usingDict()` function.
380    #[cfg(feature = "experimental")]
381    #[cfg_attr(feature = "doc-cfg", doc(cfg(feature = "experimental")))]
382    #[deprecated]
383    pub fn init_using_dict(
384        &mut self,
385        dict: &[u8],
386        compression_level: CompressionLevel,
387    ) -> SafeResult {
388        // Safety: Just FFI
389        let code = unsafe {
390            zstd_sys::ZSTD_initCStream_usingDict(
391                self.0.as_ptr(),
392                ptr_void(dict),
393                dict.len(),
394                compression_level,
395            )
396        };
397        parse_code(code)
398    }
399
400    /// Wraps the `ZSTD_initCStream_usingCDict()` function.
401    #[cfg(feature = "experimental")]
402    #[cfg_attr(feature = "doc-cfg", doc(cfg(feature = "experimental")))]
403    #[deprecated]
404    pub fn init_using_cdict<'b>(&mut self, cdict: &CDict<'b>) -> SafeResult
405    where
406        'b: 'a, // Dictionary outlives the stream.
407    {
408        // Safety: Just FFI
409        let code = unsafe {
410            zstd_sys::ZSTD_initCStream_usingCDict(
411                self.0.as_ptr(),
412                cdict.0.as_ptr(),
413            )
414        };
415        parse_code(code)
416    }
417
418    /// Tries to load a dictionary.
419    ///
420    /// The dictionary content will be copied internally and does not need to be kept alive after
421    /// calling this function.
422    ///
423    /// If you need to use the same dictionary for multiple contexts, it may be more efficient to
424    /// create a `CDict` first, then loads that.
425    ///
426    /// The dictionary will apply to all compressed frames, until a new dictionary is set.
427    pub fn load_dictionary(&mut self, dict: &[u8]) -> SafeResult {
428        // Safety: Just FFI
429        parse_code(unsafe {
430            zstd_sys::ZSTD_CCtx_loadDictionary(
431                self.0.as_ptr(),
432                ptr_void(dict),
433                dict.len(),
434            )
435        })
436    }
437
438    /// Wraps the `ZSTD_CCtx_refCDict()` function.
439    ///
440    /// Dictionary must outlive the context.
441    pub fn ref_cdict<'b>(&mut self, cdict: &CDict<'b>) -> SafeResult
442    where
443        'b: 'a,
444    {
445        // Safety: Just FFI
446        parse_code(unsafe {
447            zstd_sys::ZSTD_CCtx_refCDict(self.0.as_ptr(), cdict.0.as_ptr())
448        })
449    }
450
451    /// Return to "no-dictionary" mode.
452    ///
453    /// This will disable any dictionary/prefix previously registered for future frames.
454    pub fn disable_dictionary(&mut self) -> SafeResult {
455        // Safety: Just FFI
456        parse_code(unsafe {
457            zstd_sys::ZSTD_CCtx_loadDictionary(
458                self.0.as_ptr(),
459                core::ptr::null(),
460                0,
461            )
462        })
463    }
464
465    /// Use some prefix as single-use dictionary for the next compressed frame.
466    ///
467    /// Just like a dictionary, decompression will need to be given the same prefix.
468    ///
469    /// This is best used if the "prefix" looks like the data to be compressed.
470    pub fn ref_prefix<'b>(&mut self, prefix: &'b [u8]) -> SafeResult
471    where
472        'b: 'a,
473    {
474        // Safety: Just FFI
475        parse_code(unsafe {
476            zstd_sys::ZSTD_CCtx_refPrefix(
477                self.0.as_ptr(),
478                ptr_void(prefix),
479                prefix.len(),
480            )
481        })
482    }
483
484    /// Performs a step of a streaming compression operation.
485    ///
486    /// This will read some data from `input` and/or write some data to `output`.
487    ///
488    /// # Returns
489    ///
490    /// A hint for the "ideal" amount of input data to provide in the next call.
491    ///
492    /// This hint is only for performance purposes.
493    ///
494    /// Wraps the `ZSTD_compressStream()` function.
495    pub fn compress_stream<C: WriteBuf + ?Sized>(
496        &mut self,
497        output: &mut OutBuffer<'_, C>,
498        input: &mut InBuffer<'_>,
499    ) -> SafeResult {
500        let mut output = output.wrap();
501        let mut input = input.wrap();
502        // Safety: Just FFI
503        let code = unsafe {
504            zstd_sys::ZSTD_compressStream(
505                self.0.as_ptr(),
506                ptr_mut(&mut output),
507                ptr_mut(&mut input),
508            )
509        };
510        parse_code(code)
511    }
512
513    /// Performs a step of a streaming compression operation.
514    ///
515    /// This will read some data from `input` and/or write some data to `output`.
516    ///
517    /// The `end_op` directive can be used to specify what to do after: nothing special, flush
518    /// internal buffers, or end the frame.
519    ///
520    /// # Returns
521    ///
522    /// An lower bound for the amount of data that still needs to be flushed out.
523    ///
524    /// This is useful when flushing or ending the frame: you need to keep calling this function
525    /// until it returns 0.
526    ///
527    /// Wraps the `ZSTD_compressStream2()` function.
528    pub fn compress_stream2<C: WriteBuf + ?Sized>(
529        &mut self,
530        output: &mut OutBuffer<'_, C>,
531        input: &mut InBuffer<'_>,
532        end_op: zstd_sys::ZSTD_EndDirective,
533    ) -> SafeResult {
534        let mut output = output.wrap();
535        let mut input = input.wrap();
536        // Safety: Just FFI
537        parse_code(unsafe {
538            zstd_sys::ZSTD_compressStream2(
539                self.0.as_ptr(),
540                ptr_mut(&mut output),
541                ptr_mut(&mut input),
542                end_op,
543            )
544        })
545    }
546
547    /// Flush any intermediate buffer.
548    ///
549    /// To fully flush, you should keep calling this function until it returns `Ok(0)`.
550    ///
551    /// Wraps the `ZSTD_flushStream()` function.
552    pub fn flush_stream<C: WriteBuf + ?Sized>(
553        &mut self,
554        output: &mut OutBuffer<'_, C>,
555    ) -> SafeResult {
556        let mut output = output.wrap();
557        // Safety: Just FFI
558        let code = unsafe {
559            zstd_sys::ZSTD_flushStream(self.0.as_ptr(), ptr_mut(&mut output))
560        };
561        parse_code(code)
562    }
563
564    /// Ends the stream.
565    ///
566    /// You should keep calling this function until it returns `Ok(0)`.
567    ///
568    /// Wraps the `ZSTD_endStream()` function.
569    pub fn end_stream<C: WriteBuf + ?Sized>(
570        &mut self,
571        output: &mut OutBuffer<'_, C>,
572    ) -> SafeResult {
573        let mut output = output.wrap();
574        // Safety: Just FFI
575        let code = unsafe {
576            zstd_sys::ZSTD_endStream(self.0.as_ptr(), ptr_mut(&mut output))
577        };
578        parse_code(code)
579    }
580
581    /// Returns the size currently used by this context.
582    ///
583    /// This may change over time.
584    pub fn sizeof(&self) -> usize {
585        // Safety: Just FFI
586        unsafe { zstd_sys::ZSTD_sizeof_CCtx(self.0.as_ptr()) }
587    }
588
589    /// Resets the state of the context.
590    ///
591    /// Depending on the reset mode, it can reset the session, the parameters, or both.
592    ///
593    /// Wraps the `ZSTD_CCtx_reset()` function.
594    pub fn reset(&mut self, reset: ResetDirective) -> SafeResult {
595        // Safety: Just FFI
596        parse_code(unsafe {
597            zstd_sys::ZSTD_CCtx_reset(self.0.as_ptr(), reset.as_sys())
598        })
599    }
600
601    /// Sets a compression parameter.
602    ///
603    /// Some of these parameters need to be set during de-compression as well.
604    pub fn set_parameter(&mut self, param: CParameter) -> SafeResult {
605        // TODO: Until bindgen properly generates a binding for this, we'll need to do it here.
606
607        #[cfg(feature = "experimental")]
608        use zstd_sys::ZSTD_cParameter::{
609            ZSTD_c_experimentalParam1 as ZSTD_c_rsyncable,
610            ZSTD_c_experimentalParam10 as ZSTD_c_stableOutBuffer,
611            ZSTD_c_experimentalParam11 as ZSTD_c_blockDelimiters,
612            ZSTD_c_experimentalParam12 as ZSTD_c_validateSequences,
613            ZSTD_c_experimentalParam13 as ZSTD_c_useBlockSplitter,
614            ZSTD_c_experimentalParam14 as ZSTD_c_useRowMatchFinder,
615            ZSTD_c_experimentalParam15 as ZSTD_c_deterministicRefPrefix,
616            ZSTD_c_experimentalParam16 as ZSTD_c_prefetchCDictTables,
617            ZSTD_c_experimentalParam17 as ZSTD_c_enableSeqProducerFallback,
618            ZSTD_c_experimentalParam18 as ZSTD_c_maxBlockSize,
619            ZSTD_c_experimentalParam19 as ZSTD_c_searchForExternalRepcodes,
620            ZSTD_c_experimentalParam2 as ZSTD_c_format,
621            ZSTD_c_experimentalParam3 as ZSTD_c_forceMaxWindow,
622            ZSTD_c_experimentalParam4 as ZSTD_c_forceAttachDict,
623            ZSTD_c_experimentalParam5 as ZSTD_c_literalCompressionMode,
624            ZSTD_c_experimentalParam7 as ZSTD_c_srcSizeHint,
625            ZSTD_c_experimentalParam8 as ZSTD_c_enableDedicatedDictSearch,
626            ZSTD_c_experimentalParam9 as ZSTD_c_stableInBuffer,
627        };
628
629        use zstd_sys::ZSTD_cParameter::*;
630        use CParameter::*;
631
632        let (param, value) = match param {
633            #[cfg(feature = "experimental")]
634            RSyncable(rsyncable) => (ZSTD_c_rsyncable, rsyncable as c_int),
635            #[cfg(feature = "experimental")]
636            Format(format) => (ZSTD_c_format, format as c_int),
637            #[cfg(feature = "experimental")]
638            ForceMaxWindow(force) => (ZSTD_c_forceMaxWindow, force as c_int),
639            #[cfg(feature = "experimental")]
640            ForceAttachDict(force) => (ZSTD_c_forceAttachDict, force as c_int),
641            #[cfg(feature = "experimental")]
642            LiteralCompressionMode(mode) => {
643                (ZSTD_c_literalCompressionMode, mode as c_int)
644            }
645            #[cfg(feature = "experimental")]
646            SrcSizeHint(value) => (ZSTD_c_srcSizeHint, value as c_int),
647            #[cfg(feature = "experimental")]
648            EnableDedicatedDictSearch(enable) => {
649                (ZSTD_c_enableDedicatedDictSearch, enable as c_int)
650            }
651            #[cfg(feature = "experimental")]
652            StableInBuffer(stable) => (ZSTD_c_stableInBuffer, stable as c_int),
653            #[cfg(feature = "experimental")]
654            StableOutBuffer(stable) => {
655                (ZSTD_c_stableOutBuffer, stable as c_int)
656            }
657            #[cfg(feature = "experimental")]
658            BlockDelimiters(value) => (ZSTD_c_blockDelimiters, value as c_int),
659            #[cfg(feature = "experimental")]
660            ValidateSequences(validate) => {
661                (ZSTD_c_validateSequences, validate as c_int)
662            }
663            #[cfg(feature = "experimental")]
664            UseBlockSplitter(split) => {
665                (ZSTD_c_useBlockSplitter, split as c_int)
666            }
667            #[cfg(feature = "experimental")]
668            UseRowMatchFinder(mode) => {
669                (ZSTD_c_useRowMatchFinder, mode as c_int)
670            }
671            #[cfg(feature = "experimental")]
672            DeterministicRefPrefix(deterministic) => {
673                (ZSTD_c_deterministicRefPrefix, deterministic as c_int)
674            }
675            #[cfg(feature = "experimental")]
676            PrefetchCDictTables(prefetch) => {
677                (ZSTD_c_prefetchCDictTables, prefetch as c_int)
678            }
679            #[cfg(feature = "experimental")]
680            EnableSeqProducerFallback(enable) => {
681                (ZSTD_c_enableSeqProducerFallback, enable as c_int)
682            }
683            #[cfg(feature = "experimental")]
684            MaxBlockSize(value) => (ZSTD_c_maxBlockSize, value as c_int),
685            #[cfg(feature = "experimental")]
686            SearchForExternalRepcodes(value) => {
687                (ZSTD_c_searchForExternalRepcodes, value as c_int)
688            }
689            TargetCBlockSize(value) => {
690                (ZSTD_c_targetCBlockSize, value as c_int)
691            }
692            CompressionLevel(level) => (ZSTD_c_compressionLevel, level),
693            WindowLog(value) => (ZSTD_c_windowLog, value as c_int),
694            HashLog(value) => (ZSTD_c_hashLog, value as c_int),
695            ChainLog(value) => (ZSTD_c_chainLog, value as c_int),
696            SearchLog(value) => (ZSTD_c_searchLog, value as c_int),
697            MinMatch(value) => (ZSTD_c_minMatch, value as c_int),
698            TargetLength(value) => (ZSTD_c_targetLength, value as c_int),
699            Strategy(strategy) => (ZSTD_c_strategy, strategy as c_int),
700            EnableLongDistanceMatching(flag) => {
701                (ZSTD_c_enableLongDistanceMatching, flag as c_int)
702            }
703            LdmHashLog(value) => (ZSTD_c_ldmHashLog, value as c_int),
704            LdmMinMatch(value) => (ZSTD_c_ldmMinMatch, value as c_int),
705            LdmBucketSizeLog(value) => {
706                (ZSTD_c_ldmBucketSizeLog, value as c_int)
707            }
708            LdmHashRateLog(value) => (ZSTD_c_ldmHashRateLog, value as c_int),
709            ContentSizeFlag(flag) => (ZSTD_c_contentSizeFlag, flag as c_int),
710            ChecksumFlag(flag) => (ZSTD_c_checksumFlag, flag as c_int),
711            DictIdFlag(flag) => (ZSTD_c_dictIDFlag, flag as c_int),
712
713            NbWorkers(value) => (ZSTD_c_nbWorkers, value as c_int),
714
715            JobSize(value) => (ZSTD_c_jobSize, value as c_int),
716
717            OverlapSizeLog(value) => (ZSTD_c_overlapLog, value as c_int),
718        };
719
720        // Safety: Just FFI
721        parse_code(unsafe {
722            zstd_sys::ZSTD_CCtx_setParameter(self.0.as_ptr(), param, value)
723        })
724    }
725
726    /// Guarantee that the input size will be this value.
727    ///
728    /// If given `None`, assumes the size is unknown.
729    ///
730    /// Unless explicitly disabled, this will cause the size to be written in the compressed frame
731    /// header.
732    ///
733    /// If the actual data given to compress has a different size, an error will be returned.
734    pub fn set_pledged_src_size(
735        &mut self,
736        pledged_src_size: Option<u64>,
737    ) -> SafeResult {
738        // Safety: Just FFI
739        parse_code(unsafe {
740            zstd_sys::ZSTD_CCtx_setPledgedSrcSize(
741                self.0.as_ptr(),
742                pledged_src_size.unwrap_or(CONTENTSIZE_UNKNOWN) as c_ulonglong,
743            )
744        })
745    }
746
747    /// Creates a copy of this context.
748    ///
749    /// This only works before any data has been compressed. An error will be
750    /// returned otherwise.
751    #[cfg(feature = "experimental")]
752    #[cfg_attr(feature = "doc-cfg", doc(cfg(feature = "experimental")))]
753    pub fn try_clone(
754        &self,
755        pledged_src_size: Option<u64>,
756    ) -> Result<Self, ErrorCode> {
757        // Safety: Just FFI
758        let context = NonNull::new(unsafe { zstd_sys::ZSTD_createCCtx() })
759            .ok_or(0usize)?;
760
761        // Safety: Just FFI
762        parse_code(unsafe {
763            zstd_sys::ZSTD_copyCCtx(
764                context.as_ptr(),
765                self.0.as_ptr(),
766                pledged_src_size.unwrap_or(CONTENTSIZE_UNKNOWN),
767            )
768        })?;
769
770        Ok(CCtx(context, self.1))
771    }
772
773    /// Wraps the `ZSTD_getBlockSize()` function.
774    #[cfg(feature = "experimental")]
775    #[cfg_attr(feature = "doc-cfg", doc(cfg(feature = "experimental")))]
776    pub fn get_block_size(&self) -> usize {
777        // Safety: Just FFI
778        unsafe { zstd_sys::ZSTD_getBlockSize(self.0.as_ptr()) }
779    }
780
781    /// Wraps the `ZSTD_compressBlock()` function.
782    #[cfg(feature = "experimental")]
783    #[cfg_attr(feature = "doc-cfg", doc(cfg(feature = "experimental")))]
784    pub fn compress_block<C: WriteBuf + ?Sized>(
785        &mut self,
786        dst: &mut C,
787        src: &[u8],
788    ) -> SafeResult {
789        // Safety: ZSTD_compressBlock returns the number of bytes written.
790        unsafe {
791            dst.write_from(|buffer, capacity| {
792                parse_code(zstd_sys::ZSTD_compressBlock(
793                    self.0.as_ptr(),
794                    buffer,
795                    capacity,
796                    ptr_void(src),
797                    src.len(),
798                ))
799            })
800        }
801    }
802
803    /// Returns the recommended input buffer size.
804    ///
805    /// Using this size may result in minor performance boost.
806    pub fn in_size() -> usize {
807        // Safety: Just FFI
808        unsafe { zstd_sys::ZSTD_CStreamInSize() }
809    }
810
811    /// Returns the recommended output buffer size.
812    ///
813    /// Using this may result in minor performance boost.
814    pub fn out_size() -> usize {
815        // Safety: Just FFI
816        unsafe { zstd_sys::ZSTD_CStreamOutSize() }
817    }
818
819    /// Use a shared thread pool for this context.
820    ///
821    /// Thread pool must outlive the context.
822    #[cfg(all(feature = "experimental", feature = "zstdmt"))]
823    #[cfg_attr(
824        feature = "doc-cfg",
825        doc(cfg(all(feature = "experimental", feature = "zstdmt")))
826    )]
827    pub fn ref_thread_pool<'b>(&mut self, pool: &'b ThreadPool) -> SafeResult
828    where
829        'b: 'a,
830    {
831        parse_code(unsafe {
832            zstd_sys::ZSTD_CCtx_refThreadPool(self.0.as_ptr(), pool.0.as_ptr())
833        })
834    }
835
836    /// Return to using a private thread pool for this context.
837    #[cfg(all(feature = "experimental", feature = "zstdmt"))]
838    #[cfg_attr(
839        feature = "doc-cfg",
840        doc(cfg(all(feature = "experimental", feature = "zstdmt")))
841    )]
842    pub fn disable_thread_pool(&mut self) -> SafeResult {
843        parse_code(unsafe {
844            zstd_sys::ZSTD_CCtx_refThreadPool(
845                self.0.as_ptr(),
846                core::ptr::null_mut(),
847            )
848        })
849    }
850
851    #[cfg(feature = "experimental")]
852    #[cfg_attr(feature = "doc-cfg", doc(cfg(feature = "experimental")))]
853    pub fn get_frame_progression(&self) -> FrameProgression {
854        // Safety: Just FFI
855        unsafe { zstd_sys::ZSTD_getFrameProgression(self.0.as_ptr()) }
856    }
857}
858
859impl<'a> Drop for CCtx<'a> {
860    fn drop(&mut self) {
861        // Safety: Just FFI
862        unsafe {
863            zstd_sys::ZSTD_freeCCtx(self.0.as_ptr());
864        }
865    }
866}
867
868unsafe impl Send for CCtx<'_> {}
869// Non thread-safe methods already take `&mut self`, so it's fine to implement Sync here.
870unsafe impl Sync for CCtx<'_> {}
871
872unsafe fn c_char_to_str(text: *const c_char) -> &'static str {
873    core::ffi::CStr::from_ptr(text)
874        .to_str()
875        .expect("bad error message from zstd")
876}
877
878/// Returns the error string associated with an error code.
879pub fn get_error_name(code: usize) -> &'static str {
880    unsafe {
881        // Safety: assumes ZSTD returns a well-formed utf8 string.
882        let name = zstd_sys::ZSTD_getErrorName(code);
883        c_char_to_str(name)
884    }
885}
886
887/// A Decompression Context.
888///
889/// The lifetime references the potential dictionary used for this context.
890///
891/// If no dictionary was used, it will most likely be `'static`.
892///
893/// Same as `DStream`.
894pub struct DCtx<'a>(NonNull<zstd_sys::ZSTD_DCtx>, PhantomData<&'a ()>);
895
896impl Default for DCtx<'_> {
897    fn default() -> Self {
898        DCtx::create()
899    }
900}
901
902impl<'a> DCtx<'a> {
903    /// Try to create a new decompression context.
904    ///
905    /// Returns `None` if the operation failed (for example, not enough memory).
906    pub fn try_create() -> Option<Self> {
907        Some(DCtx(
908            NonNull::new(unsafe { zstd_sys::ZSTD_createDCtx() })?,
909            PhantomData,
910        ))
911    }
912
913    /// Creates a new decoding context.
914    ///
915    /// # Panics
916    ///
917    /// If the context creation fails.
918    pub fn create() -> Self {
919        Self::try_create()
920            .expect("zstd returned null pointer when creating new context")
921    }
922
923    /// Fully decompress the given frame.
924    ///
925    /// This decompress an entire frame in-memory. If you can have enough memory to store both the
926    /// input and output buffer, then it may be faster that streaming decompression.
927    ///
928    /// Wraps the `ZSTD_decompressDCtx()` function.
929    pub fn decompress<C: WriteBuf + ?Sized>(
930        &mut self,
931        dst: &mut C,
932        src: &[u8],
933    ) -> SafeResult {
934        unsafe {
935            dst.write_from(|buffer, capacity| {
936                parse_code(zstd_sys::ZSTD_decompressDCtx(
937                    self.0.as_ptr(),
938                    buffer,
939                    capacity,
940                    ptr_void(src),
941                    src.len(),
942                ))
943            })
944        }
945    }
946
947    /// Fully decompress the given frame using a dictionary.
948    ///
949    /// Dictionary must be identical to the one used during compression.
950    ///
951    /// If you plan on using the same dictionary multiple times, it is faster to create a `DDict`
952    /// first and use `decompress_using_ddict`.
953    ///
954    /// Wraps `ZSTD_decompress_usingDict`
955    pub fn decompress_using_dict<C: WriteBuf + ?Sized>(
956        &mut self,
957        dst: &mut C,
958        src: &[u8],
959        dict: &[u8],
960    ) -> SafeResult {
961        unsafe {
962            dst.write_from(|buffer, capacity| {
963                parse_code(zstd_sys::ZSTD_decompress_usingDict(
964                    self.0.as_ptr(),
965                    buffer,
966                    capacity,
967                    ptr_void(src),
968                    src.len(),
969                    ptr_void(dict),
970                    dict.len(),
971                ))
972            })
973        }
974    }
975
976    /// Fully decompress the given frame using a dictionary.
977    ///
978    /// Dictionary must be identical to the one used during compression.
979    ///
980    /// Wraps the `ZSTD_decompress_usingDDict()` function.
981    pub fn decompress_using_ddict<C: WriteBuf + ?Sized>(
982        &mut self,
983        dst: &mut C,
984        src: &[u8],
985        ddict: &DDict<'_>,
986    ) -> SafeResult {
987        unsafe {
988            dst.write_from(|buffer, capacity| {
989                parse_code(zstd_sys::ZSTD_decompress_usingDDict(
990                    self.0.as_ptr(),
991                    buffer,
992                    capacity,
993                    ptr_void(src),
994                    src.len(),
995                    ddict.0.as_ptr(),
996                ))
997            })
998        }
999    }
1000
1001    /// Initializes an existing `DStream` for decompression.
1002    ///
1003    /// This is equivalent to calling:
1004    /// * `reset(SessionOnly)`
1005    /// * `disable_dictionary()`
1006    ///
1007    /// Wraps the `ZSTD_initCStream()` function.
1008    pub fn init(&mut self) -> SafeResult {
1009        let code = unsafe { zstd_sys::ZSTD_initDStream(self.0.as_ptr()) };
1010        parse_code(code)
1011    }
1012
1013    /// Wraps the `ZSTD_initDStream_usingDict()` function.
1014    #[cfg(feature = "experimental")]
1015    #[cfg_attr(feature = "doc-cfg", doc(cfg(feature = "experimental")))]
1016    #[deprecated]
1017    pub fn init_using_dict(&mut self, dict: &[u8]) -> SafeResult {
1018        let code = unsafe {
1019            zstd_sys::ZSTD_initDStream_usingDict(
1020                self.0.as_ptr(),
1021                ptr_void(dict),
1022                dict.len(),
1023            )
1024        };
1025        parse_code(code)
1026    }
1027
1028    /// Wraps the `ZSTD_initDStream_usingDDict()` function.
1029    #[cfg(feature = "experimental")]
1030    #[cfg_attr(feature = "doc-cfg", doc(cfg(feature = "experimental")))]
1031    #[deprecated]
1032    pub fn init_using_ddict<'b>(&mut self, ddict: &DDict<'b>) -> SafeResult
1033    where
1034        'b: 'a,
1035    {
1036        let code = unsafe {
1037            zstd_sys::ZSTD_initDStream_usingDDict(
1038                self.0.as_ptr(),
1039                ddict.0.as_ptr(),
1040            )
1041        };
1042        parse_code(code)
1043    }
1044
1045    /// Resets the state of the context.
1046    ///
1047    /// Depending on the reset mode, it can reset the session, the parameters, or both.
1048    ///
1049    /// Wraps the `ZSTD_DCtx_reset()` function.
1050    pub fn reset(&mut self, reset: ResetDirective) -> SafeResult {
1051        parse_code(unsafe {
1052            zstd_sys::ZSTD_DCtx_reset(self.0.as_ptr(), reset.as_sys())
1053        })
1054    }
1055
1056    /// Loads a dictionary.
1057    ///
1058    /// This will let this context decompress frames that were compressed using this dictionary.
1059    ///
1060    /// The dictionary content will be copied internally and does not need to be kept alive after
1061    /// calling this function.
1062    ///
1063    /// If you need to use the same dictionary for multiple contexts, it may be more efficient to
1064    /// create a `DDict` first, then loads that.
1065    ///
1066    /// The dictionary will apply to all future frames, until a new dictionary is set.
1067    pub fn load_dictionary(&mut self, dict: &[u8]) -> SafeResult {
1068        parse_code(unsafe {
1069            zstd_sys::ZSTD_DCtx_loadDictionary(
1070                self.0.as_ptr(),
1071                ptr_void(dict),
1072                dict.len(),
1073            )
1074        })
1075    }
1076
1077    /// Return to "no-dictionary" mode.
1078    ///
1079    /// This will disable any dictionary/prefix previously registered for future frames.
1080    pub fn disable_dictionary(&mut self) -> SafeResult {
1081        parse_code(unsafe {
1082            zstd_sys::ZSTD_DCtx_loadDictionary(
1083                self.0.as_ptr(),
1084                core::ptr::null(),
1085                0,
1086            )
1087        })
1088    }
1089
1090    /// References a dictionary.
1091    ///
1092    /// This will let this context decompress frames compressed with the same dictionary.
1093    ///
1094    /// It will apply to all frames decompressed by this context (until a new dictionary is set).
1095    ///
1096    /// Wraps the `ZSTD_DCtx_refDDict()` function.
1097    pub fn ref_ddict<'b>(&mut self, ddict: &DDict<'b>) -> SafeResult
1098    where
1099        'b: 'a,
1100    {
1101        parse_code(unsafe {
1102            zstd_sys::ZSTD_DCtx_refDDict(self.0.as_ptr(), ddict.0.as_ptr())
1103        })
1104    }
1105
1106    /// Use some prefix as single-use dictionary for the next frame.
1107    ///
1108    /// Just like a dictionary, this only works if compression was done with the same prefix.
1109    ///
1110    /// But unlike a dictionary, this only applies to the next frame.
1111    ///
1112    /// Wraps the `ZSTD_DCtx_refPrefix()` function.
1113    pub fn ref_prefix<'b>(&mut self, prefix: &'b [u8]) -> SafeResult
1114    where
1115        'b: 'a,
1116    {
1117        parse_code(unsafe {
1118            zstd_sys::ZSTD_DCtx_refPrefix(
1119                self.0.as_ptr(),
1120                ptr_void(prefix),
1121                prefix.len(),
1122            )
1123        })
1124    }
1125
1126    /// Sets a decompression parameter.
1127    pub fn set_parameter(&mut self, param: DParameter) -> SafeResult {
1128        #[cfg(feature = "experimental")]
1129        use zstd_sys::ZSTD_dParameter::{
1130            ZSTD_d_experimentalParam1 as ZSTD_d_format,
1131            ZSTD_d_experimentalParam2 as ZSTD_d_stableOutBuffer,
1132            ZSTD_d_experimentalParam3 as ZSTD_d_forceIgnoreChecksum,
1133            ZSTD_d_experimentalParam4 as ZSTD_d_refMultipleDDicts,
1134        };
1135
1136        use zstd_sys::ZSTD_dParameter::*;
1137        use DParameter::*;
1138
1139        let (param, value) = match param {
1140            #[cfg(feature = "experimental")]
1141            Format(format) => (ZSTD_d_format, format as c_int),
1142            #[cfg(feature = "experimental")]
1143            StableOutBuffer(stable) => {
1144                (ZSTD_d_stableOutBuffer, stable as c_int)
1145            }
1146            #[cfg(feature = "experimental")]
1147            ForceIgnoreChecksum(force) => {
1148                (ZSTD_d_forceIgnoreChecksum, force as c_int)
1149            }
1150            #[cfg(feature = "experimental")]
1151            RefMultipleDDicts(value) => {
1152                (ZSTD_d_refMultipleDDicts, value as c_int)
1153            }
1154
1155            WindowLogMax(value) => (ZSTD_d_windowLogMax, value as c_int),
1156        };
1157
1158        parse_code(unsafe {
1159            zstd_sys::ZSTD_DCtx_setParameter(self.0.as_ptr(), param, value)
1160        })
1161    }
1162
1163    /// Performs a step of a streaming decompression operation.
1164    ///
1165    /// This will read some data from `input` and/or write some data to `output`.
1166    ///
1167    /// # Returns
1168    ///
1169    /// * `Ok(0)` if the current frame just finished decompressing successfully.
1170    /// * `Ok(hint)` with a hint for the "ideal" amount of input data to provide in the next call.
1171    ///     Can be safely ignored.
1172    ///
1173    /// Wraps the `ZSTD_decompressStream()` function.
1174    pub fn decompress_stream<C: WriteBuf + ?Sized>(
1175        &mut self,
1176        output: &mut OutBuffer<'_, C>,
1177        input: &mut InBuffer<'_>,
1178    ) -> SafeResult {
1179        let mut output = output.wrap();
1180        let mut input = input.wrap();
1181        let code = unsafe {
1182            zstd_sys::ZSTD_decompressStream(
1183                self.0.as_ptr(),
1184                ptr_mut(&mut output),
1185                ptr_mut(&mut input),
1186            )
1187        };
1188        parse_code(code)
1189    }
1190
1191    /// Wraps the `ZSTD_DStreamInSize()` function.
1192    ///
1193    /// Returns a hint for the recommended size of the input buffer for decompression.
1194    pub fn in_size() -> usize {
1195        unsafe { zstd_sys::ZSTD_DStreamInSize() }
1196    }
1197
1198    /// Wraps the `ZSTD_DStreamOutSize()` function.
1199    ///
1200    /// Returns a hint for the recommended size of the output buffer for decompression.
1201    pub fn out_size() -> usize {
1202        unsafe { zstd_sys::ZSTD_DStreamOutSize() }
1203    }
1204
1205    /// Wraps the `ZSTD_sizeof_DCtx()` function.
1206    pub fn sizeof(&self) -> usize {
1207        unsafe { zstd_sys::ZSTD_sizeof_DCtx(self.0.as_ptr()) }
1208    }
1209
1210    /// Wraps the `ZSTD_decompressBlock()` function.
1211    #[cfg(feature = "experimental")]
1212    #[cfg_attr(feature = "doc-cfg", doc(cfg(feature = "experimental")))]
1213    pub fn decompress_block<C: WriteBuf + ?Sized>(
1214        &mut self,
1215        dst: &mut C,
1216        src: &[u8],
1217    ) -> SafeResult {
1218        unsafe {
1219            dst.write_from(|buffer, capacity| {
1220                parse_code(zstd_sys::ZSTD_decompressBlock(
1221                    self.0.as_ptr(),
1222                    buffer,
1223                    capacity,
1224                    ptr_void(src),
1225                    src.len(),
1226                ))
1227            })
1228        }
1229    }
1230
1231    /// Wraps the `ZSTD_insertBlock()` function.
1232    #[cfg(feature = "experimental")]
1233    #[cfg_attr(feature = "doc-cfg", doc(cfg(feature = "experimental")))]
1234    pub fn insert_block(&mut self, block: &[u8]) -> usize {
1235        unsafe {
1236            zstd_sys::ZSTD_insertBlock(
1237                self.0.as_ptr(),
1238                ptr_void(block),
1239                block.len(),
1240            )
1241        }
1242    }
1243
1244    /// Creates a copy of this context.
1245    ///
1246    /// This only works before any data has been decompressed. An error will be
1247    /// returned otherwise.
1248    #[cfg(feature = "experimental")]
1249    #[cfg_attr(feature = "doc-cfg", doc(cfg(feature = "experimental")))]
1250    pub fn try_clone(&self) -> Result<Self, ErrorCode> {
1251        let context = NonNull::new(unsafe { zstd_sys::ZSTD_createDCtx() })
1252            .ok_or(0usize)?;
1253
1254        unsafe { zstd_sys::ZSTD_copyDCtx(context.as_ptr(), self.0.as_ptr()) };
1255
1256        Ok(DCtx(context, self.1))
1257    }
1258}
1259
1260impl Drop for DCtx<'_> {
1261    fn drop(&mut self) {
1262        unsafe {
1263            zstd_sys::ZSTD_freeDCtx(self.0.as_ptr());
1264        }
1265    }
1266}
1267
1268unsafe impl Send for DCtx<'_> {}
1269// Non thread-safe methods already take `&mut self`, so it's fine to implement Sync here.
1270unsafe impl Sync for DCtx<'_> {}
1271
1272/// Compression dictionary.
1273pub struct CDict<'a>(NonNull<zstd_sys::ZSTD_CDict>, PhantomData<&'a ()>);
1274
1275impl CDict<'static> {
1276    /// Prepare a dictionary to compress data.
1277    ///
1278    /// This will make it easier for compression contexts to load this dictionary.
1279    ///
1280    /// The dictionary content will be copied internally, and does not need to be kept around.
1281    ///
1282    /// # Panics
1283    ///
1284    /// If loading this dictionary failed.
1285    pub fn create(
1286        dict_buffer: &[u8],
1287        compression_level: CompressionLevel,
1288    ) -> Self {
1289        Self::try_create(dict_buffer, compression_level)
1290            .expect("zstd returned null pointer when creating dict")
1291    }
1292
1293    /// Prepare a dictionary to compress data.
1294    ///
1295    /// This will make it easier for compression contexts to load this dictionary.
1296    ///
1297    /// The dictionary content will be copied internally, and does not need to be kept around.
1298    pub fn try_create(
1299        dict_buffer: &[u8],
1300        compression_level: CompressionLevel,
1301    ) -> Option<Self> {
1302        Some(CDict(
1303            NonNull::new(unsafe {
1304                zstd_sys::ZSTD_createCDict(
1305                    ptr_void(dict_buffer),
1306                    dict_buffer.len(),
1307                    compression_level,
1308                )
1309            })?,
1310            PhantomData,
1311        ))
1312    }
1313}
1314
1315impl<'a> CDict<'a> {
1316    #[cfg(feature = "experimental")]
1317    #[cfg_attr(feature = "doc-cfg", doc(cfg(feature = "experimental")))]
1318    pub fn create_by_reference(
1319        dict_buffer: &'a [u8],
1320        compression_level: CompressionLevel,
1321    ) -> Self {
1322        CDict(
1323            NonNull::new(unsafe {
1324                zstd_sys::ZSTD_createCDict_byReference(
1325                    ptr_void(dict_buffer),
1326                    dict_buffer.len(),
1327                    compression_level,
1328                )
1329            })
1330            .expect("zstd returned null pointer"),
1331            PhantomData,
1332        )
1333    }
1334
1335    /// Returns the _current_ memory usage of this dictionary.
1336    ///
1337    /// Note that this may change over time.
1338    pub fn sizeof(&self) -> usize {
1339        unsafe { zstd_sys::ZSTD_sizeof_CDict(self.0.as_ptr()) }
1340    }
1341
1342    /// Returns the dictionary ID for this dict.
1343    ///
1344    /// Returns `None` if this dictionary is empty or invalid.
1345    pub fn get_dict_id(&self) -> Option<NonZeroU32> {
1346        NonZeroU32::new(unsafe {
1347            zstd_sys::ZSTD_getDictID_fromCDict(self.0.as_ptr()) as u32
1348        })
1349    }
1350}
1351
1352/// Wraps the `ZSTD_createCDict()` function.
1353pub fn create_cdict(
1354    dict_buffer: &[u8],
1355    compression_level: CompressionLevel,
1356) -> CDict<'static> {
1357    CDict::create(dict_buffer, compression_level)
1358}
1359
1360impl<'a> Drop for CDict<'a> {
1361    fn drop(&mut self) {
1362        unsafe {
1363            zstd_sys::ZSTD_freeCDict(self.0.as_ptr());
1364        }
1365    }
1366}
1367
1368unsafe impl<'a> Send for CDict<'a> {}
1369unsafe impl<'a> Sync for CDict<'a> {}
1370
1371/// Wraps the `ZSTD_compress_usingCDict()` function.
1372pub fn compress_using_cdict(
1373    cctx: &mut CCtx<'_>,
1374    dst: &mut [u8],
1375    src: &[u8],
1376    cdict: &CDict<'_>,
1377) -> SafeResult {
1378    cctx.compress_using_cdict(dst, src, cdict)
1379}
1380
1381/// A digested decompression dictionary.
1382pub struct DDict<'a>(NonNull<zstd_sys::ZSTD_DDict>, PhantomData<&'a ()>);
1383
1384impl DDict<'static> {
1385    pub fn create(dict_buffer: &[u8]) -> Self {
1386        Self::try_create(dict_buffer)
1387            .expect("zstd returned null pointer when creating dict")
1388    }
1389
1390    pub fn try_create(dict_buffer: &[u8]) -> Option<Self> {
1391        Some(DDict(
1392            NonNull::new(unsafe {
1393                zstd_sys::ZSTD_createDDict(
1394                    ptr_void(dict_buffer),
1395                    dict_buffer.len(),
1396                )
1397            })?,
1398            PhantomData,
1399        ))
1400    }
1401}
1402
1403impl<'a> DDict<'a> {
1404    pub fn sizeof(&self) -> usize {
1405        unsafe { zstd_sys::ZSTD_sizeof_DDict(self.0.as_ptr()) }
1406    }
1407
1408    /// Wraps the `ZSTD_createDDict_byReference()` function.
1409    ///
1410    /// The dictionary will keep referencing `dict_buffer`.
1411    #[cfg(feature = "experimental")]
1412    #[cfg_attr(feature = "doc-cfg", doc(cfg(feature = "experimental")))]
1413    pub fn create_by_reference(dict_buffer: &'a [u8]) -> Self {
1414        DDict(
1415            NonNull::new(unsafe {
1416                zstd_sys::ZSTD_createDDict_byReference(
1417                    ptr_void(dict_buffer),
1418                    dict_buffer.len(),
1419                )
1420            })
1421            .expect("zstd returned null pointer"),
1422            PhantomData,
1423        )
1424    }
1425
1426    /// Returns the dictionary ID for this dict.
1427    ///
1428    /// Returns `None` if this dictionary is empty or invalid.
1429    pub fn get_dict_id(&self) -> Option<NonZeroU32> {
1430        NonZeroU32::new(unsafe {
1431            zstd_sys::ZSTD_getDictID_fromDDict(self.0.as_ptr()) as u32
1432        })
1433    }
1434}
1435
1436/// Wraps the `ZSTD_createDDict()` function.
1437///
1438/// It copies the dictionary internally, so the resulting `DDict` is `'static`.
1439pub fn create_ddict(dict_buffer: &[u8]) -> DDict<'static> {
1440    DDict::create(dict_buffer)
1441}
1442
1443impl<'a> Drop for DDict<'a> {
1444    fn drop(&mut self) {
1445        unsafe {
1446            zstd_sys::ZSTD_freeDDict(self.0.as_ptr());
1447        }
1448    }
1449}
1450
1451unsafe impl<'a> Send for DDict<'a> {}
1452unsafe impl<'a> Sync for DDict<'a> {}
1453
1454/// A shared thread pool for one or more compression contexts
1455#[cfg(all(feature = "experimental", feature = "zstdmt"))]
1456#[cfg_attr(
1457    feature = "doc-cfg",
1458    doc(cfg(all(feature = "experimental", feature = "zstdmt")))
1459)]
1460pub struct ThreadPool(NonNull<zstd_sys::ZSTD_threadPool>);
1461
1462#[cfg(all(feature = "experimental", feature = "zstdmt"))]
1463#[cfg_attr(
1464    feature = "doc-cfg",
1465    doc(cfg(all(feature = "experimental", feature = "zstdmt")))
1466)]
1467impl ThreadPool {
1468    /// Create a thread pool with the specified number of threads.
1469    ///
1470    /// # Panics
1471    ///
1472    /// If creating the thread pool failed.
1473    pub fn new(num_threads: usize) -> Self {
1474        Self::try_new(num_threads)
1475            .expect("zstd returned null pointer when creating thread pool")
1476    }
1477
1478    /// Create a thread pool with the specified number of threads.
1479    pub fn try_new(num_threads: usize) -> Option<Self> {
1480        Some(Self(NonNull::new(unsafe {
1481            zstd_sys::ZSTD_createThreadPool(num_threads)
1482        })?))
1483    }
1484}
1485
1486#[cfg(all(feature = "experimental", feature = "zstdmt"))]
1487#[cfg_attr(
1488    feature = "doc-cfg",
1489    doc(cfg(all(feature = "experimental", feature = "zstdmt")))
1490)]
1491impl Drop for ThreadPool {
1492    fn drop(&mut self) {
1493        unsafe {
1494            zstd_sys::ZSTD_freeThreadPool(self.0.as_ptr());
1495        }
1496    }
1497}
1498
1499#[cfg(all(feature = "experimental", feature = "zstdmt"))]
1500#[cfg_attr(
1501    feature = "doc-cfg",
1502    doc(cfg(all(feature = "experimental", feature = "zstdmt")))
1503)]
1504unsafe impl Send for ThreadPool {}
1505#[cfg(all(feature = "experimental", feature = "zstdmt"))]
1506#[cfg_attr(
1507    feature = "doc-cfg",
1508    doc(cfg(all(feature = "experimental", feature = "zstdmt")))
1509)]
1510unsafe impl Sync for ThreadPool {}
1511
1512/// Wraps the `ZSTD_decompress_usingDDict()` function.
1513pub fn decompress_using_ddict(
1514    dctx: &mut DCtx<'_>,
1515    dst: &mut [u8],
1516    src: &[u8],
1517    ddict: &DDict<'_>,
1518) -> SafeResult {
1519    dctx.decompress_using_ddict(dst, src, ddict)
1520}
1521
1522/// Compression stream.
1523///
1524/// Same as `CCtx`.
1525pub type CStream<'a> = CCtx<'a>;
1526
1527// CStream can't be shared across threads, so it does not implement Sync.
1528
1529/// Allocates a new `CStream`.
1530pub fn create_cstream<'a>() -> CStream<'a> {
1531    CCtx::create()
1532}
1533
1534/// Prepares an existing `CStream` for compression at the given level.
1535pub fn init_cstream(
1536    zcs: &mut CStream<'_>,
1537    compression_level: CompressionLevel,
1538) -> SafeResult {
1539    zcs.init(compression_level)
1540}
1541
1542#[derive(Debug)]
1543/// Wrapper around an input buffer.
1544///
1545/// Bytes will be read starting at `src[pos]`.
1546///
1547/// `pos` will be updated after reading.
1548pub struct InBuffer<'a> {
1549    pub src: &'a [u8],
1550    pub pos: usize,
1551}
1552
1553/// Describe a bytes container, like `Vec<u8>`.
1554///
1555/// Represents a contiguous segment of allocated memory, a prefix of which is initialized.
1556///
1557/// It allows starting from an uninitializes chunk of memory and writing to it, progressively
1558/// initializing it. No re-allocation typically occur after the initial creation.
1559///
1560/// The main implementors are:
1561/// * `Vec<u8>` and similar structures. These hold both a length (initialized data) and a capacity
1562///   (allocated memory).
1563///
1564///   Use `Vec::with_capacity` to create an empty `Vec` with non-zero capacity, and the length
1565///   field will be updated to cover the data written to it (as long as it fits in the given
1566///   capacity).
1567/// * `[u8]` and `[u8; N]`. These must start already-initialized, and will not be resized. It will
1568///   be up to the caller to only use the part that was written (as returned by the various writing
1569///   operations).
1570/// * `std::io::Cursor<T: WriteBuf>`. This will ignore data before the cursor's position, and
1571///   append data after that.
1572pub unsafe trait WriteBuf {
1573    /// Returns the valid data part of this container. Should only cover initialized data.
1574    fn as_slice(&self) -> &[u8];
1575
1576    /// Returns the full capacity of this container. May include uninitialized data.
1577    fn capacity(&self) -> usize;
1578
1579    /// Returns a pointer to the start of the data.
1580    fn as_mut_ptr(&mut self) -> *mut u8;
1581
1582    /// Indicates that the first `n` bytes of the container have been written.
1583    ///
1584    /// Safety: this should only be called if the `n` first bytes of this buffer have actually been
1585    /// initialized.
1586    unsafe fn filled_until(&mut self, n: usize);
1587
1588    /// Call the given closure using the pointer and capacity from `self`.
1589    ///
1590    /// Assumes the given function returns a parseable code, which if valid, represents how many
1591    /// bytes were written to `self`.
1592    ///
1593    /// The given closure must treat its first argument as pointing to potentially uninitialized
1594    /// memory, and should not read from it.
1595    ///
1596    /// In addition, it must have written at least `n` bytes contiguously from this pointer, where
1597    /// `n` is the returned value.
1598    unsafe fn write_from<F>(&mut self, f: F) -> SafeResult
1599    where
1600        F: FnOnce(*mut c_void, usize) -> SafeResult,
1601    {
1602        let res = f(ptr_mut_void(self), self.capacity());
1603        if let Ok(n) = res {
1604            self.filled_until(n);
1605        }
1606        res
1607    }
1608}
1609
1610#[cfg(feature = "std")]
1611#[cfg_attr(feature = "doc-cfg", doc(cfg(feature = "std")))]
1612unsafe impl<T> WriteBuf for std::io::Cursor<T>
1613where
1614    T: WriteBuf,
1615{
1616    fn as_slice(&self) -> &[u8] {
1617        &self.get_ref().as_slice()[self.position() as usize..]
1618    }
1619
1620    fn capacity(&self) -> usize {
1621        self.get_ref()
1622            .capacity()
1623            .saturating_sub(self.position() as usize)
1624    }
1625
1626    fn as_mut_ptr(&mut self) -> *mut u8 {
1627        let start = self.position() as usize;
1628        assert!(start <= self.get_ref().capacity());
1629        // Safety: start is still in the same memory allocation
1630        unsafe { self.get_mut().as_mut_ptr().add(start) }
1631    }
1632
1633    unsafe fn filled_until(&mut self, n: usize) {
1634        // Early exit: `n = 0` does not indicate anything.
1635        if n == 0 {
1636            return;
1637        }
1638
1639        // Here we assume data _before_ self.position() was already initialized.
1640        // Egh it's not actually guaranteed by Cursor? So let's guarantee it ourselves.
1641        // Since the cursor wraps another `WriteBuf`, we know how much data is initialized there.
1642        let position = self.position() as usize;
1643        let initialized = self.get_ref().as_slice().len();
1644        if let Some(uninitialized) = position.checked_sub(initialized) {
1645            // Here, the cursor is further than the known-initialized part.
1646            // Cursor's solution is to pad with zeroes, so let's do the same.
1647            // We'll zero bytes from the end of valid data (as_slice().len()) to the cursor position.
1648
1649            // Safety:
1650            // * We know `n > 0`
1651            // * This means `self.capacity() > 0` (promise by the caller)
1652            // * This means `self.get_ref().capacity() > self.position`
1653            // * This means that `position` is within the nested pointer's allocation.
1654            // * Finally, `initialized + uninitialized = position`, so the entire byte
1655            //   range here is within the allocation
1656            unsafe {
1657                self.get_mut()
1658                    .as_mut_ptr()
1659                    .add(initialized)
1660                    .write_bytes(0u8, uninitialized)
1661            };
1662        }
1663
1664        let start = self.position() as usize;
1665        assert!(start + n <= self.get_ref().capacity());
1666        self.get_mut().filled_until(start + n);
1667    }
1668}
1669
1670#[cfg(feature = "std")]
1671#[cfg_attr(feature = "doc-cfg", doc(cfg(feature = "std")))]
1672unsafe impl<'a> WriteBuf for &'a mut std::vec::Vec<u8> {
1673    fn as_slice(&self) -> &[u8] {
1674        std::vec::Vec::as_slice(self)
1675    }
1676
1677    fn capacity(&self) -> usize {
1678        std::vec::Vec::capacity(self)
1679    }
1680
1681    fn as_mut_ptr(&mut self) -> *mut u8 {
1682        std::vec::Vec::as_mut_ptr(self)
1683    }
1684
1685    unsafe fn filled_until(&mut self, n: usize) {
1686        std::vec::Vec::set_len(self, n)
1687    }
1688}
1689
1690#[cfg(feature = "std")]
1691#[cfg_attr(feature = "doc-cfg", doc(cfg(feature = "std")))]
1692unsafe impl WriteBuf for std::vec::Vec<u8> {
1693    fn as_slice(&self) -> &[u8] {
1694        &self[..]
1695    }
1696    fn capacity(&self) -> usize {
1697        self.capacity()
1698    }
1699    fn as_mut_ptr(&mut self) -> *mut u8 {
1700        self.as_mut_ptr()
1701    }
1702    unsafe fn filled_until(&mut self, n: usize) {
1703        self.set_len(n);
1704    }
1705}
1706
1707#[cfg(feature = "arrays")]
1708#[cfg_attr(feature = "doc-cfg", doc(cfg(feature = "arrays")))]
1709unsafe impl<const N: usize> WriteBuf for [u8; N] {
1710    fn as_slice(&self) -> &[u8] {
1711        self
1712    }
1713    fn capacity(&self) -> usize {
1714        self.len()
1715    }
1716
1717    fn as_mut_ptr(&mut self) -> *mut u8 {
1718        (&mut self[..]).as_mut_ptr()
1719    }
1720
1721    unsafe fn filled_until(&mut self, _n: usize) {
1722        // Assume the slice is already initialized
1723    }
1724}
1725
1726unsafe impl WriteBuf for [u8] {
1727    fn as_slice(&self) -> &[u8] {
1728        self
1729    }
1730    fn capacity(&self) -> usize {
1731        self.len()
1732    }
1733
1734    fn as_mut_ptr(&mut self) -> *mut u8 {
1735        self.as_mut_ptr()
1736    }
1737
1738    unsafe fn filled_until(&mut self, _n: usize) {
1739        // Assume the slice is already initialized
1740    }
1741}
1742
1743/*
1744// This is possible, but... why?
1745unsafe impl<'a> WriteBuf for OutBuffer<'a, [u8]> {
1746    fn as_slice(&self) -> &[u8] {
1747        self.dst
1748    }
1749    fn capacity(&self) -> usize {
1750        self.dst.len()
1751    }
1752    fn as_mut_ptr(&mut self) -> *mut u8 {
1753        self.dst.as_mut_ptr()
1754    }
1755    unsafe fn filled_until(&mut self, n: usize) {
1756        self.pos = n;
1757    }
1758}
1759*/
1760
1761#[derive(Debug)]
1762/// Wrapper around an output buffer.
1763///
1764/// `C` is usually either `[u8]` or `Vec<u8>`.
1765///
1766/// Bytes will be written starting at `dst[pos]`.
1767///
1768/// `pos` will be updated after writing.
1769///
1770/// # Invariant
1771///
1772/// `pos <= dst.capacity()`
1773pub struct OutBuffer<'a, C: WriteBuf + ?Sized> {
1774    dst: &'a mut C,
1775    pos: usize,
1776}
1777
1778/// Convenience method to get a mut pointer from a mut ref.
1779fn ptr_mut<B>(ptr_void: &mut B) -> *mut B {
1780    ptr_void as *mut B
1781}
1782
1783/// Interface between a C-level ZSTD_outBuffer and a rust-level `OutBuffer`.
1784///
1785/// Will update the parent buffer from the C buffer on drop.
1786struct OutBufferWrapper<'a, 'b, C: WriteBuf + ?Sized> {
1787    buf: zstd_sys::ZSTD_outBuffer,
1788    parent: &'a mut OutBuffer<'b, C>,
1789}
1790
1791impl<'a, 'b: 'a, C: WriteBuf + ?Sized> Deref for OutBufferWrapper<'a, 'b, C> {
1792    type Target = zstd_sys::ZSTD_outBuffer;
1793
1794    fn deref(&self) -> &Self::Target {
1795        &self.buf
1796    }
1797}
1798
1799impl<'a, 'b: 'a, C: WriteBuf + ?Sized> DerefMut
1800    for OutBufferWrapper<'a, 'b, C>
1801{
1802    fn deref_mut(&mut self) -> &mut Self::Target {
1803        &mut self.buf
1804    }
1805}
1806
1807impl<'a, C: WriteBuf + ?Sized> OutBuffer<'a, C> {
1808    /// Returns a new `OutBuffer` around the given slice.
1809    ///
1810    /// Starts with `pos = 0`.
1811    pub fn around(dst: &'a mut C) -> Self {
1812        OutBuffer { dst, pos: 0 }
1813    }
1814
1815    /// Returns a new `OutBuffer` around the given slice, starting at the given position.
1816    ///
1817    /// # Panics
1818    ///
1819    /// If `pos > dst.capacity()`.
1820    pub fn around_pos(dst: &'a mut C, pos: usize) -> Self {
1821        if pos > dst.capacity() {
1822            panic!("Given position outside of the buffer bounds.");
1823        }
1824
1825        OutBuffer { dst, pos }
1826    }
1827
1828    /// Returns the current cursor position.
1829    ///
1830    /// Guaranteed to be <= self.capacity()
1831    pub fn pos(&self) -> usize {
1832        assert!(self.pos <= self.dst.capacity());
1833        self.pos
1834    }
1835
1836    /// Returns the capacity of the underlying buffer.
1837    pub fn capacity(&self) -> usize {
1838        self.dst.capacity()
1839    }
1840
1841    /// Sets the new cursor position.
1842    ///
1843    /// # Panics
1844    ///
1845    /// If `pos > self.dst.capacity()`.
1846    ///
1847    /// # Safety
1848    ///
1849    /// Data up to `pos` must have actually been written to.
1850    pub unsafe fn set_pos(&mut self, pos: usize) {
1851        if pos > self.dst.capacity() {
1852            panic!("Given position outside of the buffer bounds.");
1853        }
1854
1855        self.dst.filled_until(pos);
1856
1857        self.pos = pos;
1858    }
1859
1860    fn wrap<'b>(&'b mut self) -> OutBufferWrapper<'b, 'a, C> {
1861        OutBufferWrapper {
1862            buf: zstd_sys::ZSTD_outBuffer {
1863                dst: ptr_mut_void(self.dst),
1864                size: self.dst.capacity(),
1865                pos: self.pos,
1866            },
1867            parent: self,
1868        }
1869    }
1870
1871    /// Returns the part of this buffer that was written to.
1872    pub fn as_slice<'b>(&'b self) -> &'a [u8]
1873    where
1874        'b: 'a,
1875    {
1876        let pos = self.pos;
1877        &self.dst.as_slice()[..pos]
1878    }
1879
1880    /// Returns a pointer to the start of this buffer.
1881    pub fn as_mut_ptr(&mut self) -> *mut u8 {
1882        self.dst.as_mut_ptr()
1883    }
1884}
1885
1886impl<'a, 'b, C: WriteBuf + ?Sized> Drop for OutBufferWrapper<'a, 'b, C> {
1887    fn drop(&mut self) {
1888        // Safe because we guarantee that data until `self.buf.pos` has been written.
1889        unsafe { self.parent.set_pos(self.buf.pos) };
1890    }
1891}
1892
1893struct InBufferWrapper<'a, 'b> {
1894    buf: zstd_sys::ZSTD_inBuffer,
1895    parent: &'a mut InBuffer<'b>,
1896}
1897
1898impl<'a, 'b: 'a> Deref for InBufferWrapper<'a, 'b> {
1899    type Target = zstd_sys::ZSTD_inBuffer;
1900
1901    fn deref(&self) -> &Self::Target {
1902        &self.buf
1903    }
1904}
1905
1906impl<'a, 'b: 'a> DerefMut for InBufferWrapper<'a, 'b> {
1907    fn deref_mut(&mut self) -> &mut Self::Target {
1908        &mut self.buf
1909    }
1910}
1911
1912impl<'a> InBuffer<'a> {
1913    /// Returns a new `InBuffer` around the given slice.
1914    ///
1915    /// Starts with `pos = 0`.
1916    pub fn around(src: &'a [u8]) -> Self {
1917        InBuffer { src, pos: 0 }
1918    }
1919
1920    /// Returns the current cursor position.
1921    pub fn pos(&self) -> usize {
1922        self.pos
1923    }
1924
1925    /// Sets the new cursor position.
1926    ///
1927    /// # Panics
1928    ///
1929    /// If `pos > self.src.len()`.
1930    pub fn set_pos(&mut self, pos: usize) {
1931        if pos > self.src.len() {
1932            panic!("Given position outside of the buffer bounds.");
1933        }
1934        self.pos = pos;
1935    }
1936
1937    fn wrap<'b>(&'b mut self) -> InBufferWrapper<'b, 'a> {
1938        InBufferWrapper {
1939            buf: zstd_sys::ZSTD_inBuffer {
1940                src: ptr_void(self.src),
1941                size: self.src.len(),
1942                pos: self.pos,
1943            },
1944            parent: self,
1945        }
1946    }
1947}
1948
1949impl<'a, 'b> Drop for InBufferWrapper<'a, 'b> {
1950    fn drop(&mut self) {
1951        self.parent.set_pos(self.buf.pos);
1952    }
1953}
1954
1955/// A Decompression stream.
1956///
1957/// Same as `DCtx`.
1958pub type DStream<'a> = DCtx<'a>;
1959
1960// Some functions work on a "frame prefix".
1961// TODO: Define `struct FramePrefix(&[u8]);` and move these functions to it?
1962//
1963// Some other functions work on a dictionary (not CDict or DDict).
1964// Same thing?
1965
1966/// Wraps the `ZSTD_findFrameCompressedSize()` function.
1967///
1968/// `src` should contain at least an entire frame.
1969pub fn find_frame_compressed_size(src: &[u8]) -> SafeResult {
1970    let code = unsafe {
1971        zstd_sys::ZSTD_findFrameCompressedSize(ptr_void(src), src.len())
1972    };
1973    parse_code(code)
1974}
1975
1976/// Wraps the `ZSTD_getFrameContentSize()` function.
1977///
1978/// Args:
1979/// * `src`: A prefix of the compressed frame. It should at least include the frame header.
1980///
1981/// Returns:
1982/// * `Err(ContentSizeError)` if `src` is too small of a prefix, or if it appears corrupted.
1983/// * `Ok(None)` if the frame does not include a content size.
1984/// * `Ok(Some(content_size_in_bytes))` otherwise.
1985pub fn get_frame_content_size(
1986    src: &[u8],
1987) -> Result<Option<u64>, ContentSizeError> {
1988    parse_content_size(unsafe {
1989        zstd_sys::ZSTD_getFrameContentSize(ptr_void(src), src.len())
1990    })
1991}
1992
1993/// Wraps the `ZSTD_findDecompressedSize()` function.
1994///
1995/// `src` should be exactly a sequence of ZSTD frames.
1996#[cfg(feature = "experimental")]
1997#[cfg_attr(feature = "doc-cfg", doc(cfg(feature = "experimental")))]
1998pub fn find_decompressed_size(
1999    src: &[u8],
2000) -> Result<Option<u64>, ContentSizeError> {
2001    parse_content_size(unsafe {
2002        zstd_sys::ZSTD_findDecompressedSize(ptr_void(src), src.len())
2003    })
2004}
2005
2006/// Wraps the `ZSTD_isFrame()` function.
2007#[cfg(feature = "experimental")]
2008#[cfg_attr(feature = "doc-cfg", doc(cfg(feature = "experimental")))]
2009pub fn is_frame(buffer: &[u8]) -> bool {
2010    unsafe { zstd_sys::ZSTD_isFrame(ptr_void(buffer), buffer.len()) > 0 }
2011}
2012
2013/// Wraps the `ZSTD_getDictID_fromDict()` function.
2014///
2015/// Returns `None` if the dictionary is not a valid zstd dictionary.
2016pub fn get_dict_id_from_dict(dict: &[u8]) -> Option<NonZeroU32> {
2017    NonZeroU32::new(unsafe {
2018        zstd_sys::ZSTD_getDictID_fromDict(ptr_void(dict), dict.len()) as u32
2019    })
2020}
2021
2022/// Wraps the `ZSTD_getDictID_fromFrame()` function.
2023///
2024/// Returns `None` if the dictionary ID could not be decoded. This may happen if:
2025/// * The frame was not encoded with a dictionary.
2026/// * The frame intentionally did not include dictionary ID.
2027/// * The dictionary was non-conformant.
2028/// * `src` is too small and does not include the frame header.
2029/// * `src` is not a valid zstd frame prefix.
2030pub fn get_dict_id_from_frame(src: &[u8]) -> Option<NonZeroU32> {
2031    NonZeroU32::new(unsafe {
2032        zstd_sys::ZSTD_getDictID_fromFrame(ptr_void(src), src.len()) as u32
2033    })
2034}
2035
2036/// What kind of context reset should be applied.
2037pub enum ResetDirective {
2038    /// Only the session will be reset.
2039    ///
2040    /// All parameters will be preserved (including the dictionary).
2041    /// But any frame being processed will be dropped.
2042    ///
2043    /// It can be useful to start re-using a context after an error or when an
2044    /// ongoing compression is no longer needed.
2045    SessionOnly,
2046
2047    /// Only reset parameters (including dictionary or referenced prefix).
2048    ///
2049    /// All parameters will be reset to default values.
2050    ///
2051    /// This can only be done between sessions - no compression or decompression must be ongoing.
2052    Parameters,
2053
2054    /// Reset both the session and parameters.
2055    ///
2056    /// The result is similar to a newly created context.
2057    SessionAndParameters,
2058}
2059
2060impl ResetDirective {
2061    fn as_sys(self) -> zstd_sys::ZSTD_ResetDirective {
2062        match self {
2063            ResetDirective::SessionOnly => zstd_sys::ZSTD_ResetDirective::ZSTD_reset_session_only,
2064            ResetDirective::Parameters => zstd_sys::ZSTD_ResetDirective::ZSTD_reset_parameters,
2065            ResetDirective::SessionAndParameters => zstd_sys::ZSTD_ResetDirective::ZSTD_reset_session_and_parameters,
2066        }
2067    }
2068}
2069
2070#[cfg(feature = "experimental")]
2071#[cfg_attr(feature = "doc-cfg", doc(cfg(feature = "experimental")))]
2072#[derive(Copy, Clone, Debug, PartialEq, Eq)]
2073#[repr(u32)]
2074pub enum FrameFormat {
2075    /// Regular zstd format.
2076    One = zstd_sys::ZSTD_format_e::ZSTD_f_zstd1 as u32,
2077
2078    /// Skip the 4 bytes identifying the content as zstd-compressed data.
2079    Magicless = zstd_sys::ZSTD_format_e::ZSTD_f_zstd1_magicless as u32,
2080}
2081
2082#[cfg(feature = "experimental")]
2083#[cfg_attr(feature = "doc-cfg", doc(cfg(feature = "experimental")))]
2084#[derive(Copy, Clone, Debug, PartialEq, Eq)]
2085#[repr(u32)]
2086pub enum DictAttachPref {
2087    DefaultAttach =
2088        zstd_sys::ZSTD_dictAttachPref_e::ZSTD_dictDefaultAttach as u32,
2089    ForceAttach = zstd_sys::ZSTD_dictAttachPref_e::ZSTD_dictForceAttach as u32,
2090    ForceCopy = zstd_sys::ZSTD_dictAttachPref_e::ZSTD_dictForceCopy as u32,
2091    ForceLoad = zstd_sys::ZSTD_dictAttachPref_e::ZSTD_dictForceLoad as u32,
2092}
2093
2094#[cfg(feature = "experimental")]
2095#[cfg_attr(feature = "doc-cfg", doc(cfg(feature = "experimental")))]
2096#[derive(Copy, Clone, Debug, PartialEq, Eq)]
2097#[repr(u32)]
2098pub enum ParamSwitch {
2099    Auto = zstd_sys::ZSTD_ParamSwitch_e::ZSTD_ps_auto as u32,
2100    Enable = zstd_sys::ZSTD_ParamSwitch_e::ZSTD_ps_enable as u32,
2101    Disable = zstd_sys::ZSTD_ParamSwitch_e::ZSTD_ps_disable as u32,
2102}
2103
2104/// A compression parameter.
2105#[derive(Copy, Clone, Debug, PartialEq, Eq)]
2106#[non_exhaustive]
2107pub enum CParameter {
2108    #[cfg(feature = "experimental")]
2109    #[cfg_attr(feature = "doc-cfg", doc(cfg(feature = "experimental")))]
2110    RSyncable(bool),
2111
2112    #[cfg(feature = "experimental")]
2113    #[cfg_attr(feature = "doc-cfg", doc(cfg(feature = "experimental")))]
2114    Format(FrameFormat),
2115
2116    #[cfg(feature = "experimental")]
2117    #[cfg_attr(feature = "doc-cfg", doc(cfg(feature = "experimental")))]
2118    ForceMaxWindow(bool),
2119
2120    #[cfg(feature = "experimental")]
2121    #[cfg_attr(feature = "doc-cfg", doc(cfg(feature = "experimental")))]
2122    ForceAttachDict(DictAttachPref),
2123
2124    #[cfg(feature = "experimental")]
2125    #[cfg_attr(feature = "doc-cfg", doc(cfg(feature = "experimental")))]
2126    LiteralCompressionMode(ParamSwitch),
2127
2128    #[cfg(feature = "experimental")]
2129    #[cfg_attr(feature = "doc-cfg", doc(cfg(feature = "experimental")))]
2130    SrcSizeHint(u32),
2131
2132    #[cfg(feature = "experimental")]
2133    #[cfg_attr(feature = "doc-cfg", doc(cfg(feature = "experimental")))]
2134    EnableDedicatedDictSearch(bool),
2135
2136    #[cfg(feature = "experimental")]
2137    #[cfg_attr(feature = "doc-cfg", doc(cfg(feature = "experimental")))]
2138    StableInBuffer(bool),
2139
2140    #[cfg(feature = "experimental")]
2141    #[cfg_attr(feature = "doc-cfg", doc(cfg(feature = "experimental")))]
2142    StableOutBuffer(bool),
2143
2144    #[cfg(feature = "experimental")]
2145    #[cfg_attr(feature = "doc-cfg", doc(cfg(feature = "experimental")))]
2146    BlockDelimiters(bool),
2147
2148    #[cfg(feature = "experimental")]
2149    #[cfg_attr(feature = "doc-cfg", doc(cfg(feature = "experimental")))]
2150    ValidateSequences(bool),
2151
2152    #[cfg(feature = "experimental")]
2153    #[cfg_attr(feature = "doc-cfg", doc(cfg(feature = "experimental")))]
2154    UseBlockSplitter(ParamSwitch),
2155
2156    #[cfg(feature = "experimental")]
2157    #[cfg_attr(feature = "doc-cfg", doc(cfg(feature = "experimental")))]
2158    UseRowMatchFinder(ParamSwitch),
2159
2160    #[cfg(feature = "experimental")]
2161    #[cfg_attr(feature = "doc-cfg", doc(cfg(feature = "experimental")))]
2162    DeterministicRefPrefix(bool),
2163
2164    #[cfg(feature = "experimental")]
2165    #[cfg_attr(feature = "doc-cfg", doc(cfg(feature = "experimental")))]
2166    PrefetchCDictTables(ParamSwitch),
2167
2168    #[cfg(feature = "experimental")]
2169    #[cfg_attr(feature = "doc-cfg", doc(cfg(feature = "experimental")))]
2170    EnableSeqProducerFallback(bool),
2171
2172    #[cfg(feature = "experimental")]
2173    #[cfg_attr(feature = "doc-cfg", doc(cfg(feature = "experimental")))]
2174    MaxBlockSize(u32),
2175
2176    #[cfg(feature = "experimental")]
2177    #[cfg_attr(feature = "doc-cfg", doc(cfg(feature = "experimental")))]
2178    SearchForExternalRepcodes(ParamSwitch),
2179
2180    /// Target CBlock size.
2181    ///
2182    /// Tries to make compressed blocks fit in this size (not a guarantee, just a target).
2183    /// Useful to reduce end-to-end latency in low-bandwidth environments.
2184    ///
2185    /// No target when the value is 0.
2186    TargetCBlockSize(u32),
2187
2188    /// Compression level to use.
2189    ///
2190    /// Compression levels are global presets for the other compression parameters.
2191    CompressionLevel(CompressionLevel),
2192
2193    /// Maximum allowed back-reference distance.
2194    ///
2195    /// The actual distance is 2 power "this value".
2196    WindowLog(u32),
2197
2198    HashLog(u32),
2199
2200    ChainLog(u32),
2201
2202    SearchLog(u32),
2203
2204    MinMatch(u32),
2205
2206    TargetLength(u32),
2207
2208    Strategy(Strategy),
2209
2210    EnableLongDistanceMatching(bool),
2211
2212    LdmHashLog(u32),
2213
2214    LdmMinMatch(u32),
2215
2216    LdmBucketSizeLog(u32),
2217
2218    LdmHashRateLog(u32),
2219
2220    ContentSizeFlag(bool),
2221
2222    ChecksumFlag(bool),
2223
2224    DictIdFlag(bool),
2225
2226    /// How many threads will be spawned.
2227    ///
2228    /// With a default value of `0`, `compress_stream*` functions block until they complete.
2229    ///
2230    /// With any other value (including 1, a single compressing thread), these methods directly
2231    /// return, and the actual compression is done in the background (until a flush is requested).
2232    ///
2233    /// Note: this will only work if the `zstdmt` feature is activated.
2234    NbWorkers(u32),
2235
2236    /// Size in bytes of a compression job.
2237    ///
2238    /// Does not have any effect when `NbWorkers` is set to 0.
2239    ///
2240    /// The default value of 0 finds the best job size based on the compression parameters.
2241    ///
2242    /// Note: this will only work if the `zstdmt` feature is activated.
2243    JobSize(u32),
2244
2245    /// Specifies how much overlap must be given to each worker.
2246    ///
2247    /// Possible values:
2248    ///
2249    /// * `0` (default value): automatic overlap based on compression strategy.
2250    /// * `1`: No overlap
2251    /// * `1 < n < 9`: Overlap a fraction of the window size, defined as `1/(2 ^ 9-n)`.
2252    /// * `9`: Full overlap (as long as the window)
2253    /// * `9 < m`: Will return an error.
2254    ///
2255    /// Note: this will only work if the `zstdmt` feature is activated.
2256    OverlapSizeLog(u32),
2257}
2258
2259/// A decompression parameter.
2260#[derive(Copy, Clone, Debug, PartialEq, Eq)]
2261#[non_exhaustive]
2262pub enum DParameter {
2263    WindowLogMax(u32),
2264
2265    #[cfg(feature = "experimental")]
2266    #[cfg_attr(feature = "doc-cfg", doc(cfg(feature = "experimental")))]
2267    /// See `FrameFormat`.
2268    Format(FrameFormat),
2269
2270    #[cfg(feature = "experimental")]
2271    #[cfg_attr(feature = "doc-cfg", doc(cfg(feature = "experimental")))]
2272    StableOutBuffer(bool),
2273
2274    #[cfg(feature = "experimental")]
2275    #[cfg_attr(feature = "doc-cfg", doc(cfg(feature = "experimental")))]
2276    ForceIgnoreChecksum(bool),
2277
2278    #[cfg(feature = "experimental")]
2279    #[cfg_attr(feature = "doc-cfg", doc(cfg(feature = "experimental")))]
2280    RefMultipleDDicts(bool),
2281}
2282
2283/// Wraps the `ZDICT_trainFromBuffer()` function.
2284#[cfg(feature = "zdict_builder")]
2285#[cfg_attr(feature = "doc-cfg", doc(cfg(feature = "zdict_builder")))]
2286pub fn train_from_buffer<C: WriteBuf + ?Sized>(
2287    dict_buffer: &mut C,
2288    samples_buffer: &[u8],
2289    samples_sizes: &[usize],
2290) -> SafeResult {
2291    assert_eq!(samples_buffer.len(), samples_sizes.iter().sum());
2292
2293    unsafe {
2294        dict_buffer.write_from(|buffer, capacity| {
2295            parse_code(zstd_sys::ZDICT_trainFromBuffer(
2296                buffer,
2297                capacity,
2298                ptr_void(samples_buffer),
2299                samples_sizes.as_ptr(),
2300                samples_sizes.len() as u32,
2301            ))
2302        })
2303    }
2304}
2305
2306/// Wraps the `ZDICT_getDictID()` function.
2307#[cfg(feature = "zdict_builder")]
2308#[cfg_attr(feature = "doc-cfg", doc(cfg(feature = "zdict_builder")))]
2309pub fn get_dict_id(dict_buffer: &[u8]) -> Option<NonZeroU32> {
2310    NonZeroU32::new(unsafe {
2311        zstd_sys::ZDICT_getDictID(ptr_void(dict_buffer), dict_buffer.len())
2312    })
2313}
2314
2315/// Wraps the `ZSTD_getBlockSize()` function.
2316#[cfg(feature = "experimental")]
2317#[cfg_attr(feature = "doc-cfg", doc(cfg(feature = "experimental")))]
2318pub fn get_block_size(cctx: &CCtx) -> usize {
2319    unsafe { zstd_sys::ZSTD_getBlockSize(cctx.0.as_ptr()) }
2320}
2321
2322/// Wraps the `ZSTD_decompressBound` function
2323#[cfg(feature = "experimental")]
2324#[cfg_attr(feature = "doc-cfg", doc(cfg(feature = "experimental")))]
2325pub fn decompress_bound(data: &[u8]) -> Result<u64, ErrorCode> {
2326    let bound =
2327        unsafe { zstd_sys::ZSTD_decompressBound(ptr_void(data), data.len()) };
2328    if is_error(bound as usize) {
2329        Err(bound as usize)
2330    } else {
2331        Ok(bound)
2332    }
2333}
2334
2335/// Given a buffer of size `src_size`, returns the maximum number of sequences that can ge
2336/// generated.
2337#[cfg(feature = "experimental")]
2338#[cfg_attr(feature = "doc-cfg", doc(cfg(feature = "experimental")))]
2339pub fn sequence_bound(src_size: usize) -> usize {
2340    // Safety: Just FFI.
2341    unsafe { zstd_sys::ZSTD_sequenceBound(src_size) }
2342}
2343
2344/// Returns the minimum extra space when output and input buffer overlap.
2345///
2346/// When using in-place decompression, the output buffer must be at least this much bigger (in
2347/// bytes) than the input buffer. The extra space must be at the front of the output buffer (the
2348/// input buffer must be at the end of the output buffer).
2349#[cfg(feature = "experimental")]
2350#[cfg_attr(feature = "doc-cfg", doc(cfg(feature = "experimental")))]
2351pub fn decompression_margin(
2352    compressed_data: &[u8],
2353) -> Result<usize, ErrorCode> {
2354    parse_code(unsafe {
2355        zstd_sys::ZSTD_decompressionMargin(
2356            ptr_void(compressed_data),
2357            compressed_data.len(),
2358        )
2359    })
2360}