public class LoadOptions
Example:
Shows how to load an encrypted Microsoft Word document.Document doc; // Aspose.Words throw an exception if we try to open an encrypted document without its password. Assert.assertThrows(IncorrectPasswordException.class, () -> new Document(getMyDir() + "Encrypted.docx")); // When loading such a document, the password is passed to the document's constructor using a LoadOptions object. LoadOptions options = new LoadOptions("docPassword"); // There are two ways of loading an encrypted document with a LoadOptions object. // 1 - Load the document from the local file system by filename: doc = new Document(getMyDir() + "Encrypted.docx", options); // 2 - Load the document from a stream: InputStream stream = new FileInputStream(getMyDir() + "Encrypted.docx"); try { doc = new Document(stream, options); if (stream != null) stream.close(); }
Constructor Summary |
---|
LoadOptions()
Initializes a new instance of this class with default values. |
LoadOptions(java.lang.Stringpassword)
A shortcut to initialize a new instance of this class with the specified password to load an encrypted document. |
LoadOptions(intloadFormat, java.lang.Stringpassword, java.lang.StringbaseUri)
A shortcut to initialize a new instance of this class with properties set to the specified values. |
Property Getters/Setters Summary | ||
---|---|---|
java.lang.String | getBaseUri() | |
void | setBaseUri(java.lang.Stringvalue) | |
Gets or sets the string that will be used to resolve relative URIs found in the document into absolute URIs when required. Can be null or empty string. Default is null. | ||
boolean | getConvertMetafilesToPng() | |
void | setConvertMetafilesToPng(booleanvalue) | |
Gets or sets whether to convert metafile ( |
||
boolean | getConvertShapeToOfficeMath() | |
void | setConvertShapeToOfficeMath(booleanvalue) | |
Gets or sets whether to convert shapes with EquationXML to Office Math objects. | ||
java.nio.charset.Charset | getEncoding() | |
void | setEncoding(java.nio.charset.Charsetvalue) | |
Gets or sets the encoding that will be used to load an HTML, TXT, or CHM document if the encoding is not specified inside the document. Can be null. Default is null. | ||
boolean | getFlatOpcXmlMappingOnly() | |
void | setFlatOpcXmlMappingOnly(booleanvalue) | |
Gets or sets value determining which document formats are allowed to be mapped by |
||
FontSettings | getFontSettings() | |
void | setFontSettings(FontSettings value) | |
Allows to specify document font settings. | ||
LanguagePreferences | getLanguagePreferences() | |
Gets language preferences that will be used when document is loading.
|
||
int | getLoadFormat() | |
void | setLoadFormat(intvalue) | |
Specifies the format of the document to be loaded.
Default is |
||
int | getMswVersion() | |
void | setMswVersion(intvalue) | |
Allows to specify that the document loading process should match a specific MS Word version.
Default value is |
||
java.lang.String | getPassword() | |
void | setPassword(java.lang.Stringvalue) | |
Gets or sets the password for opening an encrypted document. Can be null or empty string. Default is null. | ||
boolean | getPreserveIncludePictureField() | |
void | setPreserveIncludePictureField(booleanvalue) | |
Gets or sets whether to preserve the INCLUDEPICTURE field when reading Microsoft Word formats. The default value is false. | ||
IDocumentLoadingCallback | getProgressCallback() | |
void | ||
Called during loading a document and accepts data about loading progress. | ||
IResourceLoadingCallback | getResourceLoadingCallback() | |
void | ||
Allows to control how external resources (images, style sheets) are loaded when a document is imported from HTML, MHTML. | ||
java.lang.String | getTempFolder() | |
void | setTempFolder(java.lang.Stringvalue) | |
Allows to use temporary files when reading document.
By default this property is null and no temporary files are used.
|
||
boolean | getUpdateDirtyFields() | |
void | setUpdateDirtyFields(booleanvalue) | |
Specifies whether to update the fields with the dirty attribute.
|
||
IWarningCallback | getWarningCallback() | |
void | ||
Called during a load operation, when an issue is detected that might result in data or formatting fidelity loss. |
public LoadOptions()
Example:
Shows how to open an HTML document with images from a stream using a base URI.InputStream stream = new FileInputStream(getMyDir() + "Document.html"); try /*JAVA: was using*/ { // Pass the URI of the base folder while loading it // so that any images with relative URIs in the HTML document can be found. LoadOptions loadOptions = new LoadOptions(); loadOptions.setBaseUri(getImageDir()); Document doc = new Document(stream, loadOptions); // Verify that the first shape of the document contains a valid image. Shape shape = (Shape) doc.getChild(NodeType.SHAPE, 0, true); Assert.assertTrue(shape.isImage()); Assert.assertNotNull(shape.getImageData().getImageBytes()); Assert.assertEquals(32.0, ConvertUtil.pointToPixel(shape.getWidth()), 0.01); Assert.assertEquals(32.0, ConvertUtil.pointToPixel(shape.getHeight()), 0.01); } finally { if (stream != null) stream.close(); }
public LoadOptions(java.lang.String password)
password
- The password to open an encrypted document. Can be null or empty string.Example:
Shows how to load an encrypted Microsoft Word document.Document doc; // Aspose.Words throw an exception if we try to open an encrypted document without its password. Assert.assertThrows(IncorrectPasswordException.class, () -> new Document(getMyDir() + "Encrypted.docx")); // When loading such a document, the password is passed to the document's constructor using a LoadOptions object. LoadOptions options = new LoadOptions("docPassword"); // There are two ways of loading an encrypted document with a LoadOptions object. // 1 - Load the document from the local file system by filename: doc = new Document(getMyDir() + "Encrypted.docx", options); // 2 - Load the document from a stream: InputStream stream = new FileInputStream(getMyDir() + "Encrypted.docx"); try { doc = new Document(stream, options); if (stream != null) stream.close(); }
public LoadOptions(int loadFormat, java.lang.String password, java.lang.String baseUri)
loadFormat
- A password
- The password to open an encrypted document. Can be null or empty string.baseUri
- The string that will be used to resolve relative URIs to absolute. Can be null or empty string.Example:
Shows how to insert the HTML contents from a web page into a new document.URL url = new URL("https://www.aspose.com"); // The easiest way to load our document from the internet is make use of the URLConnection class. URLConnection webClient = url.openConnection(); // Download the bytes from the location referenced by the URL. InputStream inputStream = webClient.getInputStream(); // Convert the input stream to a byte array. int pos; ByteArrayOutputStream bos = new ByteArrayOutputStream(); while ((pos = inputStream.read()) != -1) bos.write(pos); byte[] dataBytes = bos.toByteArray(); // Wrap the bytes representing the document in memory into a stream object. ByteArrayInputStream byteStream = new ByteArrayInputStream(dataBytes); // The baseUri property should be set to ensure any relative img paths are retrieved correctly. LoadOptions options = new LoadOptions(LoadFormat.HTML, "", url.getPath()); // Load the HTML document from stream and pass the LoadOptions object. Document doc = new Document(byteStream, options); doc.save(getArtifactsDir() + "Document.InsertHtmlFromWebPage.docx");
Example:
Shows how to specify a base URI when opening an html document.// Suppose we want to load an .html document that contains an image linked by a relative URI // while the image is in a different location. In that case, we will need to resolve the relative URI into an absolute one. // We can provide a base URI using an HtmlLoadOptions object. HtmlLoadOptions loadOptions = new HtmlLoadOptions(LoadFormat.HTML, "", getImageDir()); Assert.assertEquals(LoadFormat.HTML, loadOptions.getLoadFormat()); Document doc = new Document(getMyDir() + "Missing image.html", loadOptions); // While the image was broken in the input .html, our custom base URI helped us repair the link. Shape imageShape = (Shape) doc.getChildNodes(NodeType.SHAPE, true).get(0); Assert.assertTrue(imageShape.isImage()); // This output document will display the image that was missing. doc.save(getArtifactsDir() + "HtmlLoadOptions.BaseUri.docx");
public java.lang.String getBaseUri() / public void setBaseUri(java.lang.String value)
This property is used to resolve relative URIs into absolute in the following cases:
Example:
Shows how to open an HTML document with images from a stream using a base URI.InputStream stream = new FileInputStream(getMyDir() + "Document.html"); try /*JAVA: was using*/ { // Pass the URI of the base folder while loading it // so that any images with relative URIs in the HTML document can be found. LoadOptions loadOptions = new LoadOptions(); loadOptions.setBaseUri(getImageDir()); Document doc = new Document(stream, loadOptions); // Verify that the first shape of the document contains a valid image. Shape shape = (Shape) doc.getChild(NodeType.SHAPE, 0, true); Assert.assertTrue(shape.isImage()); Assert.assertNotNull(shape.getImageData().getImageBytes()); Assert.assertEquals(32.0, ConvertUtil.pointToPixel(shape.getWidth()), 0.01); Assert.assertEquals(32.0, ConvertUtil.pointToPixel(shape.getHeight()), 0.01); } finally { if (stream != null) stream.close(); }
public boolean getConvertMetafilesToPng() / public void setConvertMetafilesToPng(boolean value)
Example:
Shows how to convert WMF/EMF to PNG during loading document.Document doc = new Document(); Shape shape = new Shape(doc, ShapeType.IMAGE); shape.getImageData().setImage(getImageDir() + "Windows MetaFile.wmf"); shape.setWidth(100.0); shape.setHeight(100.0); doc.getFirstSection().getBody().getFirstParagraph().appendChild(shape); doc.save(getArtifactsDir() + "Image.CreateImageDirectly.docx"); shape = (Shape) doc.getChild(NodeType.SHAPE, 0, true); TestUtil.verifyImageInShape(1600, 1600, ImageType.WMF, shape); LoadOptions loadOptions = new LoadOptions(); loadOptions.setConvertMetafilesToPng(true); doc = new Document(getArtifactsDir() + "Image.CreateImageDirectly.docx", loadOptions); shape = (Shape) doc.getChild(NodeType.SHAPE, 0, true);
public boolean getConvertShapeToOfficeMath() / public void setConvertShapeToOfficeMath(boolean value)
Example:
Shows how to convert EquationXML shapes to Office Math objects.LoadOptions loadOptions = new LoadOptions(); // Use this flag to specify whether to convert the shapes with EquationXML attributes // to Office Math objects and then load the document. loadOptions.setConvertShapeToOfficeMath(isConvertShapeToOfficeMath); Document doc = new Document(getMyDir() + "Math shapes.docx", loadOptions); if (isConvertShapeToOfficeMath) { Assert.assertEquals(16, doc.getChildNodes(NodeType.SHAPE, true).getCount()); Assert.assertEquals(34, doc.getChildNodes(NodeType.OFFICE_MATH, true).getCount()); } else { Assert.assertEquals(24, doc.getChildNodes(NodeType.SHAPE, true).getCount()); Assert.assertEquals(0, doc.getChildNodes(NodeType.OFFICE_MATH, true).getCount()); }
public java.nio.charset.Charset getEncoding() / public void setEncoding(java.nio.charset.Charset value)
This property is used only when loading HTML, TXT, or CHM documents.
If encoding is not specified inside the document and this property is null
, then the system will try to
automatically detect the encoding.
public boolean getFlatOpcXmlMappingOnly() / public void setFlatOpcXmlMappingOnly(boolean value)
public FontSettings getFontSettings() / public void setFontSettings(FontSettings value)
When loading some formats, Aspose.Words may require to resolve the fonts. For example, when loading HTML documents Aspose.Words may resolve the fonts to perform font fallback.
If set to null, default static font settings
The default value is null.
Example:
Shows how to apply font substitution settings while loading a document.// Create a FontSettings object that will substitute the "Times New Roman" font // with the font "Arvo" from our "MyFonts" folder. FontSettings fontSettings = new FontSettings(); fontSettings.setFontsFolder(getFontsDir(), false); fontSettings.getSubstitutionSettings().getTableSubstitution().addSubstitutes("Times New Roman", "Arvo"); // Set that FontSettings object as a property of a newly created LoadOptions object. LoadOptions loadOptions = new LoadOptions(); loadOptions.setFontSettings(fontSettings); // Load the document, then render it as a PDF with the font substitution. Document doc = new Document(getMyDir() + "Document.docx", loadOptions); doc.save(getArtifactsDir() + "LoadOptions.FontSettings.pdf");
Example:
Shows how to designate font substitutes during loading.LoadOptions loadOptions = new LoadOptions(); loadOptions.setFontSettings(new FontSettings()); // Set a font substitution rule for a LoadOptions object. // If the document we are loading uses a font which we do not have, // this rule will substitute the unavailable font with one that does exist. // In this case, all uses of the "MissingFont" will convert to "Comic Sans MS". TableSubstitutionRule substitutionRule = loadOptions.getFontSettings().getSubstitutionSettings().getTableSubstitution(); substitutionRule.addSubstitutes("MissingFont", "Comic Sans MS"); Document doc = new Document(getMyDir() + "Missing font.html", loadOptions); // At this point such text will still be in "MissingFont". // Font substitution will take place when we render the document. Assert.assertEquals("MissingFont", doc.getFirstSection().getBody().getFirstParagraph().getRuns().get(0).getFont().getName()); doc.save(getArtifactsDir() + "FontSettings.ResolveFontsBeforeLoadingDocument.pdf");
public LanguagePreferences getLanguagePreferences()
Example:
Shows how to apply language preferences when loading a document.LoadOptions loadOptions = new LoadOptions(); loadOptions.getLanguagePreferences().addEditingLanguage(EditingLanguage.JAPANESE); Document doc = new Document(getMyDir() + "No default editing language.docx", loadOptions); int localeIdFarEast = doc.getStyles().getDefaultFont().getLocaleIdFarEast(); System.out.println(localeIdFarEast == EditingLanguage.JAPANESE ? "The document either has no any FarEast language set in defaults or it was set to Japanese originally." : "The document default FarEast language was set to another than Japanese language originally, so it is not overridden.");
public int getLoadFormat() / public void setLoadFormat(int value)
It is recommended that you specify the
Example:
Shows how to specify a base URI when opening an html document.// Suppose we want to load an .html document that contains an image linked by a relative URI // while the image is in a different location. In that case, we will need to resolve the relative URI into an absolute one. // We can provide a base URI using an HtmlLoadOptions object. HtmlLoadOptions loadOptions = new HtmlLoadOptions(LoadFormat.HTML, "", getImageDir()); Assert.assertEquals(LoadFormat.HTML, loadOptions.getLoadFormat()); Document doc = new Document(getMyDir() + "Missing image.html", loadOptions); // While the image was broken in the input .html, our custom base URI helped us repair the link. Shape imageShape = (Shape) doc.getChildNodes(NodeType.SHAPE, true).get(0); Assert.assertTrue(imageShape.isImage()); // This output document will display the image that was missing. doc.save(getArtifactsDir() + "HtmlLoadOptions.BaseUri.docx");
public int getMswVersion() / public void setMswVersion(int value)
Example:
Shows how to emulate the loading procedure of a specific Microsoft Word version during document loading.// By default, Aspose.Words load documents according to Microsoft Word 2019 specification. LoadOptions loadOptions = new LoadOptions(); Assert.assertEquals(MsWordVersion.WORD_2019, loadOptions.getMswVersion()); // This document is missing the default paragraph formatting style. // This default style will be regenerated when we load the document either with Microsoft Word or Aspose.Words. loadOptions.setMswVersion(MsWordVersion.WORD_2007); Document doc = new Document(getMyDir() + "Document.docx", loadOptions); // The style's line spacing will have this value when loaded by Microsoft Word 2007 specification. Assert.assertEquals(12.95d, doc.getStyles().getDefaultParagraphFormat().getLineSpacing(), 0.01d);
public java.lang.String getPassword() / public void setPassword(java.lang.String value)
You need to know the password to open an encrypted document. If the document is not encrypted, set this to null or empty string.
Example:
Shows how to sign encrypted document file.// Create an X.509 certificate from a PKCS#12 store, which should contain a private key. CertificateHolder certificateHolder = CertificateHolder.create(getMyDir() + "morzal.pfx", "aw"); // Create a comment, date, and decryption password which will be applied with our new digital signature. SignOptions signOptions = new SignOptions(); { signOptions.setComments("Comment"); signOptions.setSignTime(new Date()); signOptions.setDecryptionPassword("docPassword"); } // Set a local system filename for the unsigned input document, and an output filename for its new digitally signed copy. String inputFileName = getMyDir() + "Encrypted.docx"; String outputFileName = getArtifactsDir() + "DigitalSignatureUtil.DecryptionPassword.docx"; DigitalSignatureUtil.sign(inputFileName, outputFileName, certificateHolder, signOptions);
public boolean getPreserveIncludePictureField() / public void setPreserveIncludePictureField(boolean value)
By default, the INCLUDEPICTURE field is converted into a shape object. You can override that if you need the field to be preserved, for example, if you wish to update it programmatically. Note however that this approach is not common for Aspose.Words. Use it on your own risk.
One of the possible use cases may be using a MERGEFIELD as a child field to dynamically change the source path of the picture. In this case you need the INCLUDEPICTURE to be preserved in the model.
Example:
Shows how to preserve or discard INCLUDEPICTURE fields when loading a document.Document doc = new Document(); DocumentBuilder builder = new DocumentBuilder(doc); FieldIncludePicture includePicture = (FieldIncludePicture) builder.insertField(FieldType.FIELD_INCLUDE_PICTURE, true); includePicture.setSourceFullName(getImageDir() + "Transparent background logo.png"); includePicture.update(true); try (ByteArrayOutputStream docStream = new ByteArrayOutputStream()) { doc.save(docStream, new OoxmlSaveOptions(SaveFormat.DOCX)); // We can set a flag in a LoadOptions object to decide whether to convert all INCLUDEPICTURE fields // into image shapes when loading a document that contains them. LoadOptions loadOptions = new LoadOptions(); { loadOptions.setPreserveIncludePictureField(preserveIncludePictureField); } doc = new Document(new ByteArrayInputStream(docStream.toByteArray()), loadOptions); FieldCollection fieldCollection = doc.getRange().getFields(); if (preserveIncludePictureField) { Assert.assertTrue(IterableUtils.matchesAny(fieldCollection, f -> f.getType() == FieldType.FIELD_INCLUDE_PICTURE)); doc.updateFields(); doc.save(getArtifactsDir() + "Field.PreserveIncludePicture.docx"); } else { Assert.assertFalse(IterableUtils.matchesAny(fieldCollection, f -> f.getType() == FieldType.FIELD_INCLUDE_PICTURE)); } }
public IDocumentLoadingCallback getProgressCallback() / public void setProgressCallback(IDocumentLoadingCallback value)
Example:
Shows how to notify the user if document loading exceeded expected loading time.@Test public void progressCallback() throws Exception { LoadingProgressCallback progressCallback = new LoadingProgressCallback(); LoadOptions loadOptions = new LoadOptions(); { loadOptions.setProgressCallback(progressCallback); } try { new Document(getMyDir() + "Big document.docx", loadOptions); } catch (IllegalStateException exception) { System.out.println(exception.getMessage()); // Handle loading duration issue. } } /// <summary> /// Cancel a document loading after the "MaxDuration" seconds. /// </summary> public static class LoadingProgressCallback implements IDocumentLoadingCallback { /// <summary> /// Ctr. /// </summary> public LoadingProgressCallback() { mLoadingStartedAt = new Date(); } /// <summary> /// Callback method which called during document loading. /// </summary> /// <param name="args">Loading arguments.</param> public void notify(DocumentLoadingArgs args) { Date canceledAt = new Date(); long diff = canceledAt.getTime() - mLoadingStartedAt.getTime(); long ellapsedSeconds = TimeUnit.MILLISECONDS.toSeconds(diff); if (ellapsedSeconds > MAX_DURATION) throw new IllegalStateException(MessageFormat.format("EstimatedProgress = {0}; CanceledAt = {1}", args.getEstimatedProgress(), canceledAt)); } /// <summary> /// Date and time when document loading is started. /// </summary> private Date mLoadingStartedAt; /// <summary> /// Maximum allowed duration in sec. /// </summary> private static final double MAX_DURATION = 0.5; }
public IResourceLoadingCallback getResourceLoadingCallback() / public void setResourceLoadingCallback(IResourceLoadingCallback value)
Example:
Shows how to handle external resources when loading Html documents.LoadOptions loadOptions = new LoadOptions(); loadOptions.setResourceLoadingCallback(new HtmlLinkedResourceLoadingCallback()); // When we load the document, our callback will handle linked resources such as CSS stylesheets and images. Document doc = new Document(getMyDir() + "Images.html", loadOptions); doc.save(getArtifactsDir() + "LoadOptions.LoadOptionsCallback.pdf"); } /// <summary> /// Prints the filenames of all external stylesheets and substitutes all images of a loaded html document. /// </summary> private static class HtmlLinkedResourceLoadingCallback implements IResourceLoadingCallback { public int resourceLoading(ResourceLoadingArgs args) throws IOException { switch (args.getResourceType()) { case ResourceType.CSS_STYLE_SHEET: System.out.println(MessageFormat.format("External CSS Stylesheet found upon loading: {0}", args.getOriginalUri())); return ResourceLoadingAction.DEFAULT; case ResourceType.IMAGE: System.out.println(MessageFormat.format("External Image found upon loading: {0}", args.getOriginalUri())); final String newImageFilename = "Logo.jpg"; System.out.println(MessageFormat.format("\tImage will be substituted with: {0}", newImageFilename)); byte[] imageBytes = FileUtils.readFileToByteArray(new File(getImageDir() + newImageFilename)); args.setData(imageBytes); return ResourceLoadingAction.USER_PROVIDED; } return ResourceLoadingAction.DEFAULT; } }
public java.lang.String getTempFolder() / public void setTempFolder(java.lang.String value)
null
and no temporary files are used.
The folder must exist and be writable, otherwise an exception will be thrown.
Aspose.Words automatically deletes all temporary files when reading is complete.
Example:
Shows how to load a document using temporary files.// Note that such an approach can reduce memory usage but degrades speed. LoadOptions loadOptions = new LoadOptions(); loadOptions.setTempFolder("C:\\TempFolder\\"); // Ensure that the directory exists and load. new File(loadOptions.getTempFolder()).mkdir(); Document doc = new Document(getMyDir() + "Document.docx", loadOptions);
Example:
Shows how to use the hard drive instead of memory when loading a document.// When we load a document, various elements are temporarily stored in memory as the save operation occurs. // We can use this option to use a temporary folder in the local file system instead, // which will reduce our application's memory overhead. LoadOptions options = new LoadOptions(); options.setTempFolder(getArtifactsDir() + "TempFiles"); // The specified temporary folder must exist in the local file system before the load operation. Files.createDirectory(Paths.get(options.getTempFolder())); Document doc = new Document(getMyDir() + "Document.docx", options); // The folder will persist with no residual contents from the load operation. Assert.assertTrue(DocumentHelper.directoryGetFiles(options.getTempFolder(), "*.*").size() == 0);
public boolean getUpdateDirtyFields() / public void setUpdateDirtyFields(boolean value)
dirty
attribute.
Example:
Shows how to use special property for updating field result.Document doc = new Document(); DocumentBuilder builder = new DocumentBuilder(doc); // Give the document's built-in "Author" property value, and then display it with a field. doc.getBuiltInDocumentProperties().setAuthor("John Doe"); FieldAuthor field = (FieldAuthor) builder.insertField(FieldType.FIELD_AUTHOR, true); Assert.assertFalse(field.isDirty()); Assert.assertEquals("John Doe", field.getResult()); // Update the property. The field still displays the old value. doc.getBuiltInDocumentProperties().setAuthor("John & Jane Doe"); Assert.assertEquals("John Doe", field.getResult()); // Since the field's value is out of date, we can mark it as "dirty". // This value will stay out of date until we update the field manually with the Field.Update() method. field.isDirty(true); OutputStream docStream = new FileOutputStream(getArtifactsDir() + "Filed.UpdateDirtyFields.docx"); try { // If we save without calling an update method, // the field will keep displaying the out of date value in the output document. doc.save(docStream, SaveFormat.DOCX); // The LoadOptions object has an option to update all fields // marked as "dirty" when loading the document. LoadOptions options = new LoadOptions(); options.setUpdateDirtyFields(updateDirtyFields); doc = new Document(String.valueOf(docStream), options); Assert.assertEquals("John & Jane Doe", doc.getBuiltInDocumentProperties().getAuthor()); field = (FieldAuthor) doc.getRange().getFields().get(0); // Updating dirty fields like this automatically set their "IsDirty" flag to false. if (updateDirtyFields) { Assert.assertEquals("John & Jane Doe", field.getResult()); Assert.assertFalse(field.isDirty()); } else { Assert.assertEquals("John Doe", field.getResult()); Assert.assertTrue(field.isDirty()); } } finally { if (docStream != null) docStream.close(); }
public IWarningCallback getWarningCallback() / public void setWarningCallback(IWarningCallback value)
Example:
Shows how to print and store warnings that occur during document loading.// Create a new LoadOptions object and set its WarningCallback attribute // as an instance of our IWarningCallback implementation. LoadOptions loadOptions = new LoadOptions(); loadOptions.setWarningCallback(new DocumentLoadingWarningCallback()); // Our callback will print all warnings that come up during the load operation. Document doc = new Document(getMyDir() + "Document.docx", loadOptions); ArrayList<WarningInfo> warnings = ((DocumentLoadingWarningCallback) loadOptions.getWarningCallback()).getWarnings(); Assert.assertEquals(3, warnings.size()); /// <summary> /// IWarningCallback that prints warnings and their details as they arise during document loading. /// </summary> private static class DocumentLoadingWarningCallback implements IWarningCallback { public void warning(WarningInfo info) { System.out.println(MessageFormat.format("Warning: {0}", info.getWarningType())); System.out.println(MessageFormat.format("\tSource: {0}", info.getSource())); System.out.println(MessageFormat.format("\tDescription: {0}", info.getDescription())); mWarnings.add(info); } public ArrayList<WarningInfo> getWarnings() { return mWarnings; } private final /*final*/ ArrayList<WarningInfo> mWarnings = new ArrayList<WarningInfo>(); }