在使用itextsharp库进行pdf生成时,我遇到了这种方法:-
iTextSharp.text.Image img = iTextSharp.text.Image.GetInstance(itextsharp.text.pdf.PdfTemplate);
在哪里,我们可以从PdfTemplate获取Image实例。但是,我不知道如何创建PdfTemplate,也没有构造函数采用pdf文件名或流。
为什么要这样:我想从PDF文件创建一个图像,然后将该图像插入另一个pdf文件。
有人知道如何创建PdfTemplate对象吗?
最佳答案
不幸的是,PdfTemplate
并非您真正想的那样。 iText和iTextSharp是PDF生成器,但不是PDF渲染器,这是将PDF转换为图像所需要的。
也就是说,您仍然可以根据所需的质量来实现目标。PdfTemplate
的更常见用法之一是子类PdfImportedPage
。如果从Image
创建PdfImportedPage
,则不会创建JPG或PNG或任何栅格,实际上,页面的完整版本将包含在Image
对象中。这意味着您可以应用诸如ScaleAbsolute()
之类的转换或任何您想要的转换,但是当将其添加到输出PDF时,任何文本仍将是真实文本(因此可以选择)。这是质量的体现。如果开始缩放Image
,它将(在数学上)完美缩放,但在视觉上,它可能在Adobe Reader之类的图形中呈现不完美的效果。如果放大,则可以,但是许多屏幕程序无法很好地渲染小字体。我不知道这是否对您有问题。
无论如何,下面的代码是针对iTextSharp 5.1.1.0的完整工作示例。它从现有的PDF读取页面,将页面缩放50%并将其添加到输出PDF。
using System;
using System.ComponentModel;
using System.Text;
using System.Windows.Forms;
using System.IO;
using iTextSharp.text.pdf;
using iTextSharp.text;
namespace WindowsFormsApplication1
{
public partial class Form1 : Form
{
public Form1()
{
InitializeComponent();
}
private void Form1_Load(object sender, EventArgs e)
{
//PDF file to pull the first page from
string inputFile = Path.Combine(Environment.GetFolderPath(Environment.SpecialFolder.Desktop), "Input.pdf");
//PDF file to output
string outputFile = Path.Combine(Environment.GetFolderPath(Environment.SpecialFolder.Desktop), "Output.pdf");
using (FileStream fs = new FileStream(outputFile, FileMode.Create, FileAccess.Write, FileShare.None))
{
using (Document doc = new Document())
{
using (PdfWriter w = PdfWriter.GetInstance(doc, fs))
{
//Open our PDF for writing
doc.Open();
//We need a reader to pull pages from
PdfReader r = new PdfReader(inputFile);
//Get the first page of our source PDF
PdfImportedPage importedPage = w.GetImportedPage(r, 1);
//Insert a new page into our output PDF
doc.NewPage();
//Create an Image from the imported page
iTextSharp.text.Image Img = iTextSharp.text.Image.GetInstance(importedPage);
//Just to show why we are using an Image, scale the Image to 50% width and height of the original page
Img.ScaleAbsolute(importedPage.Width / 2, importedPage.Height / 2);
//Add the Image to the page
doc.Add(Img);
//Close our output PDF
doc.Close();
}
}
}
this.Close();
}
}
}
关于c# - 从PDF文件创建图像或PdfTemplate,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/7280622/