libz_rs_sys/lib.rs
1#![allow(non_camel_case_types)]
2#![allow(non_snake_case)]
3#![cfg_attr(not(feature = "std"), no_std)]
4#![doc = include_str!("../README.md")]
5
6//! # Safety
7//!
8//! Most of the functions in this module are `unsafe fn`s, meaning that their behavior may be
9//! undefined if certain assumptions are broken by the caller. In most cases, documentation
10//! in this module refers to the safety assumptions of standard library functions.
11//!
12//! In most cases, pointers must be either `NULL` or satisfy the requirements of `&*ptr` or `&mut
13//! *ptr`. This requirement maps to the requirements of [`pointer::as_ref`] and [`pointer::as_mut`]
14//! for immutable and mutable pointers respectively.
15//!
16//! For pointer and length pairs, describing some sequence of elements in memory, the requirements
17//! of [`core::slice::from_raw_parts`] or [`core::slice::from_raw_parts_mut`] apply. In some cases,
18//! the element type `T` is converted into `MaybeUninit<T>`, meaning that while the slice must be
19//! valid, the elements in the slice can be uninitialized. Using uninitialized buffers for output
20//! is more performant.
21//!
22//! Finally, some functions accept a string argument, which must either be `NULL` or satisfy the
23//! requirements of [`core::ffi::CStr::from_ptr`].
24//!
25//! [`pointer::as_ref`]: https://doc.rust-lang.org/core/primitive.pointer.html#method.as_ref
26//! [`pointer::as_mut`]: https://doc.rust-lang.org/core/primitive.pointer.html#method.as_mut
27
28use core::mem::MaybeUninit;
29
30use core::ffi::{c_char, c_int, c_long, c_uchar, c_uint, c_ulong, c_void};
31
32use zlib_rs::{
33 deflate::{DeflateConfig, DeflateStream, Method, Strategy},
34 inflate::{InflateConfig, InflateStream},
35 DeflateFlush, InflateFlush, ReturnCode,
36};
37
38pub use zlib_rs::c_api::*;
39
40#[cfg(feature = "custom-prefix")]
41macro_rules! prefix {
42 ($name:expr) => {
43 concat!(env!("LIBZ_RS_SYS_PREFIX"), stringify!($name))
44 };
45}
46
47// NOTE: once we reach 1.0.0, the macro used for the `semver-prefix` feature should no longer include the
48// minor version in the name. The name is meant to be unique between semver-compatible versions!
49const _PRE_ONE_DOT_O: () = assert!(env!("CARGO_PKG_VERSION_MAJOR").as_bytes()[0] == b'0');
50
51#[cfg(feature = "semver-prefix")]
52macro_rules! prefix {
53 ($name:expr) => {
54 concat!(
55 "LIBZ_RS_SYS_v",
56 env!("CARGO_PKG_VERSION_MAJOR"),
57 ".",
58 env!("CARGO_PKG_VERSION_MINOR"),
59 ".x_",
60 stringify!($name)
61 )
62 };
63}
64
65#[cfg(all(
66 not(feature = "custom-prefix"),
67 not(feature = "semver-prefix"),
68 not(any(test, feature = "testing-prefix"))
69))]
70macro_rules! prefix {
71 ($name:expr) => {
72 stringify!($name)
73 };
74}
75
76#[cfg(all(
77 not(feature = "custom-prefix"),
78 not(feature = "semver-prefix"),
79 any(test, feature = "testing-prefix")
80))]
81macro_rules! prefix {
82 ($name:expr) => {
83 concat!("LIBZ_RS_SYS_TEST_", stringify!($name))
84 };
85}
86
87#[cfg(all(feature = "rust-allocator", feature = "c-allocator"))]
88const _: () =
89 compile_error!("Only one of `rust-allocator` and `c-allocator` can be enabled at a time");
90
91// In spirit this type is `libc::off_t`, but it would be our only libc dependency, and so we
92// hardcode the type here. This should be correct on most operating systems. If we ever run into
93// issues with it, we can either special-case or add a feature flag to force a particular width
94#[cfg(not(target_arch = "wasm32"))]
95pub type z_off_t = c_long;
96
97#[cfg(target_arch = "wasm32")]
98pub type z_off_t = i64;
99
100/// Calculates the [crc32](https://en.wikipedia.org/wiki/Computation_of_cyclic_redundancy_checks#CRC-32_algorithm) checksum
101/// of a sequence of bytes.
102///
103/// When the pointer argument is `NULL`, the initial checksum value is returned.
104///
105/// # Safety
106///
107/// The caller must guarantee that either:
108///
109/// - `buf` is `NULL`
110/// - `buf` and `len` satisfy the requirements of [`core::slice::from_raw_parts`]
111///
112/// # Example
113///
114/// ```
115/// use libz_rs_sys::crc32;
116///
117/// unsafe {
118/// assert_eq!(crc32(0, core::ptr::null(), 0), 0);
119/// assert_eq!(crc32(1, core::ptr::null(), 32), 0);
120///
121/// let input = [1,2,3];
122/// assert_eq!(crc32(0, input.as_ptr(), input.len() as _), 1438416925);
123/// }
124/// ```
125#[cfg_attr(feature = "export-symbols", export_name = prefix!(crc32))]
126pub unsafe extern "C-unwind" fn crc32(crc: c_ulong, buf: *const Bytef, len: uInt) -> c_ulong {
127 match unsafe { slice_from_raw_parts(buf, len as usize) } {
128 Some(buf) => zlib_rs::crc32(crc as u32, buf) as c_ulong,
129 None => 0,
130 }
131}
132
133/// Combines the checksum of two slices into one.
134///
135/// The combined value is equivalent to calculating the checksum of the whole input.
136///
137/// This function can be used when input arrives in chunks, or when different threads
138/// calculate the checksum of different sections of the input.
139///
140/// # Example
141///
142/// ```
143/// use libz_rs_sys::{crc32, crc32_combine};
144///
145/// let input = [1, 2, 3, 4, 5, 6, 7, 8];
146/// let lo = &input[..4];
147/// let hi = &input[4..];
148///
149/// unsafe {
150/// let full = crc32(0, input.as_ptr(), input.len() as _);
151///
152/// let crc1 = crc32(0, lo.as_ptr(), lo.len() as _);
153/// let crc2 = crc32(0, hi.as_ptr(), hi.len() as _);
154///
155/// let combined = crc32_combine(crc1, crc2, hi.len() as _);
156///
157/// assert_eq!(full, combined);
158/// }
159/// ```
160#[cfg_attr(feature = "export-symbols", export_name = prefix!(crc32_combine))]
161pub extern "C-unwind" fn crc32_combine(crc1: c_ulong, crc2: c_ulong, len2: z_off_t) -> c_ulong {
162 zlib_rs::crc32_combine(crc1 as u32, crc2 as u32, len2 as u64) as c_ulong
163}
164
165/// Calculates the [adler32](https://en.wikipedia.org/wiki/Adler-32) checksum
166/// of a sequence of bytes.
167///
168/// When the pointer argument is `NULL`, the initial checksum value is returned.
169///
170/// # Safety
171///
172/// The caller must guarantee that either:
173///
174/// - `buf` is `NULL`
175/// - `buf` and `len` satisfy the requirements of [`core::slice::from_raw_parts`]
176///
177/// # Example
178///
179/// ```
180/// use libz_rs_sys::adler32;
181///
182/// unsafe {
183/// assert_eq!(adler32(0, core::ptr::null(), 0), 1);
184/// assert_eq!(adler32(1, core::ptr::null(), 32), 1);
185///
186/// let input = [1,2,3];
187/// assert_eq!(adler32(0, input.as_ptr(), input.len() as _), 655366);
188/// }
189/// ```
190#[cfg_attr(feature = "export-symbols", export_name = prefix!(adler32))]
191pub unsafe extern "C-unwind" fn adler32(adler: c_ulong, buf: *const Bytef, len: uInt) -> c_ulong {
192 match unsafe { slice_from_raw_parts(buf, len as usize) } {
193 Some(buf) => zlib_rs::adler32(adler as u32, buf) as c_ulong,
194 None => 1,
195 }
196}
197
198/// Combines the checksum of two slices into one.
199///
200/// The combined value is equivalent to calculating the checksum of the whole input.
201///
202/// This function can be used when input arrives in chunks, or when different threads
203/// calculate the checksum of different sections of the input.
204///
205/// # Example
206///
207/// ```
208/// use libz_rs_sys::{adler32, adler32_combine};
209///
210/// let input = [1, 2, 3, 4, 5, 6, 7, 8];
211/// let lo = &input[..4];
212/// let hi = &input[4..];
213///
214/// unsafe {
215/// let full = adler32(1, input.as_ptr(), input.len() as _);
216///
217/// let adler1 = adler32(1, lo.as_ptr(), lo.len() as _);
218/// let adler2 = adler32(1, hi.as_ptr(), hi.len() as _);
219///
220/// let combined = adler32_combine(adler1, adler2, hi.len() as _);
221///
222/// assert_eq!(full, combined);
223/// }
224/// ```
225#[cfg_attr(feature = "export-symbols", export_name = prefix!(adler32_combine))]
226pub extern "C-unwind" fn adler32_combine(
227 adler1: c_ulong,
228 adler2: c_ulong,
229 len2: z_off_t,
230) -> c_ulong {
231 match u64::try_from(len2) {
232 Ok(len2) => zlib_rs::adler32_combine(adler1 as u32, adler2 as u32, len2) as c_ulong,
233 Err(_) => {
234 // for negative len, return invalid adler32 as a clue for debugging
235 0xFFFF_FFFF
236 }
237 }
238}
239
240/// Inflates `source` into `dest`, and writes the final inflated size into `destLen`.
241///
242/// Upon entry, `destLen` is the total size of the destination buffer, which must be large enough to hold the entire
243/// uncompressed data. (The size of the uncompressed data must have been saved previously by the compressor and
244/// transmitted to the decompressor by some mechanism outside the scope of this compression library.)
245/// Upon exit, `destLen` is the actual size of the uncompressed data.
246///
247/// # Returns
248///
249/// * [`Z_OK`] if success
250/// * [`Z_MEM_ERROR`] if there was not enough memory
251/// * [`Z_BUF_ERROR`] if there was not enough room in the output buffer
252/// * [`Z_DATA_ERROR`] if the input data was corrupted or incomplete
253///
254/// In the case where there is not enough room, [`uncompress`] will fill the output buffer with the uncompressed data up to that point.
255///
256/// # Safety
257///
258/// The caller must guarantee that
259///
260/// * Either
261/// - `destLen` is `NULL`
262/// - `destLen` satisfies the requirements of `&mut *destLen`
263/// * Either
264/// - `dest` is `NULL`
265/// - `dest` and `*destLen` satisfy the requirements of [`core::slice::from_raw_parts_mut::<MaybeUninit<u8>>`]
266/// * Either
267/// - `source` is `NULL`
268/// - `source` and `sourceLen` satisfy the requirements of [`core::slice::from_raw_parts::<u8>`]
269///
270/// # Example
271///
272/// ```
273/// use libz_rs_sys::{Z_OK, uncompress};
274///
275/// let source = [120, 156, 115, 75, 45, 42, 202, 44, 6, 0, 8, 6, 2, 108];
276///
277/// let mut dest = vec![0u8; 100];
278/// let mut dest_len = dest.len() as _;
279///
280/// let err = unsafe {
281/// uncompress(
282/// dest.as_mut_ptr(),
283/// &mut dest_len,
284/// source.as_ptr(),
285/// source.len() as _,
286/// )
287/// };
288///
289/// assert_eq!(err, Z_OK);
290/// assert_eq!(dest_len, 6);
291///
292/// dest.truncate(dest_len as usize);
293/// assert_eq!(dest, b"Ferris");
294/// ```
295#[cfg_attr(feature = "export-symbols", export_name = prefix!(uncompress))]
296pub unsafe extern "C-unwind" fn uncompress(
297 dest: *mut u8,
298 destLen: *mut c_ulong,
299 source: *const u8,
300 sourceLen: c_ulong,
301) -> c_int {
302 // stock zlib will just dereference a NULL pointer: that's UB.
303 // Hence us returning an error value is compatible
304 let Some(destLen) = (unsafe { destLen.as_mut() }) else {
305 return ReturnCode::StreamError as _;
306 };
307
308 let Some(output) = (unsafe { slice_from_raw_parts_uninit_mut(dest, *destLen as usize) }) else {
309 return ReturnCode::StreamError as _;
310 };
311
312 let Some(input) = (unsafe { slice_from_raw_parts(source, sourceLen as usize) }) else {
313 return ReturnCode::StreamError as _;
314 };
315
316 let config = InflateConfig::default();
317 let (output, err) = zlib_rs::inflate::uncompress(output, input, config);
318
319 *destLen = output.len() as c_ulong;
320
321 err as c_int
322}
323
324/// Decompresses as much data as possible, and stops when the input buffer becomes empty or the output buffer becomes full.
325///
326/// # Returns
327///
328/// - [`Z_OK`] if success
329/// - [`Z_STREAM_END`] if the end of the compressed data has been reached and all uncompressed output has been produced
330/// - [`Z_NEED_DICT`] if a preset dictionary is needed at this point
331/// - [`Z_STREAM_ERROR`] if the stream state was inconsistent
332/// - [`Z_DATA_ERROR`] if the input data was corrupted
333/// - [`Z_MEM_ERROR`] if there was not enough memory
334/// - [`Z_BUF_ERROR`] if no progress was possible or if there was not enough room in the output buffer when [`Z_FINISH`] is used
335///
336/// Note that [`Z_BUF_ERROR`] is not fatal, and [`inflate`] can be called again with more input and more output space to continue decompressing.
337/// If [`Z_DATA_ERROR`] is returned, the application may then call [`inflateSync`] to look for a good compression block if a partial recovery of the data is to be attempted.
338///
339/// # Safety
340///
341/// * Either
342/// - `strm` is `NULL`
343/// - `strm` satisfies the requirements of `&mut *strm` and was initialized with [`inflateInit_`] or similar
344/// * Either
345/// - `strm.next_out` is `NULL`
346/// - `strm.next_out` and `strm.avail_out` satisfy the requirements of [`core::slice::from_raw_parts_mut::<MaybeUninit<u8>>`]
347/// * Either
348/// - `strm.next_in` is `NULL`
349/// - `strm.next_in` and `strm.avail_in` satisfy the requirements of [`core::slice::from_raw_parts::<u8>`]
350#[cfg_attr(feature = "export-symbols", export_name = prefix!(inflate))]
351pub unsafe extern "C-unwind" fn inflate(strm: *mut z_stream, flush: i32) -> i32 {
352 if let Some(stream) = InflateStream::from_stream_mut(strm) {
353 let flush = InflateFlush::try_from(flush).unwrap_or_default();
354 zlib_rs::inflate::inflate(stream, flush) as _
355 } else {
356 ReturnCode::StreamError as _
357 }
358}
359
360/// Deallocates all dynamically allocated data structures for this stream.
361///
362/// This function discards any unprocessed input and does not flush any pending output.
363///
364/// # Returns
365///
366/// - [`Z_OK`] if success
367/// - [`Z_STREAM_ERROR`] if the stream state was inconsistent
368///
369/// # Safety
370///
371/// * Either
372/// - `strm` is `NULL`
373/// - `strm` satisfies the requirements of `&mut *strm` and was initialized with [`inflateInit_`] or similar
374#[cfg_attr(feature = "export-symbols", export_name = prefix!(inflateEnd))]
375pub unsafe extern "C-unwind" fn inflateEnd(strm: *mut z_stream) -> i32 {
376 match InflateStream::from_stream_mut(strm) {
377 Some(stream) => {
378 zlib_rs::inflate::end(stream);
379 ReturnCode::Ok as _
380 }
381 None => ReturnCode::StreamError as _,
382 }
383}
384
385/// Initializes the state for decompression
386///
387/// # Returns
388///
389/// - [`Z_OK`] if success
390/// - [`Z_MEM_ERROR`] if there was not enough memory
391/// - [`Z_VERSION_ERROR`] if the zlib library version is incompatible with the version assumed by the caller
392/// - [`Z_STREAM_ERROR`] if a parameter is invalid, such as a null pointer to the structure
393///
394/// # Safety
395///
396/// The caller must guarantee that
397///
398/// * Either
399/// - `strm` is `NULL`
400/// - `strm` satisfies the requirements of `&mut *strm`
401/// * Either
402/// - `version` is NULL
403/// - `version` satisfies the requirements of [`core::ffi::CStr::from_ptr`]
404/// * If `strm` is not `NULL`, the following fields contain valid values
405/// - `zalloc`
406/// - `zfree`
407/// - `opaque`
408#[cfg_attr(feature = "export-symbols", export_name = prefix!(inflateBackInit_))]
409pub unsafe extern "C-unwind" fn inflateBackInit_(
410 _strm: z_streamp,
411 _windowBits: c_int,
412 _window: *mut c_uchar,
413 _version: *const c_char,
414 _stream_size: c_int,
415) -> c_int {
416 todo!("inflateBack is not implemented yet")
417}
418
419/// Decompresses as much data as possible, and stops when the input buffer becomes empty or the output buffer becomes full.
420///
421/// ## Safety
422///
423/// The caller must guarantee that
424///
425/// * Either
426/// - `strm` is `NULL`
427/// - `strm` satisfies the requirements of `&mut *strm` and was initialized with [`inflateBackInit_`]
428#[cfg_attr(feature = "export-symbols", export_name = prefix!(inflateBack))]
429pub unsafe extern "C-unwind" fn inflateBack(
430 _strm: z_streamp,
431 _in: in_func,
432 _in_desc: *mut c_void,
433 _out: out_func,
434 _out_desc: *mut c_void,
435) -> c_int {
436 todo!("inflateBack is not implemented yet")
437}
438
439/// Deallocates all dynamically allocated data structures for this stream.
440///
441/// This function discards any unprocessed input and does not flush any pending output.
442///
443/// ## Returns
444///
445/// - [`Z_OK`] if success
446/// - [`Z_STREAM_ERROR`] if the stream state was inconsistent
447///
448/// ## Safety
449///
450/// The caller must guarantee that
451///
452/// * Either
453/// - `strm` is `NULL`
454/// - `strm` satisfies the requirements of `&mut *strm` and was initialized with [`inflateBackInit_`]
455#[cfg_attr(feature = "export-symbols", export_name = prefix!(inflateBackEnd))]
456pub unsafe extern "C-unwind" fn inflateBackEnd(_strm: z_streamp) -> c_int {
457 todo!("inflateBack is not implemented yet")
458}
459
460/// Sets the destination stream as a complete copy of the source stream.
461///
462/// This function can be useful when randomly accessing a large stream.
463/// The first pass through the stream can periodically record the inflate state,
464/// allowing restarting inflate at those points when randomly accessing the stream.
465///
466/// # Returns
467///
468/// - [`Z_OK`] if success
469/// - [`Z_MEM_ERROR`] if there was not enough memory
470/// - [`Z_STREAM_ERROR`] if the source stream state was inconsistent (such as zalloc being NULL)
471///
472/// The `msg` field is left unchanged in both source and destination.
473///
474/// # Safety
475///
476/// The caller must guarantee that
477///
478/// * Either
479/// - `dest` is `NULL`
480/// - `dest` satisfies the requirements of `&mut *(dest as *mut MaybeUninit<z_stream>)`
481/// * Either
482/// - `source` is `NULL`
483/// - `source` satisfies the requirements of `&mut *strm` and was initialized with [`inflateInit_`] or similar
484#[cfg_attr(feature = "export-symbols", export_name = prefix!(inflateCopy))]
485pub unsafe extern "C-unwind" fn inflateCopy(dest: *mut z_stream, source: *const z_stream) -> i32 {
486 let Some(dest) = (unsafe { dest.cast::<MaybeUninit<InflateStream>>().as_mut() }) else {
487 return ReturnCode::StreamError as _;
488 };
489
490 let Some(source) = (unsafe { InflateStream::from_stream_ref(source) }) else {
491 return ReturnCode::StreamError as _;
492 };
493
494 zlib_rs::inflate::copy(dest, source) as _
495}
496
497/// Gives information about the current location of the input stream.
498///
499/// This function marks locations in the input data for random access, which may be at bit positions, and notes those cases where the output of a code may span boundaries of random access blocks. The current location in the input stream can be determined from `avail_in` and `data_type` as noted in the description for the [`Z_BLOCK`] flush parameter for [`inflate`].
500///
501/// A code is being processed if [`inflate`] is waiting for more input to complete decoding of the code, or if it has completed decoding but is waiting for more output space to write the literal or match data.
502///
503/// # Returns
504///
505/// This function returns two values, one in the lower 16 bits of the return value, and the other in the remaining upper bits, obtained by shifting the return value down 16 bits.
506///
507/// - If the upper value is `-1` and the lower value is zero, then [`inflate`] is currently decoding information outside of a block.
508/// - If the upper value is `-1` and the lower value is non-zero, then [`inflate`] is in the middle of a stored block, with the lower value equaling the number of bytes from the input remaining to copy.
509/// - If the upper value is not `-1`, then it is the number of bits back from the current bit position in the input of the code (literal or length/distance pair) currently being processed. In that case the lower value is the number of bytes already emitted for that code.
510/// - `-65536` if the provided source stream state was inconsistent.
511///
512/// # Safety
513///
514/// The caller must guarantee that
515///
516/// * Either
517/// - `strm` is `NULL`
518/// - `strm` satisfies the requirements of `&mut *strm` and was initialized with [`inflateInit_`] or similar
519#[cfg_attr(feature = "export-symbols", export_name = prefix!(inflateMark))]
520pub unsafe extern "C-unwind" fn inflateMark(strm: *const z_stream) -> c_long {
521 if let Some(stream) = InflateStream::from_stream_ref(strm) {
522 zlib_rs::inflate::mark(stream)
523 } else {
524 -65536
525 }
526}
527
528/// Skips invalid compressed data until
529///
530/// Skip invalid compressed data until a possible full flush point (see the description of deflate with [`Z_FULL_FLUSH`]) can be found,
531/// or until all available input is skipped. No output is provided.
532///
533/// [`inflateSync`] searches for a `00 00 FF FF` pattern in the compressed data.
534/// All full flush points have this pattern, but not all occurrences of this pattern are full flush points.
535///
536/// # Returns
537///
538/// - [`Z_OK`] if a possible full flush point has been found
539/// - [`Z_BUF_ERROR`] if no more input was provided
540/// - [`Z_DATA_ERROR`] if no flush point has been found
541/// - [`Z_STREAM_ERROR`] if the stream structure was inconsistent
542///
543/// In the success case, the application may save the current value of `total_in` which indicates where valid compressed data was found.
544/// In the error case, the application may repeatedly call [`inflateSync`], providing more input each time, until success or end of the input data.
545///
546/// # Safety
547///
548/// The caller must guarantee that
549///
550/// * Either
551/// - `strm` is `NULL`
552/// - `strm` satisfies the requirements of `&mut *strm` and was initialized with [`inflateInit_`] or similar
553#[cfg_attr(feature = "export-symbols", export_name = prefix!(inflateSync))]
554pub unsafe extern "C-unwind" fn inflateSync(strm: *mut z_stream) -> i32 {
555 if let Some(stream) = InflateStream::from_stream_mut(strm) {
556 zlib_rs::inflate::sync(stream) as _
557 } else {
558 ReturnCode::StreamError as _
559 }
560}
561
562#[doc(hidden)]
563/// # Safety
564///
565/// The caller must guarantee that
566///
567/// * Either
568/// - `strm` is `NULL`
569/// - `strm` satisfies the requirements of `&mut *strm` and was initialized with [`inflateInit_`] or similar
570#[cfg_attr(feature = "export-symbols", export_name = prefix!(inflateSyncPoint))]
571pub unsafe extern "C-unwind" fn inflateSyncPoint(strm: *mut z_stream) -> i32 {
572 if let Some(stream) = InflateStream::from_stream_mut(strm) {
573 zlib_rs::inflate::sync_point(stream) as i32
574 } else {
575 ReturnCode::StreamError as _
576 }
577}
578
579/// Initializes the state for decompression
580///
581/// A call to [`inflateInit_`] is equivalent to [`inflateInit2_`] where `windowBits` is 15.
582///
583/// # Returns
584///
585/// - [`Z_OK`] if success
586/// - [`Z_MEM_ERROR`] if there was not enough memory
587/// - [`Z_VERSION_ERROR`] if the zlib library version is incompatible with the version assumed by the caller
588/// - [`Z_STREAM_ERROR`] if a parameter is invalid, such as a null pointer to the structure
589///
590/// # Safety
591///
592/// The caller must guarantee that
593///
594/// * Either
595/// - `strm` is `NULL`
596/// - `strm` satisfies the requirements of `&mut *strm`
597/// * Either
598/// - `version` is NULL
599/// - `version` satisfies the requirements of [`core::ffi::CStr::from_ptr`]
600/// * If `strm` is not `NULL`, the following fields contain valid values
601/// - `zalloc`
602/// - `zfree`
603/// - `opaque`
604#[cfg_attr(feature = "export-symbols", export_name = prefix!(inflateInit_))]
605pub unsafe extern "C-unwind" fn inflateInit_(
606 strm: z_streamp,
607 version: *const c_char,
608 stream_size: c_int,
609) -> c_int {
610 let config = InflateConfig::default();
611 unsafe { inflateInit2_(strm, config.window_bits, version, stream_size) }
612}
613
614/// Initializes the state for decompression
615///
616/// # Returns
617///
618/// - [`Z_OK`] if success
619/// - [`Z_MEM_ERROR`] if there was not enough memory
620/// - [`Z_VERSION_ERROR`] if the zlib library version is incompatible with the version assumed by the caller
621/// - [`Z_STREAM_ERROR`] if a parameter is invalid, such as a null pointer to the structure
622///
623/// # Safety
624///
625/// The caller must guarantee that
626///
627/// * Either
628/// - `strm` is `NULL`
629/// - `strm` satisfies the requirements of `&mut *strm`
630/// * Either
631/// - `version` is NULL
632/// - `version` satisfies the requirements of [`core::ffi::CStr::from_ptr`]
633/// * If `strm` is not `NULL`, the following fields contain valid values
634/// - `zalloc`
635/// - `zfree`
636/// - `opaque`
637#[cfg_attr(feature = "export-symbols", export_name = prefix!(inflateInit2_))]
638pub unsafe extern "C-unwind" fn inflateInit2_(
639 strm: z_streamp,
640 windowBits: c_int,
641 version: *const c_char,
642 stream_size: c_int,
643) -> c_int {
644 if !is_version_compatible(version, stream_size) {
645 ReturnCode::VersionError as _
646 } else {
647 inflateInit2(strm, windowBits)
648 }
649}
650
651/// Helper that implements the actual initialization logic
652///
653/// # Safety
654///
655/// The caller must guarantee that
656///
657/// * Either
658/// - `strm` is `NULL`
659/// - `strm` satisfies the requirements of `&mut *strm`
660/// * If `strm` is not `NULL`, the following fields contain valid values
661/// - `zalloc`
662/// - `zfree`
663/// - `opaque`
664unsafe extern "C-unwind" fn inflateInit2(strm: z_streamp, windowBits: c_int) -> c_int {
665 let Some(strm) = (unsafe { strm.as_mut() }) else {
666 return ReturnCode::StreamError as _;
667 };
668
669 let config = InflateConfig {
670 window_bits: windowBits,
671 };
672
673 zlib_rs::inflate::init(strm, config) as _
674}
675
676/// Inserts bits in the inflate input stream.
677///
678/// The intent is that this function is used to start inflating at a bit position in the middle of a byte.
679/// The provided bits will be used before any bytes are used from next_in.
680/// This function should only be used with raw inflate, and should be used before the first [`inflate`] call after [`inflateInit2_`] or [`inflateReset`].
681/// bits must be less than or equal to 16, and that many of the least significant bits of value will be inserted in the input.
682///
683/// If bits is negative, then the input stream bit buffer is emptied. Then [`inflatePrime`] can be called again to put bits in the buffer.
684/// This is used to clear out bits leftover after feeding inflate a block description prior to feeding inflate codes.
685///
686/// # Returns
687///
688/// - [`Z_OK`] if success
689/// - [`Z_STREAM_ERROR`] if the source stream state was inconsistent
690///
691/// # Safety
692///
693/// The caller must guarantee that
694///
695/// * Either
696/// - `strm` is `NULL`
697/// - `strm` satisfies the requirements of `&mut *strm` and was initialized with [`inflateInit_`] or similar
698#[cfg_attr(feature = "export-symbols", export_name = prefix!(inflatePrime))]
699pub unsafe extern "C-unwind" fn inflatePrime(strm: *mut z_stream, bits: i32, value: i32) -> i32 {
700 if let Some(stream) = InflateStream::from_stream_mut(strm) {
701 zlib_rs::inflate::prime(stream, bits, value) as _
702 } else {
703 ReturnCode::StreamError as _
704 }
705}
706
707/// Equivalent to [`inflateEnd`] followed by [`inflateInit_`], but does not free and reallocate the internal decompression state.
708///
709/// The stream will keep attributes that may have been set by [`inflateInit2_`].
710/// The stream's `total_in`, `total_out`, `adler`, and `msg` fields are initialized.
711///
712/// # Returns
713///
714/// - [`Z_OK`] if success
715/// - [`Z_STREAM_ERROR`] if the source stream state was inconsistent
716///
717/// # Safety
718///
719/// The caller must guarantee that
720///
721/// * Either
722/// - `strm` is `NULL`
723/// - `strm` satisfies the requirements of `&mut *strm` and was initialized with [`inflateInit_`] or similar
724#[cfg_attr(feature = "export-symbols", export_name = prefix!(inflateReset))]
725pub unsafe extern "C-unwind" fn inflateReset(strm: *mut z_stream) -> i32 {
726 if let Some(stream) = InflateStream::from_stream_mut(strm) {
727 zlib_rs::inflate::reset(stream) as _
728 } else {
729 ReturnCode::StreamError as _
730 }
731}
732
733/// This function is the same as [`inflateReset`], but it also permits changing the wrap and window size requests.
734///
735/// The `windowBits` parameter is interpreted the same as it is for [`inflateInit2_`].
736/// If the window size is changed, then the memory allocated for the window is freed, and the window will be reallocated by [`inflate`] if needed.
737///
738/// # Returns
739///
740/// - [`Z_OK`] if success
741/// - [`Z_STREAM_ERROR`] if the source stream state was inconsistent, or if the `windowBits`
742/// parameter is invalid
743///
744/// # Safety
745///
746/// The caller must guarantee that
747///
748/// * Either
749/// - `strm` is `NULL`
750/// - `strm` satisfies the requirements of `&mut *strm` and was initialized with [`inflateInit_`] or similar
751#[cfg_attr(feature = "export-symbols", export_name = prefix!(inflateReset2))]
752pub unsafe extern "C-unwind" fn inflateReset2(strm: *mut z_stream, windowBits: c_int) -> i32 {
753 if let Some(stream) = InflateStream::from_stream_mut(strm) {
754 let config = InflateConfig {
755 window_bits: windowBits,
756 };
757 zlib_rs::inflate::reset_with_config(stream, config) as _
758 } else {
759 ReturnCode::StreamError as _
760 }
761}
762
763/// Initializes the decompression dictionary from the given uncompressed byte sequence.
764///
765/// This function must be called immediately after a call of [`inflate`], if that call returned [`Z_NEED_DICT`].
766/// The dictionary chosen by the compressor can be determined from the Adler-32 value returned by that call of inflate.
767/// The compressor and decompressor must use exactly the same dictionary (see [`deflateSetDictionary`]).
768/// For raw inflate, this function can be called at any time to set the dictionary.
769/// If the provided dictionary is smaller than the window and there is already data in the window, then the provided dictionary will amend what's there.
770/// The application must insure that the same dictionary that was used for compression is provided.
771///
772/// [`inflateSetDictionary`] does not perform any decompression: this will be done by subsequent calls of [`inflate`].
773///
774/// # Returns
775///
776/// - [`Z_OK`] if success
777/// - [`Z_STREAM_ERROR`] if the source stream state was inconsistent or `dictionary` is `NULL`
778/// - [`Z_DATA_ERROR`] if the given dictionary doesn't match the expected one (i.e. it has an incorrect Adler-32 value).
779///
780/// # Safety
781///
782/// The caller must guarantee that
783///
784/// * Either
785/// - `strm` is `NULL`
786/// - `strm` satisfies the requirements of `&mut *strm` and was initialized with [`inflateInit_`] or similar
787/// * Either
788/// - `dictionary` is `NULL`
789/// - `dictionary` and `dictLength` satisfy the requirements of [`core::slice::from_raw_parts_mut::<u8>`]
790#[cfg_attr(feature = "export-symbols", export_name = prefix!(inflateSetDictionary))]
791pub unsafe extern "C-unwind" fn inflateSetDictionary(
792 strm: *mut z_stream,
793 dictionary: *const u8,
794 dictLength: c_uint,
795) -> c_int {
796 let Some(stream) = InflateStream::from_stream_mut(strm) else {
797 return ReturnCode::StreamError as _;
798 };
799
800 let dict = match dictLength {
801 0 => &[],
802 _ => unsafe { slice_from_raw_parts(dictionary, dictLength as usize) }.unwrap_or(&[]),
803 };
804
805 zlib_rs::inflate::set_dictionary(stream, dict) as _
806}
807
808/// Requests that gzip header information be stored in the provided [`gz_header`] structure.
809///
810/// The [`inflateGetHeader`] function may be called after [`inflateInit2_`] or [`inflateReset`], and before the first call of [`inflate`].
811/// As [`inflate`] processes the gzip stream, `head.done` is zero until the header is completed, at which time `head.done` is set to one.
812/// If a zlib stream is being decoded, then `head.done` is set to `-1` to indicate that there will be no gzip header information forthcoming.
813/// Note that [`Z_BLOCK`] can be used to force [`inflate`] to return immediately after header processing is complete and before any actual data is decompressed.
814///
815/// - The `text`, `time`, `xflags`, and `os` fields are filled in with the gzip header contents.
816/// - `hcrc` is set to true if there is a header CRC. (The header CRC was valid if done is set to one.)
817/// - If `extra` is not `NULL`, then `extra_max` contains the maximum number of bytes to write to extra.
818/// Once `done` is `true`, `extra_len` contains the actual extra field length,
819/// and `extra` contains the extra field, or that field truncated if `extra_max` is less than `extra_len`.
820/// - If `name` is not `NULL`, then up to `name_max` characters are written there, terminated with a zero unless the length is greater than `name_max`.
821/// - If `comment` is not `NULL`, then up to `comm_max` characters are written there, terminated with a zero unless the length is greater than `comm_max`.
822///
823/// When any of `extra`, `name`, or `comment` are not `NULL` and the respective field is not present in the header, then that field is set to `NULL` to signal its absence.
824/// This allows the use of [`deflateSetHeader`] with the returned structure to duplicate the header. However if those fields are set to allocated memory,
825/// then the application will need to save those pointers elsewhere so that they can be eventually freed.
826///
827/// If [`inflateGetHeader`] is not used, then the header information is simply discarded. The header is always checked for validity, including the header CRC if present.
828/// [`inflateReset`] will reset the process to discard the header information.
829/// The application would need to call [`inflateGetHeader`] again to retrieve the header from the next gzip stream.
830///
831/// # Returns
832///
833/// - [`Z_OK`] if success
834/// - [`Z_STREAM_ERROR`] if the source stream state was inconsistent (such as zalloc being NULL)
835///
836/// # Safety
837///
838/// * Either
839/// - `strm` is `NULL`
840/// - `strm` satisfies the requirements of `&mut *strm` and was initialized with [`inflateInit_`] or similar
841/// * Either
842/// - `head` is `NULL`
843/// - `head` satisfies the requirements of `&mut *head`
844/// * If `head` is not `NULL`:
845/// - if `head.extra` is not NULL, it must be writable for at least `head.extra_max` bytes
846/// - if `head.name` is not NULL, it must be writable for at least `head.name_max` bytes
847/// - if `head.comment` is not NULL, it must be writable for at least `head.comm_max` bytes
848#[cfg_attr(feature = "export-symbols", export_name = prefix!(inflateGetHeader))]
849pub unsafe extern "C-unwind" fn inflateGetHeader(strm: z_streamp, head: gz_headerp) -> c_int {
850 let Some(stream) = (unsafe { InflateStream::from_stream_mut(strm) }) else {
851 return ReturnCode::StreamError as _;
852 };
853
854 // SAFETY: the caller guarantees the safety of `&mut *`
855 let header = unsafe { head.as_mut() };
856
857 zlib_rs::inflate::get_header(stream, header) as i32
858}
859
860#[doc(hidden)]
861/// # Safety
862///
863/// The caller must guarantee that
864///
865/// * Either
866/// - `strm` is `NULL`
867/// - `strm` satisfies the requirements of `&mut *strm` and was initialized with [`inflateInit_`] or similar
868#[cfg_attr(feature = "export-symbols", export_name = prefix!(inflateUndermine))]
869pub unsafe extern "C-unwind" fn inflateUndermine(strm: *mut z_stream, subvert: i32) -> c_int {
870 if let Some(stream) = InflateStream::from_stream_mut(strm) {
871 zlib_rs::inflate::undermine(stream, subvert) as i32
872 } else {
873 ReturnCode::StreamError as _
874 }
875}
876
877#[doc(hidden)]
878/// ## Safety
879///
880/// * Either
881/// - `strm` is `NULL`
882/// - `strm` satisfies the requirements of `&mut *strm` and was initialized with [`inflateInit_`] or similar
883#[cfg_attr(feature = "export-symbols", export_name = prefix!(inflateResetKeep))]
884pub unsafe extern "C-unwind" fn inflateResetKeep(strm: *mut z_stream) -> c_int {
885 if let Some(stream) = InflateStream::from_stream_mut(strm) {
886 zlib_rs::inflate::reset_keep(stream) as _
887 } else {
888 ReturnCode::StreamError as _
889 }
890}
891
892// undocumented but exposed function
893#[doc(hidden)]
894/// Returns the number of codes used
895///
896/// # Safety
897///
898/// The caller must guarantee that either:
899///
900/// - `buf` is `NULL`
901/// - `buf` and `len` satisfy the requirements of [`core::slice::from_raw_parts`]
902#[cfg_attr(feature = "export-symbols", export_name = prefix!(inflateCodesUsed))]
903pub unsafe extern "C-unwind" fn inflateCodesUsed(_strm: *mut z_stream) -> c_ulong {
904 todo!()
905}
906
907/// Compresses as much data as possible, and stops when the input buffer becomes empty or the output buffer becomes full.
908///
909/// # Returns
910///
911/// - [`Z_OK`] if success
912/// - [`Z_STREAM_END`] if the end of the compressed data has been reached and all uncompressed output has been produced
913/// - [`Z_STREAM_ERROR`] if the stream state was inconsistent
914/// - [`Z_BUF_ERROR`] if no progress was possible or if there was not enough room in the output buffer when [`Z_FINISH`] is used
915///
916/// Note that [`Z_BUF_ERROR`] is not fatal, and [`deflate`] can be called again with more input and more output space to continue decompressing.
917///
918/// # Safety
919///
920/// * Either
921/// - `strm` is `NULL`
922/// - `strm` satisfies the requirements of `&mut *strm` and was initialized with [`deflateInit_`] or similar
923/// * Either
924/// - `strm.next_out` is `NULL`
925/// - `strm.next_out` and `strm.avail_out` satisfy the requirements of [`core::slice::from_raw_parts_mut::<MaybeUninit<u8>>`]
926/// * Either
927/// - `strm.next_in` is `NULL`
928/// - `strm.next_in` and `strm.avail_in` satisfy the requirements of [`core::slice::from_raw_parts::<u8>`]
929#[cfg_attr(feature = "export-symbols", export_name = prefix!(deflate))]
930pub unsafe extern "C-unwind" fn deflate(strm: *mut z_stream, flush: i32) -> c_int {
931 if let Some(stream) = DeflateStream::from_stream_mut(strm) {
932 match DeflateFlush::try_from(flush) {
933 Ok(flush) => zlib_rs::deflate::deflate(stream, flush) as _,
934 Err(()) => ReturnCode::StreamError as _,
935 }
936 } else {
937 ReturnCode::StreamError as _
938 }
939}
940
941/// Provides gzip header information for when a gzip stream is requested by [`deflateInit2_`].
942///
943/// [`deflateSetHeader`] may be called after [`deflateInit2_`] or [`deflateReset`]) and before the first call of [`deflate`]. The header's `text`, `time`, `os`, `extra`, `name`, and `comment` fields in the provided [`gz_header`] structure are written to the gzip header (xflag is ignored — the extra flags are set according to the compression level).
944///
945/// The caller must assure that, if not `NULL`, `name` and `comment` are terminated with a zero byte, and that if `extra` is not NULL, that `extra_len` bytes are available there.
946/// If `hcrc` is true, a gzip header crc is included.
947///
948/// If [`deflateSetHeader`] is not used, the default gzip header has text false, the time set to zero, and os set to the current operating system, with no extra, name, or comment fields. The gzip header is returned to the default state by [`deflateReset`].
949///
950/// # Returns
951///
952/// - [`Z_OK`] if success
953/// - [`Z_STREAM_ERROR`] if the stream state was inconsistent
954///
955/// # Safety
956///
957/// * Either
958/// - `strm` is `NULL`
959/// - `strm` satisfies the requirements of `&mut *strm` and was initialized with [`deflateInit_`] or similar
960/// * Either
961/// - `head` is `NULL`
962/// - `head` satisfies the requirements of `&mut *head` and satisfies the following:
963/// - `head.extra` is `NULL` or is readable for at least `head.extra_len` bytes
964/// - `head.name` is `NULL` or satisfies the requirements of [`core::ffi::CStr::from_ptr`]
965/// - `head.comment` is `NULL` or satisfies the requirements of [`core::ffi::CStr::from_ptr`]
966#[cfg_attr(feature = "export-symbols", export_name = prefix!(deflateSetHeader))]
967pub unsafe extern "C-unwind" fn deflateSetHeader(strm: *mut z_stream, head: gz_headerp) -> c_int {
968 let Some(stream) = (unsafe { DeflateStream::from_stream_mut(strm) }) else {
969 return ReturnCode::StreamError as _;
970 };
971
972 let header = unsafe { head.as_mut() };
973
974 zlib_rs::deflate::set_header(stream, header) as _
975}
976
977/// Returns an upper bound on the compressed size after deflation of `sourceLen` bytes.
978///
979/// This function must be called after [`deflateInit_`] or [`deflateInit2_`].
980/// This would be used to allocate an output buffer for deflation in a single pass, and so would be called before [`deflate`].
981/// If that first [`deflate`] call is provided the `sourceLen` input bytes, an output buffer allocated to the size returned by [`deflateBound`],
982/// and the flush value [`Z_FINISH`], then [`deflate`] is guaranteed to return [`Z_STREAM_END`].
983///
984/// Note that it is possible for the compressed size to be larger than the value returned by [`deflateBound`]
985/// if flush options other than [`Z_FINISH`] or [`Z_NO_FLUSH`] are used.
986///
987/// ## Safety
988///
989/// * Either
990/// - `strm` is `NULL`
991/// - `strm` satisfies the requirements of `&mut *strm` and was initialized with [`deflateInit_`] or similar
992#[cfg_attr(feature = "export-symbols", export_name = prefix!(deflateBound))]
993pub unsafe extern "C-unwind" fn deflateBound(strm: *mut z_stream, sourceLen: c_ulong) -> c_ulong {
994 zlib_rs::deflate::bound(DeflateStream::from_stream_mut(strm), sourceLen as usize) as c_ulong
995}
996
997/// Compresses `source` into `dest`, and writes the final deflated size into `destLen`.
998///
999///`sourceLen` is the byte length of the source buffer.
1000/// Upon entry, `destLen` is the total size of the destination buffer,
1001/// which must be at least the value returned by [`compressBound`]`(sourceLen)`.
1002/// Upon exit, `destLen` is the actual size of the compressed data.
1003///
1004/// A call to [`compress`] is equivalent to [`compress2`] with a level parameter of [`Z_DEFAULT_COMPRESSION`].
1005///
1006/// # Returns
1007///
1008/// * [`Z_OK`] if success
1009/// * [`Z_MEM_ERROR`] if there was not enough memory
1010/// * [`Z_BUF_ERROR`] if there was not enough room in the output buffer
1011///
1012/// # Safety
1013///
1014/// The caller must guarantee that
1015///
1016/// * The `destLen` pointer satisfies the requirements of [`core::ptr::read`]
1017/// * Either
1018/// - `dest` is `NULL`
1019/// - `dest` and `*destLen` satisfy the requirements of [`core::slice::from_raw_parts_mut::<MaybeUninit<u8>>`]
1020/// * Either
1021/// - `source` is `NULL`
1022/// - `source` and `sourceLen` satisfy the requirements of [`core::slice::from_raw_parts`]
1023///
1024/// # Example
1025///
1026/// ```
1027/// use libz_rs_sys::{Z_OK, compress};
1028///
1029/// let source = b"Ferris";
1030///
1031/// let mut dest = vec![0u8; 100];
1032/// let mut dest_len = dest.len() as _;
1033///
1034/// let err = unsafe {
1035/// compress(
1036/// dest.as_mut_ptr(),
1037/// &mut dest_len,
1038/// source.as_ptr(),
1039/// source.len() as _,
1040/// )
1041/// };
1042///
1043/// assert_eq!(err, Z_OK);
1044/// assert_eq!(dest_len, 14);
1045///
1046/// dest.truncate(dest_len as usize);
1047/// assert_eq!(dest, [120, 156, 115, 75, 45, 42, 202, 44, 6, 0, 8, 6, 2, 108]);
1048/// ```
1049#[cfg_attr(feature = "export-symbols", export_name = prefix!(compress))]
1050pub unsafe extern "C-unwind" fn compress(
1051 dest: *mut Bytef,
1052 destLen: *mut c_ulong,
1053 source: *const Bytef,
1054 sourceLen: c_ulong,
1055) -> c_int {
1056 compress2(
1057 dest,
1058 destLen,
1059 source,
1060 sourceLen,
1061 DeflateConfig::default().level,
1062 )
1063}
1064
1065/// Compresses `source` into `dest`, and writes the final deflated size into `destLen`.
1066///
1067/// The level parameter has the same meaning as in [`deflateInit_`].
1068/// `sourceLen` is the byte length of the source buffer.
1069/// Upon entry, `destLen` is the total size of the destination buffer,
1070/// which must be at least the value returned by [`compressBound`]`(sourceLen)`.
1071/// Upon exit, `destLen` is the actual size of the compressed data.
1072///
1073/// # Returns
1074///
1075/// * [`Z_OK`] if success
1076/// * [`Z_MEM_ERROR`] if there was not enough memory
1077/// * [`Z_BUF_ERROR`] if there was not enough room in the output buffer
1078///
1079/// # Safety
1080///
1081/// The caller must guarantee that
1082///
1083/// * Either
1084/// - `destLen` is `NULL`
1085/// - `destLen` satisfies the requirements of `&mut *destLen`
1086/// * Either
1087/// - `dest` is `NULL`
1088/// - `dest` and `*destLen` satisfy the requirements of [`core::slice::from_raw_parts_mut::<MaybeUninit<u8>>`]
1089/// * Either
1090/// - `source` is `NULL`
1091/// - `source` and `sourceLen` satisfy the requirements of [`core::slice::from_raw_parts`]
1092#[cfg_attr(feature = "export-symbols", export_name = prefix!(compress2))]
1093pub unsafe extern "C-unwind" fn compress2(
1094 dest: *mut Bytef,
1095 destLen: *mut c_ulong,
1096 source: *const Bytef,
1097 sourceLen: c_ulong,
1098 level: c_int,
1099) -> c_int {
1100 // stock zlib will just dereference a NULL pointer: that's UB.
1101 // Hence us returning an error value is compatible
1102 let Some(destLen) = (unsafe { destLen.as_mut() }) else {
1103 return ReturnCode::StreamError as _;
1104 };
1105
1106 let Some(output) = (unsafe { slice_from_raw_parts_uninit_mut(dest, *destLen as usize) }) else {
1107 return ReturnCode::StreamError as _;
1108 };
1109
1110 let Some(input) = (unsafe { slice_from_raw_parts(source, sourceLen as usize) }) else {
1111 return ReturnCode::StreamError as _;
1112 };
1113
1114 let config = DeflateConfig::new(level);
1115 let (output, err) = zlib_rs::deflate::compress(output, input, config);
1116
1117 *destLen = output.len() as c_ulong;
1118
1119 err as c_int
1120}
1121
1122/// Returns an upper bound on the compressed size after [`compress`] or [`compress2`] on `sourceLen` bytes.
1123///
1124/// Can be used before a [`compress`] or [`compress2`] call to allocate the destination buffer.
1125#[cfg_attr(feature = "export-symbols", export_name = prefix!(compressBound))]
1126pub extern "C-unwind" fn compressBound(sourceLen: c_ulong) -> c_ulong {
1127 zlib_rs::deflate::compress_bound(sourceLen as usize) as c_ulong
1128}
1129
1130/// Deallocates all dynamically allocated data structures for this stream.
1131///
1132/// This function discards any unprocessed input and does not flush any pending output.
1133///
1134/// # Returns
1135///
1136/// - [`Z_OK`] if success
1137/// - [`Z_STREAM_ERROR`] if the stream state was inconsistent
1138/// - [`Z_DATA_ERROR`] if the stream was freed prematurely (some input or output was discarded)
1139///
1140/// In the error case, `strm.msg` may be set but then points to a static string (which must not be deallocated).
1141///
1142/// # Safety
1143///
1144/// * Either
1145/// - `strm` is `NULL`
1146/// - `strm` satisfies the requirements of `&mut *strm` and was initialized with [`deflateInit_`] or similar
1147#[cfg_attr(feature = "export-symbols", export_name = prefix!(deflateEnd))]
1148pub unsafe extern "C-unwind" fn deflateEnd(strm: *mut z_stream) -> i32 {
1149 match DeflateStream::from_stream_mut(strm) {
1150 Some(stream) => match zlib_rs::deflate::end(stream) {
1151 Ok(_) => ReturnCode::Ok as _,
1152 Err(_) => ReturnCode::DataError as _,
1153 },
1154 None => ReturnCode::StreamError as _,
1155 }
1156}
1157
1158/// This function is equivalent to [`deflateEnd`] followed by [`deflateInit_`], but does not free and reallocate the internal compression state.
1159///
1160/// This function will leave the compression level and any other attributes that may have been set unchanged.
1161/// The stream's `total_in`, `total_out`, `adler`, and `msg` fields are initialized.
1162///
1163/// ## Returns
1164///
1165/// - [`Z_OK`] if success
1166/// - [`Z_STREAM_ERROR`] if the stream state was inconsistent
1167///
1168/// ## Safety
1169///
1170/// The caller must guarantee that
1171///
1172/// * Either
1173/// - `strm` is `NULL`
1174/// - `strm` satisfies the requirements of `&mut *strm` and was initialized with [`deflateInit_`] or similar
1175#[cfg_attr(feature = "export-symbols", export_name = prefix!(deflateReset))]
1176pub unsafe extern "C-unwind" fn deflateReset(strm: *mut z_stream) -> i32 {
1177 match DeflateStream::from_stream_mut(strm) {
1178 Some(stream) => zlib_rs::deflate::reset(stream) as _,
1179 None => ReturnCode::StreamError as _,
1180 }
1181}
1182
1183/// Dynamically update the compression level and compression strategy.
1184///
1185/// This can be used to switch between compression and straight copy of the input data,
1186/// or to switch to a different kind of input data requiring a different strategy.
1187///
1188/// The interpretation of level and strategy is as in [`deflateInit2_`].
1189///
1190/// # Returns
1191///
1192/// - [`Z_OK`] if success
1193/// - [`Z_STREAM_ERROR`] if the stream state was inconsistent or if a parameter was invalid
1194/// - [`Z_BUF_ERROR`] if there was not enough output space to complete the compression of the available input data before a change in the strategy or approach.
1195///
1196/// Note that in the case of a [`Z_BUF_ERROR`], the parameters are not changed.
1197/// A return value of [`Z_BUF_ERROR`] is not fatal, in which case [`deflateParams`] can be retried with more output space.
1198///
1199/// # Safety
1200///
1201/// The caller must guarantee that
1202///
1203/// * Either
1204/// - `strm` is `NULL`
1205/// - `strm` satisfies the requirements of `&mut *strm` and was initialized with [`deflateInit_`] or similar
1206#[cfg_attr(feature = "export-symbols", export_name = prefix!(deflateParams))]
1207pub unsafe extern "C-unwind" fn deflateParams(
1208 strm: z_streamp,
1209 level: c_int,
1210 strategy: c_int,
1211) -> c_int {
1212 let Ok(strategy) = Strategy::try_from(strategy) else {
1213 return ReturnCode::StreamError as _;
1214 };
1215
1216 match DeflateStream::from_stream_mut(strm) {
1217 Some(stream) => zlib_rs::deflate::params(stream, level, strategy) as _,
1218 None => ReturnCode::StreamError as _,
1219 }
1220}
1221
1222/// Initializes the compression dictionary from the given byte sequence without producing any compressed output.
1223///
1224/// This function may be called after [`deflateInit_`], [`deflateInit2_`] or [`deflateReset`]) and before the first call of [`deflate`].
1225///
1226/// # Returns
1227///
1228/// - [`Z_OK`] if success
1229/// - [`Z_STREAM_ERROR`] if the stream state was inconsistent
1230///
1231/// # Safety
1232///
1233/// The caller must guarantee that
1234///
1235/// * Either
1236/// - `strm` is `NULL`
1237/// - `strm` satisfies the requirements of `&mut *strm` and was initialized with [`deflateInit_`] or similar
1238/// * Either
1239/// - `dictionary` is `NULL`
1240/// - `dictionary` and `dictLength` satisfy the requirements of [`core::slice::from_raw_parts_mut::<u8>`]
1241#[cfg_attr(feature = "export-symbols", export_name = prefix!(deflateSetDictionary))]
1242pub unsafe extern "C-unwind" fn deflateSetDictionary(
1243 strm: z_streamp,
1244 dictionary: *const Bytef,
1245 dictLength: uInt,
1246) -> c_int {
1247 let Some(dictionary) = (unsafe { slice_from_raw_parts(dictionary, dictLength as usize) })
1248 else {
1249 return ReturnCode::StreamError as _;
1250 };
1251
1252 match DeflateStream::from_stream_mut(strm) {
1253 Some(stream) => zlib_rs::deflate::set_dictionary(stream, dictionary) as _,
1254 None => ReturnCode::StreamError as _,
1255 }
1256}
1257
1258/// Inserts bits in the deflate output stream.
1259///
1260/// The intent is that this function is used to start off the deflate output with the bits leftover from a previous deflate stream when appending to it.
1261/// As such, this function can only be used for raw deflate, and must be used before the first [`deflate`] call after a [`deflateInit2_`] or [`deflateReset`].
1262/// bits must be less than or equal to 16, and that many of the least significant bits of value will be inserted in the output.
1263///
1264/// # Returns
1265///
1266/// - [`Z_OK`] if success
1267/// - [`Z_BUF_ERROR`] if there was not enough room in the internal buffer to insert the bits
1268/// - [`Z_STREAM_ERROR`] if the source stream state was inconsistent
1269///
1270/// # Safety
1271///
1272/// The caller must guarantee that
1273///
1274/// * Either
1275/// - `strm` is `NULL`
1276/// - `strm` satisfies the requirements of `&mut *strm` and was initialized with [`deflateInit_`] or similar
1277#[cfg_attr(feature = "export-symbols", export_name = prefix!(deflatePrime))]
1278pub unsafe extern "C-unwind" fn deflatePrime(strm: z_streamp, bits: c_int, value: c_int) -> c_int {
1279 match DeflateStream::from_stream_mut(strm) {
1280 Some(stream) => zlib_rs::deflate::prime(stream, bits, value) as _,
1281 None => ReturnCode::StreamError as _,
1282 }
1283}
1284
1285/// Returns the number of bytes and bits of output that have been generated, but not yet provided in the available output.
1286///
1287/// The bytes not provided would be due to the available output space having being consumed.
1288/// The number of bits of output not provided are between `0` and `7`, where they await more bits to join them in order to fill out a full byte.
1289/// If pending or bits are `NULL`, then those values are not set.
1290///
1291/// # Returns
1292///
1293/// - [`Z_OK`] if success
1294/// - [`Z_STREAM_ERROR`] if the source stream state was inconsistent
1295///
1296/// # Safety
1297///
1298/// The caller must guarantee that
1299///
1300/// * Either
1301/// - `strm` is `NULL`
1302/// - `strm` satisfies the requirements of `&mut *strm` and was initialized with [`deflateInit_`] or similar
1303/// * Either
1304/// - `pending` is `NULL`
1305/// - `pending` satisfies the requirements of [`core::ptr::write::<c_int>`]
1306/// * Either
1307/// - `bits` is `NULL`
1308/// - `bits` satisfies the requirements of [`core::ptr::write::<c_int>`]
1309#[cfg_attr(feature = "export-symbols", export_name = prefix!(deflatePending))]
1310pub unsafe extern "C-unwind" fn deflatePending(
1311 strm: z_streamp,
1312 pending: *mut c_uint,
1313 bits: *mut c_int,
1314) -> c_int {
1315 let Some(stream) = (unsafe { DeflateStream::from_stream_mut(strm) }) else {
1316 return ReturnCode::StreamError as _;
1317 };
1318
1319 let (current_pending, current_bits) = stream.pending();
1320
1321 if let Some(pending) = unsafe { pending.as_mut() } {
1322 *pending = current_pending as c_uint;
1323 }
1324
1325 if let Some(bits) = unsafe { bits.as_mut() } {
1326 *bits = current_bits as c_int;
1327 }
1328
1329 ReturnCode::Ok as _
1330}
1331
1332/// Sets the destination stream as a complete copy of the source stream.
1333///
1334/// This function can be useful when several compression strategies will be tried, for example when there are several ways of pre-processing the input data with a filter.
1335/// The streams that will be discarded should then be freed by calling [`deflateEnd`].
1336/// Note that [`deflateCopy`] duplicates the internal compression state which can be quite large, so this strategy is slow and can consume lots of memory.
1337///
1338/// # Returns
1339///
1340/// - [`Z_OK`] if success
1341/// - [`Z_MEM_ERROR`] if there was not enough memory
1342/// - [`Z_STREAM_ERROR`] if the source stream state was inconsistent (such as zalloc being NULL)
1343///
1344/// The `msg` field is left unchanged in both source and destination.
1345///
1346/// # Safety
1347///
1348/// The caller must guarantee that
1349///
1350/// * Either
1351/// - `dest` is `NULL`
1352/// - `dest` satisfies the requirements of `&mut *(dest as *mut MaybeUninit<z_stream>)`
1353/// * Either
1354/// - `source` is `NULL`
1355/// - `source` satisfies the requirements of `&mut *strm` and was initialized with [`deflateInit_`] or similar
1356#[cfg_attr(feature = "export-symbols", export_name = prefix!(deflateCopy))]
1357pub unsafe extern "C-unwind" fn deflateCopy(dest: z_streamp, source: z_streamp) -> c_int {
1358 let Some(dest) = (unsafe { dest.cast::<MaybeUninit<DeflateStream>>().as_mut() }) else {
1359 return ReturnCode::StreamError as _;
1360 };
1361
1362 let Some(source) = (unsafe { DeflateStream::from_stream_mut(source) }) else {
1363 return ReturnCode::StreamError as _;
1364 };
1365
1366 zlib_rs::deflate::copy(dest, source) as _
1367}
1368
1369/// Initializes the state for compression
1370///
1371/// The stream's `zalloc`, `zfree` and `opaque` fields must be initialized before by the caller.
1372/// If `zalloc` and `zfree` are set to `NULL`, [`deflateInit_`] updates them to use default allocation functions.
1373/// The `total_in`, `total_out`, `adler`, and `msg` fields are initialized.
1374///
1375/// The compression level must be [`Z_DEFAULT_COMPRESSION`], or between `0` and `9`:
1376///
1377/// - level `0` gives no compression at all (the input data is simply copied a block at a time)
1378/// - level `1` gives best speed
1379/// - level `9` gives best compression
1380/// - [`Z_DEFAULT_COMPRESSION`] requests a default compromise between speed and compression (currently equivalent to level `6`).
1381///
1382/// A call to [`deflateInit_`] is equivalent to [`deflateInit2_`] where:
1383///
1384/// - `method` is `8` (deflate)
1385/// - `windowBits` is `15`
1386/// - `memLevel` is `8`
1387/// - `strategy` is `0` (default)
1388///
1389/// # Returns
1390///
1391/// - [`Z_OK`] if success
1392/// - [`Z_MEM_ERROR`] if there was not enough memory
1393/// - [`Z_VERSION_ERROR`] if the zlib library version is incompatible with the version assumed by the caller
1394/// - [`Z_STREAM_ERROR`] if a parameter is invalid, such as a null pointer to the structure
1395///
1396/// # Safety
1397///
1398/// The caller must guarantee that
1399///
1400/// * Either
1401/// - `strm` is `NULL`
1402/// - `strm` satisfies the requirements of `&mut *strm`
1403/// * Either
1404/// - `version` is NULL
1405/// - `version` satisfies the requirements of [`core::ffi::CStr::from_ptr`]
1406/// * If `strm` is not `NULL`, the following fields contain valid values
1407/// - `zalloc`
1408/// - `zfree`
1409/// - `opaque`
1410///
1411/// # Example
1412///
1413/// ```
1414/// use core::mem::MaybeUninit;
1415/// use libz_rs_sys::{z_stream, deflateInit_, zlibVersion, Z_OK};
1416///
1417/// // the zalloc and zfree fields are initialized as zero/NULL.
1418/// // `deflateInit_` will set a default allocation and deallocation function.
1419/// let mut strm = MaybeUninit::zeroed();
1420///
1421/// let err = unsafe {
1422/// deflateInit_(
1423/// strm.as_mut_ptr(),
1424/// 6,
1425/// zlibVersion(),
1426/// core::mem::size_of::<z_stream>() as _,
1427/// )
1428/// };
1429/// assert_eq!(err, Z_OK);
1430///
1431/// // the stream is now fully initialized. Prefer `assume_init_mut` over
1432/// // `assume_init` so the stream does not get moved.
1433/// let strm = unsafe { strm.assume_init_mut() };
1434/// ```
1435#[cfg_attr(feature = "export-symbols", export_name = prefix!(deflateInit_))]
1436pub unsafe extern "C-unwind" fn deflateInit_(
1437 strm: z_streamp,
1438 level: c_int,
1439 version: *const c_char,
1440 stream_size: c_int,
1441) -> c_int {
1442 let config = DeflateConfig::new(level);
1443
1444 unsafe {
1445 deflateInit2_(
1446 strm,
1447 level,
1448 config.method as c_int,
1449 config.window_bits,
1450 config.mem_level,
1451 config.strategy as c_int,
1452 version,
1453 stream_size,
1454 )
1455 }
1456}
1457
1458/// Initializes the state for compression
1459///
1460/// The stream's `zalloc`, `zfree` and `opaque` fields must be initialized before by the caller.
1461/// If `zalloc` and `zfree` are set to `NULL`, [`deflateInit_`] updates them to use default allocation functions.
1462/// The `total_in`, `total_out`, `adler`, and `msg` fields are initialized.
1463///
1464/// The compression level must be [`Z_DEFAULT_COMPRESSION`], or between `0` and `9`:
1465///
1466/// - level `0` gives no compression at all (the input data is simply copied a block at a time)
1467/// - level `1` gives best speed
1468/// - level `9` gives best compression
1469/// - [`Z_DEFAULT_COMPRESSION`] requests a default compromise between speed and compression (currently equivalent to level `6`).
1470///
1471/// # Returns
1472///
1473/// - [`Z_OK`] if success
1474/// - [`Z_MEM_ERROR`] if there was not enough memory
1475/// - [`Z_VERSION_ERROR`] if the zlib library version is incompatible with the version assumed by the caller
1476/// - [`Z_STREAM_ERROR`] if a parameter is invalid, such as a null pointer to the structure
1477///
1478/// # Safety
1479///
1480/// The caller must guarantee that
1481///
1482/// * Either
1483/// - `strm` is `NULL`
1484/// - `strm` satisfies the requirements of `&mut *strm`
1485/// * Either
1486/// - `version` is NULL
1487/// - `version` satisfies the requirements of [`core::ffi::CStr::from_ptr`]
1488/// * If `strm` is not `NULL`, the following fields contain valid values
1489/// - `zalloc`
1490/// - `zfree`
1491/// - `opaque`
1492///
1493/// # Example
1494///
1495/// ```
1496/// use core::mem::MaybeUninit;
1497/// use libz_rs_sys::{z_stream, deflateInit2_, zlibVersion, Z_OK};
1498///
1499/// // the zalloc and zfree fields are initialized as zero/NULL.
1500/// // `deflateInit_` will set a default allocation and deallocation function.
1501/// let mut strm = MaybeUninit::zeroed();
1502///
1503/// let err = unsafe {
1504/// deflateInit2_(
1505/// strm.as_mut_ptr(),
1506/// 6,
1507/// 8,
1508/// 15,
1509/// 8,
1510/// 0,
1511/// zlibVersion(),
1512/// core::mem::size_of::<z_stream>() as _,
1513/// )
1514/// };
1515/// assert_eq!(err, Z_OK);
1516///
1517/// // the stream is now fully initialized. Prefer `assume_init_mut` over
1518/// // `assume_init` so the stream does not get moved.
1519/// let strm = unsafe { strm.assume_init_mut() };
1520/// ```
1521#[cfg_attr(feature = "export-symbols", export_name = prefix!(deflateInit2_))]
1522pub unsafe extern "C-unwind" fn deflateInit2_(
1523 strm: z_streamp,
1524 level: c_int,
1525 method: c_int,
1526 windowBits: c_int,
1527 memLevel: c_int,
1528 strategy: c_int,
1529 version: *const c_char,
1530 stream_size: c_int,
1531) -> c_int {
1532 if !is_version_compatible(version, stream_size) {
1533 return ReturnCode::VersionError as _;
1534 }
1535
1536 let Some(strm) = (unsafe { strm.as_mut() }) else {
1537 return ReturnCode::StreamError as _;
1538 };
1539
1540 let Ok(method) = Method::try_from(method) else {
1541 return ReturnCode::StreamError as _;
1542 };
1543
1544 let Ok(strategy) = Strategy::try_from(strategy) else {
1545 return ReturnCode::StreamError as _;
1546 };
1547
1548 let config = DeflateConfig {
1549 level,
1550 method,
1551 window_bits: windowBits,
1552 mem_level: memLevel,
1553 strategy,
1554 };
1555
1556 zlib_rs::deflate::init(strm, config) as _
1557}
1558
1559/// Fine tune deflate's internal compression parameters.
1560///
1561/// This should only be used by someone who understands the algorithm used by zlib's deflate for searching
1562/// for the best matching string, and even then only by the most fanatic optimizer trying to squeeze out
1563/// the last compressed bit for their specific input data. Read the `deflate.rs` source code for the meaning
1564/// of the `max_lazy`, `good_length`, `nice_length`, and `max_chain` parameters.
1565///
1566/// ## Returns
1567///
1568/// - [`Z_OK`] if success
1569/// - [`Z_STREAM_ERROR`] if the stream state was inconsistent
1570///
1571/// # Safety
1572///
1573/// The caller must guarantee that
1574///
1575/// * Either
1576/// - `strm` is `NULL`
1577/// - `strm` satisfies the requirements of `&mut *strm` and was initialized with [`deflateInit_`] or similar
1578#[cfg_attr(feature = "export-symbols", export_name = prefix!(deflateTune))]
1579pub unsafe extern "C-unwind" fn deflateTune(
1580 strm: z_streamp,
1581 good_length: c_int,
1582 max_lazy: c_int,
1583 nice_length: c_int,
1584 max_chain: c_int,
1585) -> c_int {
1586 let Some(stream) = (unsafe { DeflateStream::from_stream_mut(strm) }) else {
1587 return ReturnCode::StreamError as _;
1588 };
1589
1590 zlib_rs::deflate::tune(
1591 stream,
1592 good_length as usize,
1593 max_lazy as usize,
1594 nice_length as usize,
1595 max_chain as usize,
1596 ) as _
1597}
1598
1599/// Get the error message for an error. This could be the value returned by e.g. [`compress`] or
1600/// [`inflate`].
1601///
1602/// The return value is a pointer to a NULL-terminated sequence of bytes
1603///
1604/// ## Example
1605///
1606/// ```
1607/// use libz_rs_sys::*;
1608/// use core::ffi::{c_char, CStr};
1609///
1610/// fn cstr<'a>(ptr: *const c_char) -> &'a [u8] {
1611/// // SAFETY: we trust the input
1612/// unsafe { CStr::from_ptr(ptr) }.to_bytes()
1613/// }
1614///
1615/// // defined error values give a short message
1616/// assert_eq!(cstr(zError(Z_NEED_DICT)), b"need dictionary");
1617/// assert_eq!(cstr(zError(Z_NEED_DICT)), b"need dictionary");
1618/// assert_eq!(cstr(zError(Z_STREAM_END)), b"stream end");
1619/// assert_eq!(cstr(zError(Z_OK)), b"");
1620/// assert_eq!(cstr(zError(Z_ERRNO)), b"file error");
1621/// assert_eq!(cstr(zError(Z_STREAM_ERROR)), b"stream error");
1622/// assert_eq!(cstr(zError(Z_DATA_ERROR)), b"data error");
1623/// assert_eq!(cstr(zError(Z_MEM_ERROR)), b"insufficient memory");
1624/// assert_eq!(cstr(zError(Z_BUF_ERROR)), b"buffer error");
1625/// assert_eq!(cstr(zError(Z_VERSION_ERROR)), b"incompatible version");
1626///
1627/// // other inputs return an empty string
1628/// assert_eq!(cstr(zError(1234)), b"");
1629/// ```
1630#[cfg_attr(feature = "export-symbols", export_name = prefix!(zError))]
1631pub const extern "C" fn zError(err: c_int) -> *const c_char {
1632 match ReturnCode::try_from_c_int(err) {
1633 Some(return_code) => return_code.error_message(),
1634 None => [0 as c_char].as_ptr(),
1635 }
1636}
1637
1638macro_rules! libz_rs_sys_version {
1639 () => {
1640 concat!("1.3.0-zlib-rs-", env!("CARGO_PKG_VERSION"), "\0")
1641 };
1642}
1643
1644// the first part of this version specifies the zlib that we're compatible with (in terms of
1645// supported functions). In practice in most cases only the major version is checked, unless
1646// specific functions that were added later are used.
1647const LIBZ_RS_SYS_VERSION: &str = concat!(libz_rs_sys_version!(), "\0");
1648
1649unsafe fn is_version_compatible(version: *const c_char, stream_size: i32) -> bool {
1650 let Some(expected_major_version) = (unsafe { version.as_ref() }) else {
1651 return false;
1652 };
1653
1654 if *expected_major_version as u8 != LIBZ_RS_SYS_VERSION.as_bytes()[0] {
1655 return false;
1656 }
1657
1658 core::mem::size_of::<z_stream>() as i32 == stream_size
1659}
1660
1661/// The version of the zlib library.
1662///
1663/// Its value is a pointer to a NULL-terminated sequence of bytes.
1664///
1665/// The version string for this release is `
1666#[doc = libz_rs_sys_version!()]
1667/// `:
1668///
1669/// - The first component is the version of stock zlib that this release is compatible with
1670/// - The final component is the zlib-rs version used to build this release.
1671#[cfg_attr(feature = "export-symbols", export_name = prefix!(zlibVersion))]
1672pub const extern "C" fn zlibVersion() -> *const c_char {
1673 LIBZ_RS_SYS_VERSION.as_ptr().cast::<c_char>()
1674}
1675
1676/// Return flags indicating compile-time options.
1677///
1678/// Type sizes, two bits each, `0b00` = 16 bits, `0b01` = 32, `0b10` = 64, `0b11` = other:
1679///
1680/// | bits | description |
1681/// | -- | -- |
1682/// | `0..=1` | size of [`uInt`] |
1683/// | `2..=3` | size of [`uLong`] |
1684/// | `4..=5` | size of [`voidpf`] (pointer) |
1685/// | `6..=7` | size of [`z_off_t`] |
1686///
1687/// Compiler, assembler, and debug options:
1688///
1689/// | bits | flag | description |
1690/// | -- | -- | -- |
1691/// | `8` | `ZLIB_DEBUG` | debug prints are enabled |
1692/// | `9` | `ASMV` or `ASMINF` | use ASM code |
1693/// | `10` | `ZLIB_WINAPI` | exported functions use the WINAPI calling convention |
1694/// | `11` | | reserved |
1695///
1696/// One-time table building (smaller code, but not thread-safe if true):
1697///
1698/// | bits | flag | description |
1699/// | -- | -- | -- |
1700/// | `12` | `BUILDFIXED` | build static block decoding tables when needed |
1701/// | `13` | `DYNAMIC_CRC_TABLE` | build CRC calculation tables when needed |
1702/// | `14` | | reserved |
1703/// | `15` | | reserved |
1704///
1705/// Library content (indicates missing functionality):
1706///
1707/// | bits | flag | description |
1708/// | -- | -- | -- |
1709/// | `16` | `NO_GZCOMPRESS` | `gz*` functions cannot compress (to avoid linking deflate code when not needed) |
1710/// | `17` | `NO_GZIP` | deflate can't write gzip streams, and inflate can't detect and decode gzip streams (to avoid linking crc code) |
1711/// | `18` | | reserved |
1712/// | `19` | | reserved |
1713///
1714/// Operation variations (changes in library functionality):
1715///
1716/// | bits | flag | description |
1717/// | -- | -- | -- |
1718/// | `20` | `PKZIP_BUG_WORKAROUND` | slightly more permissive inflate |
1719/// | `21` | `FASTEST` | deflate algorithm with only one, lowest compression level |
1720/// | `22` | | reserved |
1721/// | `23` | | reserved |
1722///
1723/// The sprintf variant used by `gzprintf` (zero is best):
1724///
1725/// | bits | value | description |
1726/// | -- | -- | -- |
1727/// | `24` | 0 = vs*, 1 = s* | 1 means limited to 20 arguments after the format |
1728/// | `25` | 0 = *nprintf, 1 = *printf | 1 means `gzprintf` not secure! |
1729/// | `26` | 0 = returns value, 1 = void | 1 means inferred string length returned |
1730///
1731/// Remainder:
1732///
1733/// The remaining bits `27..=31` are 0 (reserved).
1734#[cfg_attr(feature = "export-symbols", export_name = prefix!(zlibCompileFlags))]
1735pub const extern "C" fn zlibCompileFlags() -> c_ulong {
1736 let mut flags = 0;
1737
1738 const fn encode_size<T>() -> c_ulong {
1739 match core::mem::size_of::<T>() {
1740 2 => 0b00,
1741 4 => 0b01,
1742 8 => 0b10,
1743 _ => 0b11,
1744 }
1745 }
1746
1747 flags |= encode_size::<uInt>();
1748 flags |= encode_size::<uLong>() << 2;
1749 flags |= encode_size::<voidpf>() << 4;
1750 flags |= encode_size::<z_off_t>() << 6;
1751
1752 macro_rules! set_bit {
1753 ($i:expr, $v:expr) => {
1754 flags |= (($v as uLong) << $i);
1755 };
1756 }
1757
1758 // Compiler, assembler, debug:
1759 set_bit!(8, false); // ZLIB_DEBUG
1760 set_bit!(9, false); // ASMV || ASMINF
1761 set_bit!(10, false); // ZLIB_WINAPI
1762
1763 // One-time table building:
1764 set_bit!(12, false); // BUILDFIXED
1765 set_bit!(13, false); // DYNAMIC_CRC_TABLE
1766
1767 // Library content (indicates missing functionality):
1768 set_bit!(16, false); // NO_GZCOMPRESS
1769 set_bit!(17, false); // NO_GZIP
1770
1771 // Operation variations (changes in library functionality):
1772 set_bit!(20, false); // PKZIP_BUG_WORKAROUND
1773 set_bit!(21, false); // FASTEST
1774
1775 // The sprintf variant used by gzprintf (we assume a modern libc):
1776 set_bit!(24, false);
1777 set_bit!(25, false);
1778 set_bit!(26, false);
1779
1780 flags
1781}
1782
1783/// # Safety
1784///
1785/// Either
1786///
1787/// - `ptr` is `NULL`
1788/// - `ptr` and `len` satisfy the requirements of [`core::slice::from_raw_parts`]
1789unsafe fn slice_from_raw_parts<'a, T>(ptr: *const T, len: usize) -> Option<&'a [T]> {
1790 if ptr.is_null() {
1791 None
1792 } else {
1793 Some(unsafe { core::slice::from_raw_parts(ptr, len) })
1794 }
1795}
1796
1797/// # Safety
1798///
1799/// Either
1800///
1801/// - `ptr` is `NULL`
1802/// - `ptr` and `len` satisfy the requirements of [`core::slice::from_raw_parts_mut`]
1803unsafe fn slice_from_raw_parts_uninit_mut<'a, T>(
1804 ptr: *mut T,
1805 len: usize,
1806) -> Option<&'a mut [MaybeUninit<T>]> {
1807 if ptr.is_null() {
1808 None
1809 } else {
1810 Some(unsafe { core::slice::from_raw_parts_mut(ptr.cast::<MaybeUninit<T>>(), len) })
1811 }
1812}