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 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386
pub(crate) mod pixels {
/// Converts the given byte array, containing pixel data encoded as three-channel BGR,
/// into pixel data encoded as four-channel RGBA. A new alpha channel is created with full opacity.
#[inline]
pub(crate) fn bgr_to_rgba(bgr: &[u8]) -> Vec<u8> {
bgr.chunks_exact(3)
.flat_map(|channels| [channels[2], channels[1], channels[0], 255])
.collect::<Vec<_>>()
}
/// Converts the given byte array, containing pixel data encoded as four-channel BGRA,
/// into pixel data encoded as four-channel RGBA.
#[inline]
pub(crate) fn bgra_to_rgba(bgra: &[u8]) -> Vec<u8> {
bgra.chunks_exact(4)
.flat_map(|channels| [channels[2], channels[1], channels[0], channels[3]])
.collect::<Vec<_>>()
}
/// Converts the given byte array, containing pixel data encoded as three-channel RGB,
/// into pixel data encoded as four-channel BGRA. A new alpha channel is created with full opacity.
#[inline]
pub(crate) fn rgb_to_bgra(rgb: &[u8]) -> Vec<u8> {
// RGB <-> BGR is an invertible operation where we simply swap bytes 0 and 2.
bgr_to_rgba(rgb)
}
/// Converts the given byte array, containing pixel data encoded as four-channel RGBA,
/// into pixel data encoded as four-channel BGRA.
#[inline]
pub(crate) fn rgba_to_bgra(rgba: &[u8]) -> Vec<u8> {
// RGBA <-> BGRA is an invertible operation where we simply swap bytes 0 and 2.
bgra_to_rgba(rgba)
}
}
pub(crate) mod mem {
/// Creates an empty byte buffer of the given length.
#[inline]
pub(crate) fn create_byte_buffer(length: usize) -> Vec<u8> {
create_sized_buffer::<u8>(length)
}
/// Creates an empty buffer of the given type with the given capacity.
/// The contents of the buffer will be uninitialized.
#[inline]
#[allow(clippy::uninit_vec)]
pub(crate) fn create_sized_buffer<T>(capacity: usize) -> Vec<T> {
let mut buffer = Vec::<T>::with_capacity(capacity);
unsafe {
buffer.set_len(capacity);
}
buffer
}
}
pub(crate) mod utf16le {
use utf16string::{LittleEndian, WString};
/// Converts the given Rust &str into an UTF16-LE encoded byte buffer.
#[inline]
pub(crate) fn get_pdfium_utf16le_bytes_from_str(str: &str) -> Vec<u8> {
let mut bytes = WString::<LittleEndian>::from(str).into_bytes();
// Pdfium appears to expect C-style null termination. Since we are dealing with
// wide (16-bit) characters, we need two bytes of nulls.
bytes.push(0);
bytes.push(0);
bytes
}
/// Converts the bytes in the given buffer from UTF16-LE to a standard Rust String.
#[allow(unused_mut)] // The buffer must be mutable when compiling to WASM.
pub(crate) fn get_string_from_pdfium_utf16le_bytes(mut buffer: Vec<u8>) -> Option<String> {
#[cfg(target_arch = "wasm32")]
{
use web_sys::TextDecoder;
// Attempt to perform the conversion using the browser's native TextDecoder
// functionality; if that doesn't work, fall back to using the same WString method
// used in non-WASM builds.
if let Ok(decoder) = TextDecoder::new_with_label("utf-16le") {
if let Ok(result) = decoder.decode_with_u8_array(&mut buffer) {
let result = result.trim_end_matches(char::from(0));
if !result.is_empty() {
return Some(result.to_owned());
} else {
return None;
}
}
}
}
if let Ok(string) = WString::<LittleEndian>::from_utf16(buffer) {
// Trim any trailing nulls. UTF-16LE strings returned from Pdfium are generally
// terminated by two null bytes.
let result = string.to_utf8().trim_end_matches(char::from(0)).to_owned();
if !result.is_empty() {
Some(result)
} else {
None
}
} else {
None
}
}
}
pub(crate) mod files {
use crate::bindgen::{FPDF_FILEACCESS, FPDF_FILEWRITE};
use std::io::{Read, Seek, SeekFrom, Write};
use std::ops::Deref;
use std::os::raw::{c_int, c_uchar, c_ulong, c_void};
use std::ptr::null_mut;
use std::slice;
// These functions return wrapped versions of Pdfium's file access structs. They are used
// in callback functions to connect Pdfium's file access operations to an underlying
// Rust reader or writer.
// C++ examples such as https://github.com/lydstory/pdfium_example/blob/master/pdfium_rect.cpp
// demonstrate that the intention is for the implementor to use C++'s "struct inheritance"
// feature to derive their own struct from FPDF_FILEACCESS or FPDF_FILEWRITE that contains
// whatever additional custom data they wish.
// Since Rust does not provide struct inheritance, we define new structs with the same field
// layout as Pdfium's PDF_FILEACCESS and PDF_FILEWRITE, adding to each a custom field
// that stores the user-provided Rust reader or writer. The callback function invoked by Pdfium
// can then access the relevant Rust reader or writer directly in order to fulfil Pdfium's
// file access request.
// The writer will be used immediately and synchronously. It can be dropped as soon as it
// is used. The reader, however, can be used repeatedly throughout the lifetime of a document
// as Pdfium streams in data from the underlying provider on an as-needed basis. This has two
// important ramifications: (a) we must connect the lifetime of the reader to the PdfDocument
// we create, so that the reader is not dropped before the document is closed with a call to
// FPDF_CloseDocument(); and (b) we must box the reader, so that transferring it into the
// PdfDocument will not change its memory location. Breaking either of these two invariants
// will result in a segfault.
/// Returns a wrapped Pdfium `FPDF_FILEACCESS` struct that uses the given reader as an
/// input source for Pdfium's file access callback function.
///
/// Because Pdfium must know the total content length in advance prior to loading
/// any portion of it, the given reader must implement the `Seek` trait as well as
/// the `Read` trait.
#[cfg_attr(target_arch = "wasm32", allow(dead_code))]
// This function is never used when compiling to WASM.
pub(crate) fn get_pdfium_file_accessor_from_reader<R: Read + Seek + 'static>(
mut reader: R,
) -> Box<FpdfFileAccessExt> {
let content_length = reader.seek(SeekFrom::End(0)).unwrap_or(0) as c_ulong;
let mut result = Box::new(FpdfFileAccessExt {
content_length,
get_block: Some(read_block_from_callback),
file_access_ptr: null_mut(), // We'll set this value in just a moment.
reader: Box::new(reader),
});
// Update the struct with a pointer to its own memory location. This pointer will
// be passed to the callback function that Pdfium invokes, allowing that callback to
// retrieve this FpdfFileAccessExt struct and, from there, the boxed Rust reader.
let file_access_ptr: *const FpdfFileAccessExt = result.deref();
result.as_mut().file_access_ptr = file_access_ptr as *mut FpdfFileAccessExt;
result
}
trait PdfiumDocumentReader: Read + Seek {
// A tiny trait that lets us perform type-erasure on the user-provided Rust reader.
// This means FpdfFileAccessExt does not need to carry a generic parameter, which in turn
// means that any PdfDocument containing a bound FpdfFileAccessExt does not need to carry
// a generic parameter either.
}
impl<R: Read + Seek> PdfiumDocumentReader for R {}
#[repr(C)]
pub(crate) struct FpdfFileAccessExt {
// An extension of Pdfium's FPDF_FILEACCESS struct that adds an extra field to carry the
// user-provided Rust reader.
content_length: c_ulong,
get_block: Option<
unsafe extern "C" fn(
reader_ptr: *mut FpdfFileAccessExt,
position: c_ulong,
buf: *mut c_uchar,
size: c_ulong,
) -> c_int,
>,
file_access_ptr: *mut FpdfFileAccessExt,
reader: Box<dyn PdfiumDocumentReader>, // Type-erased equivalent of <R: Read + Seek>
}
impl FpdfFileAccessExt {
/// Returns an `FPDF_FILEACCESS` pointer suitable for passing to `FPDF_LoadCustomDocument()`.
#[cfg_attr(target_arch = "wasm32", allow(dead_code))]
// This function is never used when compiling to WASM.
#[cfg_attr(feature = "thread_safe", allow(dead_code))]
// This function is never used when compiling with the thread_safe feature enabled.
#[inline]
pub(crate) fn as_fpdf_file_access_mut_ptr(&mut self) -> &mut FPDF_FILEACCESS {
unsafe { &mut *(self as *mut FpdfFileAccessExt as *mut FPDF_FILEACCESS) }
}
}
// The callback function invoked by Pdfium.
pub(crate) extern "C" fn read_block_from_callback(
file_access_ptr: *mut FpdfFileAccessExt,
position: c_ulong,
buf: *mut c_uchar,
size: c_ulong,
) -> c_int {
unsafe {
let reader = (*file_access_ptr).reader.as_mut();
let result = match reader.seek(SeekFrom::Start(position as u64)) {
Ok(_) => reader
.read(slice::from_raw_parts_mut(buf, size as usize))
.unwrap_or(0),
Err(_) => 0,
};
result as c_int
}
}
/// Returns a wrapped Pdfium `FPDF_FILEWRITE` struct that uses the given writer as an
/// output source for Pdfium's file writing callback function.
pub(crate) fn get_pdfium_file_writer_from_writer<W: Write + 'static>(
writer: &mut W,
) -> FpdfFileWriteExt {
FpdfFileWriteExt {
version: 1,
write_block: Some(write_block_from_callback),
writer,
}
}
trait PdfiumDocumentWriter: Write {
// A tiny trait that lets us perform type-erasure on the user-provided Rust writer.
// This means FpdfFileWriteExt does not need to carry a generic parameter, which simplifies
// callback overloading in the WASM bindings implementation.
// Additionally, since Pdfium's save operations are synchronous and immediate, we do
// not need to take ownership of the user-provided Rust writer; a temporary mutable
// reference is sufficient.
}
impl<W: Write> PdfiumDocumentWriter for W {}
#[repr(C)]
pub(crate) struct FpdfFileWriteExt<'a> {
// An extension of Pdfium's FPDF_FILEWRITE struct that adds an extra field to carry the
// user-provided Rust writer.
version: c_int,
write_block: Option<
unsafe extern "C" fn(
file_write_ext_ptr: *mut FpdfFileWriteExt,
buf: *const c_void,
size: c_ulong,
) -> c_int,
>,
writer: &'a mut dyn PdfiumDocumentWriter, // Type-erased equivalent of <W: Write>
}
impl<'a> FpdfFileWriteExt<'a> {
/// Returns an `FPDF_FILEWRITE` pointer suitable for passing to `FPDF_SaveAsCopy()`
/// or `FPDF_SaveWithVersion()`.
#[inline]
pub(crate) fn as_fpdf_file_write_mut_ptr(&mut self) -> &mut FPDF_FILEWRITE {
unsafe { &mut *(self as *mut FpdfFileWriteExt as *mut FPDF_FILEWRITE) }
}
/// Flushes the buffer of the underlying Rust writer.
#[inline]
pub(crate) fn flush(&mut self) -> std::io::Result<()> {
self.writer.flush()
}
}
// The callback function invoked by Pdfium.
pub(crate) extern "C" fn write_block_from_callback(
file_write_ext_ptr: *mut FpdfFileWriteExt,
buf: *const c_void,
size: c_ulong,
) -> c_int {
let result = unsafe {
match (*file_write_ext_ptr)
.writer
.write_all(slice::from_raw_parts(buf as *const u8, size as usize))
{
Ok(()) => 1,
Err(_) => 0,
}
};
result
}
}
#[cfg(test)]
pub(crate) mod test {
// Provides a function that binds to the correct Pdfium configuration during unit tests,
// depending on selected crate features.
use crate::pdfium::Pdfium;
use crate::utils::pixels::*;
#[inline]
#[cfg(feature = "static")]
pub(crate) fn test_bind_to_pdfium() -> Pdfium {
Pdfium::default()
}
#[inline]
#[cfg(not(feature = "static"))]
pub(crate) fn test_bind_to_pdfium() -> Pdfium {
Pdfium::new(
Pdfium::bind_to_library(Pdfium::pdfium_platform_library_name_at_path("./"))
.or_else(|_| Pdfium::bind_to_system_library())
.unwrap(),
)
}
// Tests of color conversion functions.
#[test]
fn test_bgr_to_rgba() {
let data: [u8; 15] = [2, 1, 0, 3, 6, 5, 4, 7, 10, 9, 8, 11, 14, 13, 12];
let result = rgb_to_bgra(data.as_slice());
assert_eq!(
result,
[0, 1, 2, 255, 5, 6, 3, 255, 10, 7, 4, 255, 11, 8, 9, 255, 12, 13, 14, 255]
);
}
#[test]
fn test_bgra_to_rgba() {
let data: [u8; 16] = [2, 1, 0, 3, 6, 5, 4, 7, 10, 9, 8, 11, 14, 13, 12, 15];
let result = bgra_to_rgba(data.as_slice());
assert_eq!(
result,
[0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15]
);
}
#[test]
fn test_rgb_to_bgra() {
let data: [u8; 15] = [0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14];
let result = rgb_to_bgra(data.as_slice());
assert_eq!(
result,
[2, 1, 0, 255, 5, 4, 3, 255, 8, 7, 6, 255, 11, 10, 9, 255, 14, 13, 12, 255]
);
}
#[test]
fn test_rgba_to_bgra() {
let data: [u8; 16] = [0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15];
let result = rgba_to_bgra(data.as_slice());
assert_eq!(
result,
[2, 1, 0, 3, 6, 5, 4, 7, 10, 9, 8, 11, 14, 13, 12, 15]
);
}
}