numcodecs_jpeg2000/ffi/
mod.rs

1//! Adapted from
2//! - the MIT/Apache 2.0 licensed <https://github.com/Neopallium/jpeg2k>, and
3//! - the MIT/Apache 2.0 licensed <https://github.com/noritada/grib-rs>
4
5#![allow(unsafe_code)] // FFI
6
7use std::{convert::Infallible, mem::MaybeUninit};
8
9mod codec;
10mod image;
11mod stream;
12
13use codec::{Decoder, Encoder};
14use image::Image;
15use stream::{DecodeStream, EncodeStream};
16use thiserror::Error;
17
18#[derive(Debug, Error)]
19pub enum Jpeg2000Error {
20    #[error("Jpeg2000 can only encode data with a width and height that each fit into a u32")]
21    ImageTooLarge,
22    #[error("Jpeg2000 failed to create an image from the data to encode")]
23    ImageCreateError,
24    #[error("Jpeg2000 only supports signed/unsigned integers up to 25 bits")]
25    DataOutOfRange,
26    #[error("Jpeg2000 failed to setup the encoder")]
27    EncoderSetupError,
28    #[error("Jpeg2000 failed to start compression")]
29    StartCompressError,
30    #[error("Jpeg2000 failed to compress the data body")]
31    CompressBodyError,
32    #[error("Jpeg2000 failed to end compression")]
33    EndCompressError,
34    #[error("Jpeg2000 failed to setup the decoder")]
35    DecoderSetupError,
36    #[error("Jpeg2000 failed to decode an invalid main header")]
37    InvalidMainHeader,
38    #[error("Jpeg2000 failed to decode the data body")]
39    DecodeBodyError,
40    #[error("Jpeg2000 failed to end decompression")]
41    EndDecompressError,
42    #[error("Jpeg2000 can only decode from single-channel gray images")]
43    DecodeNonGrayData,
44    #[error("Jpeg2000 can only decode from non-subsampled images")]
45    DecodeSubsampledData,
46    #[error("Jpeg2000 decoded into an image with an unexpected precision")]
47    DecodedDataBitsMismatch,
48    #[error("Jpeg2000 decoded into an image with an unexpected sign")]
49    DecodedDataSignMismatch,
50}
51
52#[allow(clippy::upper_case_acronyms)]
53pub enum Jpeg2000CompressionMode {
54    PSNR(f32),
55    Rate(f32),
56    Lossless,
57}
58
59#[allow(clippy::needless_pass_by_value)]
60pub fn encode_into<T: Jpeg2000Element>(
61    data: impl IntoIterator<Item = T>,
62    width: usize,
63    height: usize,
64    mode: Jpeg2000CompressionMode,
65    out: &mut Vec<u8>,
66) -> Result<(), Jpeg2000Error> {
67    let mut stream = EncodeStream::new(out);
68    let mut encoder = Encoder::j2k()?;
69
70    let mut encode_params = MaybeUninit::zeroed();
71    unsafe { openjpeg_sys::opj_set_default_encoder_parameters(encode_params.as_mut_ptr()) };
72    let mut encode_params = unsafe { encode_params.assume_init() };
73
74    // more than six resolutions have negligible benefit
75    // log2(width) and log2(height) must be >= the number of resolutions
76    encode_params.numresolution = 6;
77    while (width < (1 << (encode_params.numresolution - 1)))
78        || (height < (1 << (encode_params.numresolution - 1)))
79    {
80        encode_params.numresolution -= 1;
81    }
82
83    encode_params.tcp_numlayers = 1;
84
85    match mode {
86        Jpeg2000CompressionMode::PSNR(psnr) => {
87            encode_params.cp_fixed_quality = 1;
88            encode_params.tcp_distoratio[0] = psnr;
89        }
90        Jpeg2000CompressionMode::Rate(rate) => {
91            encode_params.cp_disto_alloc = 1;
92            encode_params.tcp_rates[0] = rate;
93        }
94        Jpeg2000CompressionMode::Lossless => {
95            encode_params.cp_disto_alloc = 1;
96            encode_params.tcp_rates[0] = 0.0;
97        }
98    }
99
100    let (Ok(width), Ok(height)) = (u32::try_from(width), u32::try_from(height)) else {
101        return Err(Jpeg2000Error::ImageTooLarge);
102    };
103    let mut image = Image::from_gray_data(data, width, height)?;
104
105    if unsafe {
106        openjpeg_sys::opj_setup_encoder(encoder.as_raw(), &mut encode_params, image.as_raw())
107    } != 1
108    {
109        return Err(Jpeg2000Error::EncoderSetupError);
110    }
111
112    if unsafe {
113        openjpeg_sys::opj_start_compress(encoder.as_raw(), image.as_raw(), stream.as_raw())
114    } != 1
115    {
116        return Err(Jpeg2000Error::StartCompressError);
117    }
118
119    if unsafe { openjpeg_sys::opj_encode(encoder.as_raw(), stream.as_raw()) } != 1 {
120        return Err(Jpeg2000Error::CompressBodyError);
121    }
122
123    if unsafe { openjpeg_sys::opj_end_compress(encoder.as_raw(), stream.as_raw()) } != 1 {
124        return Err(Jpeg2000Error::EndCompressError);
125    }
126
127    Ok(())
128}
129
130pub fn decode<T: Jpeg2000Element>(bytes: &[u8]) -> Result<(Vec<T>, (usize, usize)), Jpeg2000Error> {
131    let mut stream = DecodeStream::new(bytes);
132    let mut decoder = Decoder::j2k()?;
133
134    let mut decode_params = MaybeUninit::zeroed();
135    unsafe { openjpeg_sys::opj_set_default_decoder_parameters(decode_params.as_mut_ptr()) };
136    let mut decode_params = unsafe { decode_params.assume_init() };
137    decode_params.decod_format = 1; // JP2
138
139    if unsafe { openjpeg_sys::opj_setup_decoder(decoder.as_raw(), &mut decode_params) } != 1 {
140        return Err(Jpeg2000Error::DecoderSetupError);
141    }
142
143    let mut image = Image::from_header(&mut stream, &mut decoder)?;
144
145    if unsafe { openjpeg_sys::opj_decode(decoder.as_raw(), stream.as_raw(), image.as_raw()) } != 1 {
146        return Err(Jpeg2000Error::DecodeBodyError);
147    }
148
149    if unsafe { openjpeg_sys::opj_end_decompress(decoder.as_raw(), stream.as_raw()) } != 1 {
150        return Err(Jpeg2000Error::EndDecompressError);
151    }
152
153    drop(decoder);
154    drop(stream);
155
156    let width = image.width() as usize;
157    let height = image.height() as usize;
158
159    let [gray] = image.components() else {
160        return Err(Jpeg2000Error::DecodeNonGrayData);
161    };
162
163    if gray.factor != 0 {
164        return Err(Jpeg2000Error::DecodeSubsampledData);
165    }
166
167    if gray.prec != T::NBITS {
168        return Err(Jpeg2000Error::DecodedDataBitsMismatch);
169    }
170
171    if (gray.sgnd != 0) != T::SIGNED {
172        return Err(Jpeg2000Error::DecodedDataSignMismatch);
173    }
174
175    let data = unsafe { std::slice::from_raw_parts(gray.data, width * height) };
176    let data = data.iter().copied().map(T::from_i32).collect();
177
178    Ok((data, (width, height)))
179}
180
181pub trait Jpeg2000Element: Copy {
182    type Error;
183
184    const NBITS: u32;
185    const SIGNED: bool;
186
187    fn into_i32(self) -> Result<i32, Self::Error>;
188    fn from_i32(x: i32) -> Self;
189}
190
191impl Jpeg2000Element for i8 {
192    type Error = Infallible;
193
194    const NBITS: u32 = 8;
195    const SIGNED: bool = true;
196
197    fn into_i32(self) -> Result<i32, Self::Error> {
198        Ok(i32::from(self))
199    }
200
201    #[allow(clippy::cast_possible_truncation)]
202    fn from_i32(x: i32) -> Self {
203        x as Self
204    }
205}
206
207impl Jpeg2000Element for u8 {
208    type Error = Infallible;
209
210    const NBITS: u32 = 8;
211    const SIGNED: bool = false;
212
213    fn into_i32(self) -> Result<i32, Self::Error> {
214        Ok(i32::from(self))
215    }
216
217    #[allow(clippy::cast_possible_truncation, clippy::cast_sign_loss)]
218    fn from_i32(x: i32) -> Self {
219        x as Self
220    }
221}
222
223impl Jpeg2000Element for i16 {
224    type Error = Infallible;
225
226    const NBITS: u32 = 16;
227    const SIGNED: bool = true;
228
229    fn into_i32(self) -> Result<i32, Self::Error> {
230        Ok(i32::from(self))
231    }
232
233    #[allow(clippy::cast_possible_truncation)]
234    fn from_i32(x: i32) -> Self {
235        x as Self
236    }
237}
238
239impl Jpeg2000Element for u16 {
240    type Error = Infallible;
241
242    const NBITS: u32 = 16;
243    const SIGNED: bool = false;
244
245    fn into_i32(self) -> Result<i32, Self::Error> {
246        Ok(i32::from(self))
247    }
248
249    #[allow(clippy::cast_possible_truncation, clippy::cast_sign_loss)]
250    fn from_i32(x: i32) -> Self {
251        x as Self
252    }
253}
254
255impl Jpeg2000Element for i32 {
256    type Error = ();
257
258    const NBITS: u32 = 25; // FIXME: no idea why OpenJPEG doesn't support more
259    const SIGNED: bool = true;
260
261    fn into_i32(self) -> Result<i32, Self::Error> {
262        const MIN: i32 = i32::MIN / (1 << (i32::BITS - i32::NBITS));
263        const MAX: i32 = i32::MAX / (1 << (i32::BITS - i32::NBITS));
264
265        if (MIN..=MAX).contains(&self) {
266            Ok(self)
267        } else {
268            Err(())
269        }
270    }
271
272    fn from_i32(x: i32) -> Self {
273        x
274    }
275}
276
277impl Jpeg2000Element for u32 {
278    type Error = ();
279
280    #[allow(clippy::use_self)]
281    const NBITS: u32 = 25; // FIXME: no idea why OpenJPEG doesn't support more
282    const SIGNED: bool = false;
283
284    #[allow(clippy::cast_possible_wrap)]
285    fn into_i32(self) -> Result<i32, Self::Error> {
286        const MAX: u32 = u32::MAX / (1 << (u32::BITS - u32::NBITS));
287
288        if self <= MAX {
289            Ok(self as i32)
290        } else {
291            Err(())
292        }
293    }
294
295    #[allow(clippy::cast_possible_truncation, clippy::cast_sign_loss)]
296    fn from_i32(x: i32) -> Self {
297        x as Self
298    }
299}
300
301impl Jpeg2000Element for i64 {
302    type Error = ();
303
304    const NBITS: u32 = <i32 as Jpeg2000Element>::NBITS;
305    const SIGNED: bool = true;
306
307    fn into_i32(self) -> Result<i32, Self::Error> {
308        #[allow(clippy::option_if_let_else)]
309        match i32::try_from(self) {
310            Ok(x) => i32::into_i32(x),
311            Err(_) => Err(()),
312        }
313    }
314
315    fn from_i32(x: i32) -> Self {
316        Self::from(x)
317    }
318}
319
320impl Jpeg2000Element for u64 {
321    type Error = ();
322
323    const NBITS: u32 = <u32 as Jpeg2000Element>::NBITS;
324    const SIGNED: bool = false;
325
326    fn into_i32(self) -> Result<i32, Self::Error> {
327        #[allow(clippy::option_if_let_else)]
328        match u32::try_from(self) {
329            Ok(x) => u32::into_i32(x),
330            Err(_) => Err(()),
331        }
332    }
333
334    #[allow(clippy::cast_possible_truncation, clippy::cast_sign_loss)]
335    fn from_i32(x: i32) -> Self {
336        x as Self
337    }
338}