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
|
#[cfg(not(feature = "async"))]
use lopdf::{Document, Object};
#[test]
#[cfg(all(test, not(feature = "async")))]
fn test_get_object() {
use self::Object;
use lopdf::Dictionary as LoDictionary;
use lopdf::Stream as LoStream;
let mut doc = Document::new();
let id = doc.add_object(Object::string_literal("test"));
let id2 = doc.add_object(Object::Stream(LoStream::new(
LoDictionary::new(),
"stream".as_bytes().to_vec(),
)));
println!("{:?}", id);
println!("{:?}", id2);
let obj1_exists = doc.get_object(id).is_ok();
let obj2_exists = doc.get_object(id2).is_ok();
assert!(obj1_exists);
assert!(obj2_exists);
}
#[cfg(any(feature = "pom_parser", feature = "nom_parser"))]
#[cfg(all(test, not(feature = "async")))]
mod tests_with_parsing {
use super::*;
use lopdf::Result;
fn modify_text() -> Result<bool> {
let mut doc = Document::load("assets/example.pdf")?;
doc.version = "1.4".to_string();
if let Some(Object::Stream(ref mut stream)) = doc.objects.get_mut(&(4, 0)) {
let mut content = stream.decode_content().unwrap();
content.operations[3].operands[0] = Object::string_literal("Modified text!");
stream.set_content(content.encode().unwrap());
}
// Create temporary folder to store file.
let temp_dir = tempfile::tempdir()?;
let file_path = temp_dir.path().join("test_3_modify.pdf");
doc.save(file_path)?;
Ok(true)
}
#[test]
fn test_modify() {
assert!(modify_text().unwrap());
}
fn replace_text() -> Result<Document> {
let mut doc = Document::load("assets/example.pdf")?;
doc.replace_text(1, "Hello World!", "Modified text!")?;
// Create temporary folder to store file.
let temp_dir = tempfile::tempdir()?;
let file_path = temp_dir.path().join("test_4_replace.pdf");
doc.save(&file_path)?;
let doc = Document::load(file_path)?;
Ok(doc)
}
#[test]
fn test_replace() {
assert_eq!(replace_text().unwrap().extract_text(&[1]).unwrap(), "Modified text!\n");
}
fn get_mut() -> Result<bool> {
let mut doc = Document::load("assets/example.pdf")?;
let arr = doc
.get_object_mut((5, 0))?
.as_dict_mut()?
.get_mut(b"Contents")?
.as_array_mut()?;
arr[0] = arr[0].clone();
Ok(true)
}
#[test]
fn test_get_mut() {
assert!(get_mut().unwrap());
}
}
|