exr/image/write/mod.rs
1
2//! Write an exr image to a file.
3//!
4//! First, call `my_image.write()`. The resulting value can be customized, like this:
5//! ```no_run
6//! use exr::prelude::*;
7//! # let my_image: FlatImage = unimplemented!();
8//!
9//! my_image.write()
10//! .on_progress(|progress| println!("progress: {:.1}", progress*100.0))
11//! .to_file("image.exr").unwrap();
12//! ```
13//!
14
15pub mod layers;
16pub mod samples;
17pub mod channels;
18
19
20
21use crate::meta::Headers;
22use crate::error::UnitResult;
23use std::io::{Seek, BufWriter};
24use crate::io::Write;
25use crate::image::{Image, ignore_progress, SpecificChannels, IntoSample};
26use crate::image::write::layers::{WritableLayers, LayersWriter};
27use crate::math::Vec2;
28use crate::block::writer::ChunksWriter;
29
30/// An oversimplified function for "just write the damn file already" use cases.
31/// Have a look at the examples to see how you can write an image with more flexibility (it's not that hard).
32/// Use `write_rgb_file` if you do not need an alpha channel.
33///
34/// Each of `R`, `G`, `B` and `A` can be either `f16`, `f32`, `u32`, or `Sample`.
35// TODO explain pixel tuple f32,f16,u32
36pub fn write_rgba_file<R,G,B,A>(
37 path: impl AsRef<std::path::Path>, width: usize, height: usize,
38 colors: impl Sync + Fn(usize, usize) -> (R, G, B, A)
39) -> UnitResult
40 where R: IntoSample, G: IntoSample, B: IntoSample, A: IntoSample,
41{
42 let channels = SpecificChannels::rgba(|Vec2(x,y)| colors(x,y));
43 Image::from_channels((width, height), channels).write().to_file(path)
44}
45
46/// An oversimplified function for "just write the damn file already" use cases.
47/// Have a look at the examples to see how you can write an image with more flexibility (it's not that hard).
48/// Use `write_rgb_file` if you do not need an alpha channel.
49///
50/// Each of `R`, `G`, and `B` can be either `f16`, `f32`, `u32`, or `Sample`.
51// TODO explain pixel tuple f32,f16,u32
52pub fn write_rgb_file<R,G,B>(
53 path: impl AsRef<std::path::Path>, width: usize, height: usize,
54 colors: impl Sync + Fn(usize, usize) -> (R, G, B)
55) -> UnitResult
56 where R: IntoSample, G: IntoSample, B: IntoSample
57{
58 let channels = SpecificChannels::rgb(|Vec2(x,y)| colors(x,y));
59 Image::from_channels((width, height), channels).write().to_file(path)
60}
61
62
63
64/// Enables an image to be written to a file. Call `image.write()` where this trait is implemented.
65pub trait WritableImage<'img, WritableLayers>: Sized {
66
67 /// Create a temporary writer which can be configured and used to write the image to a file.
68 fn write(self) -> WriteImageWithOptions<'img, WritableLayers, fn(f64)>;
69}
70
71impl<'img, WritableLayers> WritableImage<'img, WritableLayers> for &'img Image<WritableLayers> {
72 fn write(self) -> WriteImageWithOptions<'img, WritableLayers, fn(f64)> {
73 WriteImageWithOptions {
74 image: self,
75 check_compatibility: true,
76
77 #[cfg(not(feature = "rayon"))]
78 parallel: false,
79
80 #[cfg(feature = "rayon")]
81 parallel: true,
82
83 on_progress: ignore_progress
84 }
85 }
86}
87
88/// A temporary writer which can be configured and used to write an image to a file.
89// temporary writer with options
90#[derive(Debug, Clone, PartialEq)]
91pub struct WriteImageWithOptions<'img, Layers, OnProgress> {
92 image: &'img Image<Layers>,
93 on_progress: OnProgress,
94 check_compatibility: bool,
95 parallel: bool,
96}
97
98
99impl<'img, L, F> WriteImageWithOptions<'img, L, F>
100 where L: WritableLayers<'img>, F: FnMut(f64)
101{
102 /// Generate file meta data for this image. The meta data structure is close to the data in the file.
103 pub fn infer_meta_data(&self) -> Headers { // TODO this should perform all validity checks? and none after that?
104 self.image.layer_data.infer_headers(&self.image.attributes)
105 }
106
107 /// Do not compress multiple pixel blocks on multiple threads at once.
108 /// Might use less memory and synchronization, but will be slower in most situations.
109 pub fn non_parallel(self) -> Self { Self { parallel: false, ..self } }
110
111 /// Skip some checks that ensure a file can be opened by other exr software.
112 /// For example, it is no longer checked that no two headers or two attributes have the same name,
113 /// which might be an expensive check for images with an exorbitant number of headers.
114 ///
115 /// If you write an uncompressed file and need maximum speed, it might save a millisecond to disable the checks,
116 /// if you know that your file is not invalid any ways. I do not recommend this though,
117 /// as the file might not be readably by any other exr library after that.
118 /// __You must care for not producing an invalid file yourself.__
119 pub fn skip_compatibility_checks(self) -> Self { Self { check_compatibility: false, ..self } }
120
121 /// Specify a function to be called regularly throughout the writing process.
122 /// Replaces all previously specified progress functions in this reader.
123 pub fn on_progress<OnProgress>(self, on_progress: OnProgress) -> WriteImageWithOptions<'img, L, OnProgress>
124 where OnProgress: FnMut(f64)
125 {
126 WriteImageWithOptions {
127 on_progress,
128 image: self.image,
129 check_compatibility: self.check_compatibility,
130 parallel: self.parallel
131 }
132 }
133
134 /// Write the exr image to a file.
135 /// Use `to_unbuffered` instead, if you do not have a file.
136 /// If an error occurs, attempts to delete the partially written file.
137 #[inline]
138 #[must_use]
139 pub fn to_file(self, path: impl AsRef<std::path::Path>) -> UnitResult {
140 crate::io::attempt_delete_file_on_write_error(path.as_ref(), move |write|
141 self.to_unbuffered(write)
142 )
143 }
144
145 /// Buffer the writer and then write the exr image to it.
146 /// Use `to_buffered` instead, if your writer is an in-memory buffer.
147 /// Use `to_file` instead, if you have a file path.
148 /// If your writer cannot seek, you can write to an in-memory vector of bytes first, using `to_buffered`.
149 #[inline]
150 #[must_use]
151 pub fn to_unbuffered(self, unbuffered: impl Write + Seek) -> UnitResult {
152 self.to_buffered(BufWriter::new(unbuffered))
153 }
154
155 /// Write the exr image to a writer.
156 /// Use `to_file` instead, if you have a file path.
157 /// Use `to_unbuffered` instead, if this is not an in-memory writer.
158 /// If your writer cannot seek, you can write to an in-memory vector of bytes first.
159 #[must_use]
160 pub fn to_buffered(self, write: impl Write + Seek) -> UnitResult {
161 let headers = self.infer_meta_data();
162 let layers = self.image.layer_data.create_writer(&headers);
163
164 crate::block::write(
165 write, headers, self.check_compatibility,
166 move |meta, chunk_writer|{
167 let blocks = meta.collect_ordered_block_data(|block_index|
168 layers.extract_uncompressed_block(&meta.headers, block_index)
169 );
170
171 let chunk_writer = chunk_writer.on_progress(self.on_progress);
172 if self.parallel {
173 #[cfg(not(feature = "rayon"))]
174 return Err(crate::error::Error::unsupported("parallel compression requires the rayon feature"));
175
176 #[cfg(feature = "rayon")]
177 chunk_writer.compress_all_blocks_parallel(&meta, blocks)?;
178 }
179 else { chunk_writer.compress_all_blocks_sequential(&meta, blocks)?; }
180 Ok(())
181 }
182 )
183 }
184}
185