font color calibri addcell c# .net pdf fonts itextsharp

c# - color - itextsharp font calibri



iTextSharp reutiliza la fuente incrustada en Acrofield (1)

Hay sugerencias en "iText In Action" que cubren las fuentes de configuración, así como el método "FontFactory.RegisterDirectories" (que es, como dice el libro ... una llamada costosa). Sin embargo, en mi caso, la fuente que quiero usar para nuevos campos ya está incorporada en el documento (en un Acrofield existente). Sin garantía de que exista la misma fuente en la máquina del usuario (o en un servidor web) ... ¿hay alguna forma de registrar la fuente ya incrustada, de modo que pueda volver a utilizarla para otros objetos? En el siguiente código, Acrofield "TheFieldIWantTheFontFrom" tiene la fuente que quiero reutilizar para un campo llamado "my_new_field". ¡Cualquier ayuda sería muy apreciada!

using (MemoryStream output = new MemoryStream()) { // Use iTextSharp PDF Reader, to get the fields and send to the //Stamper to set the fields in the document PdfReader pdfReader = new PdfReader(@"C:/MadScience/MSE_030414.pdf"); // Initialize Stamper (ms is a MemoryStream object) PdfStamper pdfStamper = new PdfStamper(pdfReader, output); // Get Reference to PDF Document Fields AcroFields pdfFormFields = pdfStamper.AcroFields; //*** CODE THAT HAVE NOT YET BEEN ABLE TO MAKE USE OF TO ASSIST WITH MY FONT ISSUE //*** MIGHT BE HELP? //List<object[]> fonts = BaseFont.GetDocumentFonts(pdfReader); //BaseFont[] baseFonts = new BaseFont[fonts.Count]; //string[] fn = new string[fonts.Count]; //for (int i = 0; i < fonts.Count; i++) //{ // Object[] obj = (Object[])fonts[i]; // baseFonts[i] = BaseFont.CreateFont((PRIndirectReference)(obj[1])); // fn[i] = baseFonts[i].PostscriptFontName.ToString(); // //Console.WriteLine(baseFonts[i].FamilyFontName[0][1].ToString()); // //FontFactory.RegisteredFonts.Add(fn[i]); // //FontFactory.Register( // Console.WriteLine(fn[i]); //} //ICollection<string> registeredFonts = iTextSharp.text.FontFactory.RegisteredFonts; //foreach (string s in registeredFonts) //{ // Console.WriteLine("pre-registered: " + s); //} if (!FontFactory.Contains("georgia-bold")) { FontFactory.RegisterDirectories(); Console.WriteLine("had to register everything"); } //registeredFonts = iTextSharp.text.FontFactory.RegisteredFonts; //foreach (string s in registeredFonts) //{ // Console.WriteLine("post-registered: " + s); //} Font myfont = FontFactory.GetFont("georgia-bold"); string nameOfField = "my_field"; AcroFields.Item fld = pdfFormFields.GetFieldItem(nameOfField); //set the text of the form field pdfFormFields.SetField(nameOfField, "test stuff"); pdfFormFields.SetField("TheFieldIWantTheFontFrom", "test more stuff"); bool madeit = pdfFormFields.SetFieldProperty(nameOfField, "textfont", myfont.BaseFont, null); bool madeit2 = pdfFormFields.SetFieldProperty(nameOfField, "textsize", 8f, null); pdfFormFields.RegenerateField(nameOfField); // Set the flattening flag to false, so the document can continue to be edited pdfStamper.FormFlattening = true; // close the pdf stamper pdfStamper.Close(); //get the bytes from the MemoryStream byte[] content = output.ToArray(); using (FileStream fs = File.Create(@"C:/MadScience/MSE_Results.pdf")) { //byte[] b = outList[i]; fs.Write(content, 0, (int)content.Length); fs.Flush(); } }


Sí, puede volver a utilizar las fuentes y la especificación de PDF realmente lo alienta. Sin embargo, debe tener en cuenta que algunas fuentes pueden integrarse solo como subconjuntos.

El siguiente código está adaptado de esta publicación (tenga cuidado, ese sitio tiene ventanas emergentes desagradables a veces). Vea los comentarios en el código para más información. Este código fue probado contra iTextSharp 5.4.4.

/// <summary> /// Look for the given font name (not file name) in the supplied PdfReader''s AcroForm dictionary. /// </summary> /// <param name="reader">An open PdfReader to search for fonts in.</param> /// <param name="fontName">The font''s name as listed in the PDF.</param> /// <returns>A BaseFont object if the font is found or null.</returns> static BaseFont findFontInForm(PdfReader reader, String fontName) { //Get the document''s acroform dictionary PdfDictionary acroForm = (PdfDictionary)PdfReader.GetPdfObject(reader.Catalog.Get(PdfName.ACROFORM)); //Bail if there isn''t one if (acroForm == null) { return null; } //Get the resource dictionary var DR = acroForm.GetAsDict(PdfName.DR); //Get the font dictionary (required per spec) var FONT = DR.GetAsDict(PdfName.FONT); //Look for the actual font and return it return findFontInFontDict(FONT, fontName); } /// <summary> /// Helper method to look at a specific font dictionary for a given font string. /// </summary> /// <remarks> /// This method is a helper method and should not be called directly without knowledge of /// the internals of the PDF spec. /// </remarks> /// <param name="fontDict">A /FONT dictionary.</param> /// <param name="fontName">Optional. The font''s name as listed in the PDF. If not supplied then the first font found is returned.</param> /// <returns>A BaseFont object if the font is found or null.</returns> static BaseFont findFontInFontDict(PdfDictionary fontDict, string fontName) { //This code is adapted from http://osdir.com/ml/java.lib.itext.general/2004-09/msg00018.html foreach (var internalFontName in fontDict.Keys) { var internalFontDict = (PdfDictionary)PdfReader.GetPdfObject(fontDict.Get(internalFontName)); var baseFontName = (PdfName)PdfReader.GetPdfObject(internalFontDict.Get(PdfName.BASEFONT)); //// compare names, ignoring the initial ''/'' in the baseFontName if (fontName == null || baseFontName.ToString().IndexOf(fontName) == 1) { var iRef = (PRIndirectReference)fontDict.GetAsIndirectObject(internalFontName); if (iRef != null) { return BaseFont.CreateFont(iRef); } } } return null; }

Y aquí está el código de prueba que ejecuta esto. Primero crea un documento de muestra con una fuente incrustada y luego crea un segundo documento basado en eso y vuelve a utilizar esa fuente. En su código necesitará saber de antemano cuál es el nombre de la fuente que está buscando. Si no tiene instalado ROCK.TTF (Rockwell), tendrá que elegir un archivo de fuente diferente para ejecutarlo.

//Test file that we''ll create with an embedded font var file1 = Path.Combine(Environment.GetFolderPath(Environment.SpecialFolder.Desktop), "test.pdf"); //Secondary file that we''ll try to re-use the font above from var file2 = Path.Combine(Environment.GetFolderPath(Environment.SpecialFolder.Desktop), "test2.pdf"); //Path to font file that we''d like to use var fontFilePath = System.IO.Path.Combine(Environment.GetFolderPath(Environment.SpecialFolder.Fonts), "ROCK.TTF"); //Create a basefont object var font = BaseFont.CreateFont(fontFilePath, BaseFont.WINANSI, true); //Get the name that we''re going to be searching for later on. var searchForFontName = font.PostscriptFontName; //Step #1 - Create sample document //The below block creates a sample PDF file with an embedded font in an AcroForm, nothing too special using (var fs = new FileStream(file1, FileMode.Create, FileAccess.Write, FileShare.None)) { using (var doc = new Document()) { using (var writer = PdfWriter.GetInstance(doc, fs)) { doc.Open(); //Create our field, set the font and add it to the document var tf = new TextField(writer, new iTextSharp.text.Rectangle(50, 50, 400, 150), "first-name"); tf.Font = font; writer.AddAnnotation(tf.GetTextField()); doc.Close(); } } } //Step #2 - Look for font //This uses a stamper to draw on top of the existing PDF using a font already embedded using (var fs = new FileStream(file2, FileMode.Create, FileAccess.Write, FileShare.None)) { using (var reader = new PdfReader(file1)) { using (var stamper = new PdfStamper(reader, fs)) { //Try to get the font file var f = findFontInForm(reader, searchForFontName); //Make sure we found something if (f != null) { //Draw some text var cb = stamper.GetOverContent(1); cb.BeginText(); cb.MoveText(200, 400); cb.SetFontAndSize(f, 72); cb.ShowText("Hello!"); cb.EndText(); } } } }

EDITAR

Hice una pequeña modificación al método findFontInFontDict anterior. El segundo parámetro ahora es opcional. Si es nulo, devuelve el primer objeto de fuente que encuentra en el diccionario suministrado. Este cambio me permite introducir el siguiente método que busca un campo específico por nombre y obtiene la fuente.

static BaseFont findFontByFieldName(PdfReader reader, String fieldName) { //Get the document''s acroform dictionary PdfDictionary acroForm = (PdfDictionary)PdfReader.GetPdfObject(reader.Catalog.Get(PdfName.ACROFORM)); //Bail if there isn''t one if (acroForm == null) { return null; } //Get the fields array var FIELDS = acroForm.GetAsArray(PdfName.FIELDS); if (FIELDS == null || FIELDS.Length == 0) { return null; } //Loop through each field reference foreach (var fieldIR in FIELDS) { var field = (PdfDictionary)PdfReader.GetPdfObject(fieldIR); //Check the field name against the supplied field name if (field.GetAsString(PdfName.T).ToString() == fieldName) { //Get the resource dictionary var DR = acroForm.GetAsDict(PdfName.DR); //Get the font dictionary (required per spec) var FONT = DR.GetAsDict(PdfName.FONT); return findFontInFontDict(FONT); } } return null; }