1
  2
  3
  4
  5
  6
  7
  8
  9
 10
 11
 12
 13
 14
 15
 16
 17
 18
 19
 20
 21
 22
 23
 24
 25
 26
 27
 28
 29
 30
 31
 32
 33
 34
 35
 36
 37
 38
 39
 40
 41
 42
 43
 44
 45
 46
 47
 48
 49
 50
 51
 52
 53
 54
 55
 56
 57
 58
 59
 60
 61
 62
 63
 64
 65
 66
 67
 68
 69
 70
 71
 72
 73
 74
 75
 76
 77
 78
 79
 80
 81
 82
 83
 84
 85
 86
 87
 88
 89
 90
 91
 92
 93
 94
 95
 96
 97
 98
 99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
use std::io::{Seek, Write};
use std::marker::PhantomData;
use std::ptr;

use openexr_sys::*;

use error::*;
use frame_buffer::FrameBuffer;
use stream_io::{seek_stream, write_stream};
use Header;

/// Writes scanline OpenEXR files.
///
/// This is the simplest kind of OpenEXR file.  Image data is stored in
/// scanline order with no special features like mipmaps or deep image data.
/// Unless you need special features like that, this is probably what you want
/// to use.
///
/// # Examples
///
/// Write a floating point RGB image to a file named "output_file.exr".
///
/// ```no_run
/// # use openexr::{ScanlineOutputFile, Header, FrameBuffer, PixelType};
/// #
/// // Create file with the desired resolution and channels.
/// let mut file = std::fs::File::create("output_file.exr").unwrap();
/// let mut output_file = ScanlineOutputFile::new(
///     &mut file,
///     Header::new()
///         .set_resolution(256, 256)
///         .add_channel("R", PixelType::FLOAT)
///         .add_channel("G", PixelType::FLOAT)
///         .add_channel("B", PixelType::FLOAT))
///     .unwrap();
///
/// // Create the image data and write it to the file.
/// let pixel_data = vec![(0.5f32, 1.0f32, 0.5f32); 256 * 256];
/// let mut fb = FrameBuffer::new(256, 256);
/// fb.insert_channels(&["R", "G", "B"], &pixel_data);
/// output_file.write_pixels(&fb).unwrap();
/// ```
pub struct ScanlineOutputFile<'a> {
    handle: *mut CEXR_OutputFile,
    header_ref: Header,
    ostream: *mut CEXR_OStream,
    scanlines_written: u32,
    _phantom_1: PhantomData<CEXR_OutputFile>,
    _phantom_2: PhantomData<&'a mut ()>, // Represents the borrowed writer

                                         // NOTE: Because we don't know what type the writer might be, it's important
                                         // that this struct remains neither Sync nor Send.  Please don't implement
                                         // them!
}

impl<'a> ScanlineOutputFile<'a> {
    /// Creates a new `ScanlineOutputFile` from any `Write + Seek` type
    /// (typically a `std::fs::File`) and `header`.
    ///
    /// Note: this seeks to byte 0 before writing.
    pub fn new<T: 'a>(writer: &'a mut T, header: &Header) -> Result<ScanlineOutputFile<'a>>
    where
        T: Write + Seek,
    {
        let ostream_ptr = {
            let write_ptr = write_stream::<T>;
            let seekp_ptr = seek_stream::<T>;

            let mut error_out = ptr::null();
            let mut out = ptr::null_mut();
            let error = unsafe {
                CEXR_OStream_from_writer(
                    writer as *mut T as *mut _,
                    Some(write_ptr),
                    Some(seekp_ptr),
                    &mut out,
                    &mut error_out,
                )
            };

            if error != 0 {
                return Err(Error::take(error_out));
            } else {
                out
            }
        };

        let mut error_out = ptr::null();
        let mut out = ptr::null_mut();
        let error = unsafe {
            // NOTE: we don't need to keep a copy of the header, because this
            // function makes a deep copy that is stored in the CEXR_OutputFile.
            CEXR_OutputFile_from_stream(ostream_ptr, header.handle, 1, &mut out, &mut error_out)
        };
        if error != 0 {
            Err(Error::take(error_out))
        } else {
            Ok(ScanlineOutputFile {
                handle: out,
                header_ref: Header {
                    // NOTE: We're casting to *mut here to satisfy the
                    // field's type, but importantly we only return a
                    // const & of the Header so it retains const semantics.
                    handle: unsafe { CEXR_OutputFile_header(out) } as *mut CEXR_Header,
                    owned: false,
                    _phantom: PhantomData,
                },
                ostream: ostream_ptr,
                scanlines_written: 0,
                _phantom_1: PhantomData,
                _phantom_2: PhantomData,
            })
        }
    }

    /// Writes the entire image at once from `framebuffer`.
    ///
    /// # Errors
    ///
    /// This function expects `framebuffer` to have the same resolution as the
    /// output file, as well as the same channels (with matching types and
    /// subsampling).
    ///
    /// It will also return an error if:
    ///
    /// * Part or all of the image data has already been written by a previous
    ///   call to either this or `write_pixels_incremental`.
    /// * There is an I/O error.
    pub fn write_pixels(&mut self, framebuffer: &FrameBuffer) -> Result<()> {
        // Validation
        if self.scanlines_written != 0 {
            return Err(Error::Generic(format!(
                "{} scanlines have already been \
                 written, cannot do a full image write",
                self.scanlines_written
            )));
        }

        if self.header().data_dimensions() != framebuffer.dimensions() {
            return Err(Error::Generic(format!(
                "framebuffer size {}x{} does not match image dimensions {}x{}",
                framebuffer.dimensions().0,
                framebuffer.dimensions().1,
                self.header().data_dimensions().0,
                self.header().data_dimensions().1
            )));
        }

        if self.header().data_origin() != framebuffer.origin() {
            return Err(Error::Generic(format!(
                "framebuffer origin {}x{} does not match image origin {}x{}",
                framebuffer.origin().0,
                framebuffer.origin().1,
                self.header().data_origin().0,
                self.header().data_origin().1
            )));
        }

        self.header().validate_framebuffer_for_output(framebuffer)?;

        // Set up the framebuffer with the image
        let mut error_out = ptr::null();

        let error = unsafe {
            CEXR_OutputFile_set_framebuffer(self.handle, framebuffer.handle(), &mut error_out)
        };
        if error != 0 {
            return Err(Error::take(error_out));
        }

        // Write out the image data
        let error = unsafe {
            CEXR_OutputFile_write_pixels(
                self.handle,
                framebuffer.dimensions().1 as i32,
                &mut error_out,
            )
        };
        if error != 0 {
            Err(Error::take(error_out))
        } else {
            self.scanlines_written = self.header().data_dimensions().1;
            Ok(())
        }
    }

    /// Writes the image incrementally over multiple calls.
    ///
    /// `framebuffer` may have a different vertical resolution than the image,
    /// but it must have the same horizontal resolution.  Multiple calls will
    /// incrementally write chunks of scanlines in the order given until the
    /// image is complete.
    ///
    /// For example, to write a 2000-pixel-tall image, you could call this
    /// function four times with 500-pixel-tall FrameBuffers.
    ///
    /// Note: all scanlines must be written for the resulting OpenEXR file to
    /// be complete and correct.
    ///
    /// # Errors
    ///
    /// This function expects `framebuffer` to have the same _horizontal_
    /// resolution as the output file, as well as the same channels (with
    /// matching types and subsampling).
    ///
    /// It will also return an error if:
    ///
    /// * `framebuffer` contains more scanlines than remain to be written.
    /// * There is an I/O error.
    pub fn write_pixels_incremental(&mut self, framebuffer: &FrameBuffer) -> Result<()> {
        // Validation
        if self.scanlines_written == self.header().data_dimensions().1 {
            return Err(Error::Generic(
                "All scanlines have already been \
                 written, cannot do another incremental write"
                    .to_string(),
            ));
        }

        if framebuffer.dimensions().1 > (self.header().data_dimensions().1 - self.scanlines_written)
        {
            return Err(Error::Generic(format!(
                "framebuffer contains {} \
                 scanlines, but only {} scanlines remain to be written",
                framebuffer.dimensions().1,
                self.header().data_dimensions().1 - self.scanlines_written
            )));
        }

        if framebuffer.dimensions().0 != self.header().data_dimensions().0 {
            return Err(Error::Generic(format!(
                "framebuffer width {} does not match\
                 image width {}",
                framebuffer.dimensions().0,
                self.header().data_dimensions().0
            )));
        }

        self.header().validate_framebuffer_for_output(framebuffer)?;

        // Set up the framebuffer with the image
        let mut error_out = ptr::null();

        let error = unsafe {
            let offset_fb = CEXR_FrameBuffer_copy_and_offset_scanlines(
                framebuffer.handle(),
                self.scanlines_written,
            );
            let err = CEXR_OutputFile_set_framebuffer(self.handle, offset_fb, &mut error_out);
            CEXR_FrameBuffer_delete(offset_fb);
            err
        };
        if error != 0 {
            return Err(Error::take(error_out));
        }

        // Write out the image data
        let error = unsafe {
            CEXR_OutputFile_write_pixels(
                self.handle,
                framebuffer.dimensions().1 as i32,
                &mut error_out,
            )
        };
        if error != 0 {
            Err(Error::take(error_out))
        } else {
            self.scanlines_written += framebuffer.dimensions().1;
            Ok(())
        }
    }

    /// Access to the file's header.
    pub fn header(&self) -> &Header {
        &self.header_ref
    }
}

impl<'a> Drop for ScanlineOutputFile<'a> {
    fn drop(&mut self) {
        unsafe { CEXR_OutputFile_delete(self.handle) };
        unsafe { CEXR_OStream_delete(self.ostream) };
    }
}