C#/VB.NET: преобразование PDF в изображения (JPG, PNG, BMP)
Оглавление
Установлено через NuGet
PM> Install-Package Spire.PDF
Ссылки по теме
Преимущество PDF-файлов в том, что они очень интерактивны и их легко передавать, но в некоторых случаях также необходимо преобразовать PDF в изображения для встраивания в веб-страницы или отображения на некоторых платформах, которые не поддерживают формат PDF. В этой статье вы узнаете, как конвертировать PDF в форматы изображений JPG, PNG или BMP на C# и VB.NET с помощью Spire.PDF for .NET.
- Преобразование определенной страницы PDF в изображение
- Преобразование всего документа PDF в несколько изображений
Установите Spire.PDF for .NET
Для начала вам нужно добавить файлы DLL, включенные в пакет Spire.PDF для .NET, в качестве ссылок в ваш проект .NET. Файлы DLL можно загрузить по этой ссылке или установить через NuGet.
PM> Install-Package Spire.PDF
Преобразование определенной страницы PDF в изображение на C# и VB.NET
Spire.PDF for .NET предлагает метод PdfDocument.SaveAsImage() для преобразования определенной страницы PDF в изображение. Затем вы можете сохранить изображение в формате JPEG, PNG, BMP, EMF, GIF или WMF. Ниже приведены подробные шаги.
- Создайте экземпляр документа.
- Загрузите образец PDF-документа с помощью метода PdfDocument.LoadFromFile().
- Преобразуйте определенную страницу в изображение и установите разрешение изображения с помощью метода PdfDocument.SaveAsImage(int pageIndex, PdfImageType type, int dpiX, int dpiY).
- Сохраните изображение в виде файла PNG, JPG или BMP, используя метод Image.Save(string filename, ImageFormat format).
- C#
- VB.NET
using Spire.Pdf;
using Spire.Pdf.Graphics;
using System.Drawing;
using System.Drawing.Imaging;
namespace PDFtoImage
{
class Program
{
static void Main(string[] args)
{
//Create a PdfDocument instance
PdfDocument pdf = new PdfDocument();
//Load a sample PDF document
pdf.LoadFromFile("E:\\Files\\input.pdf");
//Convert the first page to an image and set the image Dpi
Image image = pdf.SaveAsImage(0, PdfImageType.Bitmap, 500, 500);
//Save the image as a JPG file
image.Save("ToJPG.jpg", ImageFormat.Jpeg);
//Save the image as a PNG file
//image.Save("ToPNG.png", ImageFormat.Png);
//Save the image as a BMP file
//image.Save("ToBMP.bmp", ImageFormat.Bmp);
}
}
}

Преобразование всего документа PDF в несколько изображений в C# и VB.NET
Если вы хотите преобразовать весь документ PDF в несколько отдельных изображений, вы можете просмотреть все страницы в PDF, а затем сохранить их как изображения JPG, PNG или BMP. Ниже приведены подробные шаги.
- Создайте экземпляр PdfDocument.
- Загрузите образец PDF-документа с помощью метода PdfDocument.LoadFromFile().
- Перебрать все страницы документа и установить DPI изображения при преобразовании их в изображения с помощью метода PdfDocument.SaveAsImage(int pageIndex, PdfImageType type, int dpiX, int dpiY).
- Сохраняйте изображения в виде файлов PNG с помощью метода Image.Save().
- C#
- VB.NET
using Spire.Pdf;
using Spire.Pdf.Graphics;
using System;
using System.Drawing;
using System.Drawing.Imaging;
namespace PDFtoImage
{
class Program
{
static void Main(string[] args)
{
//Create a PdfDocument instance
PdfDocument pdf = new PdfDocument();
//Load a sample PDF document
pdf.LoadFromFile("input.pdf");
//Loop through each page in the PDF
for (int i = 0; i < pdf.Pages.Count; i++)
{
//Convert all pages to images and set the image Dpi
Image image = pdf.SaveAsImage(i, PdfImageType.Bitmap, 500, 500);
//Save images as PNG format to a specified folder
String file = String.Format("Image\\ToImage-{0}.png", i);
image.Save(file, ImageFormat.Png);
}
}
}
}

Подать заявку на временную лицензию
Если вы хотите удалить оценочное сообщение из сгенерированных документов или избавиться от функциональных ограничений, запросите для себя 30-дневную пробную лицензию.
C#/VB.NET: convertir PDF a imágenes (JPG, PNG, BMP)
Tabla de contenido
Instalado a través de NuGet
PM> Install-Package Spire.PDF
enlaces relacionados
Los archivos PDF tienen la ventaja de ser altamente interactivos y fáciles de transferir, pero en ciertos casos, también es necesario convertir PDF en imágenes para incrustarlas en páginas web o mostrarlas en algunas plataformas que no admiten el formato PDF. En este artículo, aprenderá a convertir PDF a formatos de imagen JPG, PNG o BMP en C# y VB.NET utilizando Spire.PDF for .NET.
- Convertir una página PDF específica en una imagen
- Convierta un documento PDF completo en múltiples imágenes
Instalar Spire.PDF for .NET
Para empezar, debe agregar los archivos DLL incluidos en el paquete Spire.PDF para .NET como referencias en su proyecto .NET. Los archivos DLL se pueden descargar desde este enlace o instalar a través de NuGet.
PM> Install-Package Spire.PDF
Convierta una página PDF específica en una imagen en C# y VB.NET
Spire.PDF for .NET ofrece el método PdfDocument.SaveAsImage() para convertir una página particular en PDF en una imagen. Luego, puede guardar la imagen como un archivo JPEG, PNG, BMP, EMF, GIF o WMF. Los siguientes son los pasos detallados.
- Cree una instancia de documento.
- Cargue un documento PDF de muestra utilizando el método PdfDocument.LoadFromFile().
- Convierta una página específica en una imagen y configure los Dpi de la imagen usando el método PdfDocument.SaveAsImage(int pageIndex, PdfImageType type, int dpiX, int dpiY).
- Guarde la imagen como un archivo PNG, JPG o BMP utilizando el método Image.Save (nombre de archivo de cadena, formato ImageFormat).
- C#
- VB.NET
using Spire.Pdf;
using Spire.Pdf.Graphics;
using System.Drawing;
using System.Drawing.Imaging;
namespace PDFtoImage
{
class Program
{
static void Main(string[] args)
{
//Create a PdfDocument instance
PdfDocument pdf = new PdfDocument();
//Load a sample PDF document
pdf.LoadFromFile("E:\\Files\\input.pdf");
//Convert the first page to an image and set the image Dpi
Image image = pdf.SaveAsImage(0, PdfImageType.Bitmap, 500, 500);
//Save the image as a JPG file
image.Save("ToJPG.jpg", ImageFormat.Jpeg);
//Save the image as a PNG file
//image.Save("ToPNG.png", ImageFormat.Png);
//Save the image as a BMP file
//image.Save("ToBMP.bmp", ImageFormat.Bmp);
}
}
}

Convierta un documento PDF completo en varias imágenes en C# y VB.NET
Si desea convertir todo el documento PDF en varias imágenes individuales, puede recorrer todas las páginas del PDF y luego guardarlas como imágenes JPG, PNG o BMP. Los siguientes son los pasos detallados.
- Cree una instancia de PdfDocument.
- Cargue un documento PDF de muestra utilizando el método PdfDocument.LoadFromFile().
- Recorra todas las páginas del documento y configure los Dpi de la imagen al convertirlos en imágenes usando el método PdfDocument.SaveAsImage(int pageIndex, PdfImageType type, int dpiX, int dpiY).
- Guarde las imágenes como archivos PNG utilizando el método Image.Save().
- C#
- VB.NET
using Spire.Pdf;
using Spire.Pdf.Graphics;
using System;
using System.Drawing;
using System.Drawing.Imaging;
namespace PDFtoImage
{
class Program
{
static void Main(string[] args)
{
//Create a PdfDocument instance
PdfDocument pdf = new PdfDocument();
//Load a sample PDF document
pdf.LoadFromFile("input.pdf");
//Loop through each page in the PDF
for (int i = 0; i < pdf.Pages.Count; i++)
{
//Convert all pages to images and set the image Dpi
Image image = pdf.SaveAsImage(i, PdfImageType.Bitmap, 500, 500);
//Save images as PNG format to a specified folder
String file = String.Format("Image\\ToImage-{0}.png", i);
image.Save(file, ImageFormat.Png);
}
}
}
}

Solicitar una Licencia Temporal
Si desea eliminar el mensaje de evaluación de los documentos generados o deshacerse de las limitaciones de la función, solicite una licencia de prueba de 30 días para usted.
C#/VB.NET: PDF를 이미지(JPG, PNG, BMP)로 변환
NuGet을 통해 설치됨
PM> Install-Package Spire.PDF
관련된 링크들
PDF 파일은 대화형이며 전송하기 쉽다는 장점이 있지만 경우에 따라 웹 페이지에 삽입하거나 PDF 형식을 지원하지 않는 일부 플랫폼에 표시하기 위해 PDF를 이미지로 변환해야 할 수도 있습니다. 이 기사에서는 .NET용 Spire.PDF를 사용하여 C# 및 VB.NET에서 PDF를 JPG, PNG 또는 BMP 이미지 형식으로 변환하는 방법을 배웁니다.
Spire.PDF for .NET 설치
먼저 Spire.PDF for .NET 패키지에 포함된 DLL 파일을 .NET 프로젝트의 참조로 추가해야 합니다. DLL 파일은 이 링크에서 다운로드하거나 NuGet을 통해 설치할 수 있습니다.
PM> Install-Package Spire.PDF
C# 및 VB.NET에서 특정 PDF 페이지를 이미지로 변환
.NET용 Spire.PDF는 PDF의 특정 페이지를 이미지로 변환하는 PdfDocument.SaveAsImage() 메서드를 제공합니다. 그런 다음 이미지를 JPEG, PNG, BMP, EMF, GIF 또는 WMF 파일로 저장할 수 있습니다. 다음은 세부 단계입니다.
- 문서 인스턴스를 만듭니다.
- PdfDocument.LoadFromFile() 메서드를 사용하여 샘플 PDF 문서를 로드합니다.
- 특정 페이지를 이미지로 변환하고 PdfDocument.SaveAsImage(int pageIndex, PdfImageType type, int dpiX, int dpiY) 메서드를 사용하여 이미지 Dpi를 설정합니다.
- Image.Save(문자열 파일 이름, ImageFormat 형식) 메서드를 사용하여 이미지를 PNG, JPG 또는 BMP 파일로 저장합니다.
- C#
- VB.NET
using Spire.Pdf;
using Spire.Pdf.Graphics;
using System.Drawing;
using System.Drawing.Imaging;
namespace PDFtoImage
{
class Program
{
static void Main(string[] args)
{
//Create a PdfDocument instance
PdfDocument pdf = new PdfDocument();
//Load a sample PDF document
pdf.LoadFromFile("E:\\Files\\input.pdf");
//Convert the first page to an image and set the image Dpi
Image image = pdf.SaveAsImage(0, PdfImageType.Bitmap, 500, 500);
//Save the image as a JPG file
image.Save("ToJPG.jpg", ImageFormat.Jpeg);
//Save the image as a PNG file
//image.Save("ToPNG.png", ImageFormat.Png);
//Save the image as a BMP file
//image.Save("ToBMP.bmp", ImageFormat.Bmp);
}
}
}

C# 및 VB.NET에서 전체 PDF 문서를 여러 이미지로 변환
전체 PDF 문서를 여러 개별 이미지로 변환하려는 경우 PDF의 모든 페이지를 반복한 다음 JPG, PNG 또는 BMP 이미지로 저장할 수 있습니다. 다음은 세부 단계입니다.
- PdfDocument 인스턴스를 만듭니다.
- PdfDocument.LoadFromFile() 메서드를 사용하여 샘플 PDF 문서를 로드합니다.
- 문서의 모든 페이지를 반복하고 PdfDocument.SaveAsImage(int pageIndex, PdfImageType type, int dpiX, int dpiY) 메서드를 사용하여 이미지로 변환할 때 이미지 Dpi를 설정합니다.
- Image.Save() 메서드를 사용하여 이미지를 PNG 파일로 저장합니다.
- C#
- VB.NET
using Spire.Pdf;
using Spire.Pdf.Graphics;
using System;
using System.Drawing;
using System.Drawing.Imaging;
namespace PDFtoImage
{
class Program
{
static void Main(string[] args)
{
//Create a PdfDocument instance
PdfDocument pdf = new PdfDocument();
//Load a sample PDF document
pdf.LoadFromFile("input.pdf");
//Loop through each page in the PDF
for (int i = 0; i < pdf.Pages.Count; i++)
{
//Convert all pages to images and set the image Dpi
Image image = pdf.SaveAsImage(i, PdfImageType.Bitmap, 500, 500);
//Save images as PNG format to a specified folder
String file = String.Format("Image\\ToImage-{0}.png", i);
image.Save(file, ImageFormat.Png);
}
}
}
}

임시 면허 신청
생성된 문서에서 평가 메시지를 제거하거나 기능 제한을 제거하려면 30일 평가판 라이센스를 직접 요청하십시오.
C#/VB.NET: Converti PDF in Immagini (JPG, PNG, BMP)
Sommario
Installato tramite NuGet
PM> Install-Package Spire.PDF
Link correlati
I file PDF hanno il vantaggio di essere altamente interattivi e facili da trasferire, ma in alcuni casi è anche necessario convertire i PDF in immagini per l'incorporamento nelle pagine Web o la visualizzazione su alcune piattaforme che non supportano il formato PDF. In questo articolo imparerai come convertire PDF in formati immagine JPG, PNG o BMP in C# e VB.NET utilizzando Spire.PDF for .NET.
Installa Spire.PDF for .NET
Per cominciare, è necessario aggiungere i file DLL inclusi nel pacchetto Spire.PDF for.NET come riferimenti nel progetto .NET. I file DLL possono essere scaricati da questo collegamento o installati tramite NuGet.
PM> Install-Package Spire.PDF
Converti una pagina PDF specifica in un'immagine in C# e VB.NET
Spire.PDF for .NET offre il metodo PdfDocument.SaveAsImage() per convertire una particolare pagina in PDF in un'immagine. Quindi, puoi salvare l'immagine come file JPEG, PNG, BMP, EMF, GIF o WMF. Di seguito sono riportati i passaggi dettagliati.
- Crea un'istanza di Documento.
- Carica un documento PDF di esempio utilizzando il metodo PdfDocument.LoadFromFile().
- Converti una pagina specifica in un'immagine e imposta i Dpi dell'immagine utilizzando il metodo PdfDocument.SaveAsImage(int pageIndex, PdfImageType type, int dpiX, int dpiY).
- Salvare l'immagine come file PNG, JPG o BMP utilizzando il metodo Image.Save(string filename, ImageFormat format).
- C#
- VB.NET
using Spire.Pdf;
using Spire.Pdf.Graphics;
using System.Drawing;
using System.Drawing.Imaging;
namespace PDFtoImage
{
class Program
{
static void Main(string[] args)
{
//Create a PdfDocument instance
PdfDocument pdf = new PdfDocument();
//Load a sample PDF document
pdf.LoadFromFile("E:\\Files\\input.pdf");
//Convert the first page to an image and set the image Dpi
Image image = pdf.SaveAsImage(0, PdfImageType.Bitmap, 500, 500);
//Save the image as a JPG file
image.Save("ToJPG.jpg", ImageFormat.Jpeg);
//Save the image as a PNG file
//image.Save("ToPNG.png", ImageFormat.Png);
//Save the image as a BMP file
//image.Save("ToBMP.bmp", ImageFormat.Bmp);
}
}
}

Converti un intero documento PDF in più immagini in C# e VB.NET
Se desideri convertire l'intero documento PDF in più immagini singole, puoi scorrere tutte le pagine del PDF e quindi salvarle come immagini JPG, PNG o BMP. Di seguito sono riportati i passaggi dettagliati.
- Creare un'istanza PdfDocument.
- Carica un documento PDF di esempio utilizzando il metodo PdfDocument.LoadFromFile().
- Passa in rassegna tutte le pagine del documento e imposta i Dpi dell'immagine durante la conversione in immagini utilizzando il metodo PdfDocument.SaveAsImage(int pageIndex, PdfImageType type, int dpiX, int dpiY).
- Salva le immagini come file PNG usando il metodo Image.Save().
- C#
- VB.NET
using Spire.Pdf;
using Spire.Pdf.Graphics;
using System;
using System.Drawing;
using System.Drawing.Imaging;
namespace PDFtoImage
{
class Program
{
static void Main(string[] args)
{
//Create a PdfDocument instance
PdfDocument pdf = new PdfDocument();
//Load a sample PDF document
pdf.LoadFromFile("input.pdf");
//Loop through each page in the PDF
for (int i = 0; i < pdf.Pages.Count; i++)
{
//Convert all pages to images and set the image Dpi
Image image = pdf.SaveAsImage(i, PdfImageType.Bitmap, 500, 500);
//Save images as PNG format to a specified folder
String file = String.Format("Image\\ToImage-{0}.png", i);
image.Save(file, ImageFormat.Png);
}
}
}
}

Richiedi una licenza temporanea
Se desideri rimuovere il messaggio di valutazione dai documenti generati o eliminare le limitazioni delle funzioni, richiedi una licenza di prova di 30 giorni per te stesso.
Spire.Office for C++ 8.6.0 is released
We are excited to announce the release of Spire.Office for C++ 8.6.0. In this version, Spire.Doc for C++, Spire.XLS for C++, Spire.Presentation for C++, and Spire.PDF for C++ fix the issue that the application threw exception while applying license to a program that used two or more of the C++ products and loaded files with stream. More details are listed below.
Here are the changes made in this release
Spire.Doc for C++, Spire.XLS for C++, Spire.Presentation for C++, and Spire.PDF for C++ fix the issue that the application threw exception while applying license to a program that used two or more of the C++ products and loaded files with stream.
Spire.Doc 11.6.1 enhances the conversion from Word to PDF and HTML
We are excited to announce the release of Spire.Doc 11.6.1. This version enhances the conversion from Word to PDF and HTML. Besides, many known issues are fixed in this version, such as the issue that updating mail merge fields failed. More details are listed below.
Here is a list of changes made in this release
| Category | ID | Description |
| Bug | SPIREDOC-9031 | Fixes the issue that he obtained value of the text field containing the return mark is incorrect. |
| Bug | SPIREDOC-9285 | Fixes the issue that System.ArgumentException exception was thrown during document comparison. |
| Bug | SPIREDOC-9339 | Fixes the issue that System.ArgumentException exception was thrown during Word to HTML conversion. |
| Bug | SPIREDOC-9365 | Fixes the issue that updating mail merge fields failed. |
| Bug | SPIREDOC-9379 | Fixes the issue that replacing text that ends with a number by setting the wholeWord parameter to true does not work. |
| Bug | SPIREDOC-9396 | Fixes the issue that there was inconsistent text alignment in some parts of the document after converting Word to PDF. |
| Bug | SPIREDOC-9430 | Fixes the issue that symbol position shifted upwards after converting Word to PDF. |
Spire.XLS for Java 13.6.0 enhances the conversion from Excel to PDF
We are excited to announce the release of Spire.XLS for Java 13.6.0. This version enhances the conversion from Excel to PDF and images. Additionally, some known issues are fixed, such as the issue that the horizontal coordinate of the chart changed after adding an image watermark. More details are listed below.
Here is a list of changes made in this release
| Category | ID | Description |
| Bug | SPIREXLS-4611 | Fixes the issue that the font effects were inconsistent when converting Excel to images. |
| Bug | SPIREXLS-4639 | Fixes the issue that the superscript and subscript format was lost when converting Excel to images. |
| Bug | SPIREXLS-4642 | Fixes the issue that the horizontal coordinate of the chart changed after adding an image watermark. |
| Bug | SPIREXLS-4650 | Fixes the issue that the program hangs when loading Excel documents. |
| Bug | SPIREXLS-4669 | Fixes the issue that setting the background color of the pivot table column name field failed. |
| Bug | SPIREXLS-4671 | Fixes the issue that the document data lost after adding an image watermark. |
| Bug | SPIREXLS-4679 | Fixes the issue that the memory overflow exception was thrown when converting Excel to PDF. |
| Bug | SPIREXLS-4680 | Fixes the issue that the decimal place retention in numeric charts was inconsistent when converting them to images. |
| Bug | SPIREXLS-4682 | Fixes the issue that the program threw java.lang.ClassCastException exception when loading an Excel document. |
| Bug | SPIREXLS-4685 | Fixes the issue that the result file failed to open after adding the LOG function. |
| Bug | SPIREXLS-4687 | Fixes the issue that the style changed when loading and saving an et format file. |
| Bug | SPIREXLS-4688 | Fixes the issue that the chart coordinate axis format changed when loading and saving an et format file. |
| Bug | SPIREXLS-4736 | Fixes the issue that the program threw java.lang.ClassFormatError exception when converting Excel to PDF. |
Spire.Presentation 7.12.1 fixes the issue that the content was lost after saving PowerPoint slide as Image
We are glad to announce the release of Spire.Presentation 7.12.1. This version fixes the issue that the content was lost after saving PowerPoint slide as Image. More details are listed below.
Here is a list of changes made in this release
| Category | ID | Description |
| Bug | SPIREPPT-2109 | Fixes the issue that the content was lost after saving PowerPoint slide as Image. |
Spire.PDF for Java 8.12.6 supports creating tagged PDF files
We are happy to announce the release of Spire.PDF for Java 8.12.6. This version supports creating tagged PDF files. This release also includes performance optimization, such as the optimization in the time consumption of extracting images and compressing PDF files. Besides, some know issues are successfully fixed. More details are listed below.
Here is a list of changes made in this release
| Category | ID | Description |
| New feature | - | Supports creating tagged PDF files.
//Create a pdf document
PdfDocument doc = new PdfDocument();
//Add page
doc.getPages().add();
//Set tab order
doc.getPages().get(0).setTabOrder(TabOrder.Structure);
//Create PdfTaggedContent
PdfTaggedContent taggedContent = new PdfTaggedContent(doc);
taggedContent.setLanguage("en-US");
taggedContent.setTitle("test");
//Set font
PdfTrueTypeFont font = new PdfTrueTypeFont(new Font("Times New Roman",Font.PLAIN,12), true);
PdfSolidBrush brush = new PdfSolidBrush(new PdfRGBColor(Color.black));
//Append elements
PdfStructureElement article = taggedContent.getStructureTreeRoot().appendChildElement(PdfStandardStructTypes.Document);
PdfStructureElement paragraph1 = article.appendChildElement(PdfStandardStructTypes.Paragraph);
PdfStructureElement span1 = paragraph1.appendChildElement(PdfStandardStructTypes.Span);
span1.beginMarkedContent(doc.getPages().get(0));
PdfStringFormat format = new PdfStringFormat(PdfTextAlignment.Justify);
doc.getPages().get(0).getCanvas().drawString("Spire.PDF for .NET is a professional PDF API applied to creating, writing, editing, handling and reading PDF files.",
font, brush, new Rectangle(40, 0, 480, 80), format);
span1.endMarkedContent(doc.getPages().get(0));
PdfStructureElement paragraph2 = article.appendChildElement(PdfStandardStructTypes.Paragraph);
paragraph2.beginMarkedContent(doc.getPages().get(0));
doc.getPages().get(0).getCanvas().drawString("Spire.PDF for .NET can be applied to easily convert Text, Image, SVG, HTML to PDF and convert PDF to Excel with C#/VB.NET in high quality.",
font, brush, new Rectangle(40, 80, 480, 60), format);
paragraph2.endMarkedContent(doc.getPages().get(0));
PdfStructureElement figure1 = article.appendChildElement(PdfStandardStructTypes.Figure);
//Set Alternate text
figure1.setAlt("replacement text1");
figure1.beginMarkedContent(doc.getPages().get(0), null);
PdfImage image = PdfImage.fromFile("E-logo.png");
Dimension2D dimension2D = new Dimension();
dimension2D.setSize( 100,100);
doc.getPages().get(0).getCanvas().drawImage(image, new Point2D.Float(40, 200),dimension2D);
figure1.endMarkedContent(doc.getPages().get(0));
PdfStructureElement figure2 = article.appendChildElement(PdfStandardStructTypes.Figure);
//Set Alternate text
figure2.setAlt( "replacement text2");
figure2.beginMarkedContent(doc.getPages().get(0), null);
doc.getPages().get(0).getCanvas().drawRectangle(PdfPens.getBlack(), new Rectangle(300, 200, 100, 100));
figure2.endMarkedContent(doc.getPages().get(0));
//Save to file
String result = "CreateTaggedFile_result.pdf";
doc.saveToFile(result);
doc.close();
|
| Bug | SPIREPDF-4806 | Optimizes the time consumption of extracting images. |
| Bug | SPIREPDF-4856 | Optimizes the memory consumption of compressing document images. |
| Bug | SPIREPDF-4860 SPIREPDF-5583 |
Fixes the issue that the application hanged for a long time when loading a PDF file. |
| Bug | SPIREPDF-4955 | Optimizes the time consumption of compressing PDF file. |
| Bug | SPIREPDF-5496 | Fixes the issue that the application threw "No 'TimesNewRoman' font found" when defining the CustomFontsFolders to convert PDF to Excel. |
| Bug | SPIREPDF-5622 | Fixes the issue that the borders had different thickness when drawing table with PdfGrid. |
| Bug | SPIREPDF-5641 | Fixes the issue that the grid cell content displayed incorrectly when drawing on different position. |
| Bug | SPIREPDF-5646 | Fixes the issue that the application threw "Unexpected token Unknown before 105" when merging PDF files. |
Spire.Doc for Java 10.12.4 enhances the conversion form Word to PDF
We are glad to announce the release of Spire.Doc for Java 10.12.4. This version enhances the conversion from Word to PDF. More details are listed below.
Here is a list of changes made in this release
| Category | ID | Description |
| Bug | SPIREDOC-8790 | Fixes the issue that the table format was incorrect when converting Word to PDF. |
| Bug | SPIREDOC-8791 | Fixes the issue that the table lost when converting Word to PDF. |