web-dev-qa-db-fra.com

Remplacer le texte du signet dans un fichier Word à l'aide du SDK Open XML

Je suppose que la v2.0 est meilleure ... ils ont un bon "comment faire: ..." exemples mais les signets ne semblent pas agir aussi clairement que disons un tableau ... un signet est défini par deux éléments XML BookmarkStart & BookmarkEnd . Nous avons des modèles avec du texte comme signets et nous voulons simplement remplacer les signets par un autre texte ... aucun formatage étrange n'est en cours, mais comment sélectionner/remplacer le texte du signet?

21
Mr. Boy

Voici mon approche après vous avoir utilisé comme source d'inspiration:

  IDictionary<String, BookmarkStart> bookmarkMap = 
      new Dictionary<String, BookmarkStart>();

  foreach (BookmarkStart bookmarkStart in file.MainDocumentPart.RootElement.Descendants<BookmarkStart>())
  {
      bookmarkMap[bookmarkStart.Name] = bookmarkStart;
  }

  foreach (BookmarkStart bookmarkStart in bookmarkMap.Values)
  {
      Run bookmarkText = bookmarkStart.NextSibling<Run>();
      if (bookmarkText != null)
      {
          bookmarkText.GetFirstChild<Text>().Text = "blah";
      }
  }
18
Mr. Boy

Remplacez les signets par un seul contenu (éventuellement plusieurs blocs de texte).

public static void InsertIntoBookmark(BookmarkStart bookmarkStart, string text)
{
    OpenXmlElement elem = bookmarkStart.NextSibling();

    while (elem != null && !(elem is BookmarkEnd))
    {
        OpenXmlElement nextElem = elem.NextSibling();
        elem.Remove();
        elem = nextElem;
    }

    bookmarkStart.Parent.InsertAfter<Run>(new Run(new Text(text)), bookmarkStart);
}

Tout d'abord, le contenu existant entre le début et la fin est supprimé. Ensuite, une nouvelle course est ajoutée directement derrière le début (avant la fin).

Cependant, je ne sais pas si le signet est fermé dans une autre section lors de son ouverture ou dans différentes cellules de tableau, etc.

Pour moi, c'est suffisant pour l'instant.

8
cyberblast

Je viens de comprendre cela il y a 10 minutes, alors pardonnez la nature hackish du code.

J'ai d'abord écrit une fonction d'aide récursive pour trouver tous les signets:

private static Dictionary<string, BookmarkEnd> FindBookmarks(OpenXmlElement documentPart, Dictionary<string, BookmarkEnd> results = null, Dictionary<string, string> unmatched = null )
{
    results = results ?? new Dictionary<string, BookmarkEnd>();
    unmatched = unmatched ?? new Dictionary<string,string>();

    foreach (var child in documentPart.Elements())
    {
        if (child is BookmarkStart)
        {
            var bStart = child as BookmarkStart;
            unmatched.Add(bStart.Id, bStart.Name);
        }

        if (child is BookmarkEnd)
        {
            var bEnd = child as BookmarkEnd;
            foreach (var orphanName in unmatched)
            {
                if (bEnd.Id == orphanName.Key)
                    results.Add(orphanName.Value, bEnd);
            }
        }

        FindBookmarks(child, results, unmatched);
    }

    return results;
}

Cela me renvoie un dictionnaire que je peux utiliser pour parcourir ma liste de remplacement et ajouter le texte après le signet:

var bookMarks = FindBookmarks(doc.MainDocumentPart.Document);

foreach( var end in bookMarks )
{
    var textElement = new Text("asdfasdf");
    var runElement = new Run(textElement);

    end.Value.InsertAfterSelf(runElement);
}

D'après ce que je peux dire, l'insertion et le remplacement des signets semblent plus difficiles. Quand j'ai utilisé InsertAt au lieu de InsertIntoSelf, j'ai obtenu: "Les éléments non composites n'ont pas d'éléments enfants." YMMV

4
John Farrell

Après de nombreuses heures, j'ai écrit cette méthode:

    Public static void ReplaceBookmarkParagraphs(WordprocessingDocument doc, string bookmark, string text)
    {
        //Find all Paragraph with 'BookmarkStart' 
        var t = (from el in doc.MainDocumentPart.RootElement.Descendants<BookmarkStart>()
                 where (el.Name == bookmark) &&
                 (el.NextSibling<Run>() != null)
                 select el).First();
        //Take ID value
        var val = t.Id.Value;
        //Find the next sibling 'text'
        OpenXmlElement next = t.NextSibling<Run>();
        //Set text value
        next.GetFirstChild<Text>().Text = text;

        //Delete all bookmarkEnd node, until the same ID
        deleteElement(next.GetFirstChild<Text>().Parent, next.GetFirstChild<Text>().NextSibling(), val, true);
    }

Après cela, j'appelle:

Public static bool deleteElement(OpenXmlElement parentElement, OpenXmlElement elem, string id, bool seekParent)
{
    bool found = false;

    //Loop until I find BookmarkEnd or null element
    while (!found && elem != null && (!(elem is BookmarkEnd) || (((BookmarkEnd)elem).Id.Value != id)))
    {
        if (elem.ChildElements != null && elem.ChildElements.Count > 0)
        {
            found = deleteElement(elem, elem.FirstChild, id, false);
        }

        if (!found)
        {
            OpenXmlElement nextElem = elem.NextSibling();
            elem.Remove();
            elem = nextElem;
        }
    }

    if (!found)
    {
        if (elem == null)
        {
            if (!(parentElement is Body) && seekParent)
            {
                //Try to find bookmarkEnd in Sibling nodes
                found = deleteElement(parentElement.Parent, parentElement.NextSibling(), id, true);
            }
        }
        else
        {
            if (elem is BookmarkEnd && ((BookmarkEnd)elem).Id.Value == id)
            {
                found = true;
            }
        }
    }

    return found;
}

Ce code fonctionne bien si vous n'avez pas de signets vides. J'espère que cela peut aider quelqu'un.

4
gorgonzola

J'ai pris le code de la réponse et j'ai eu plusieurs problèmes avec celui-ci pour des cas exceptionnels:

  1. Vous voudrez peut-être ignorer les signets masqués. Les signets sont masqués si le nom commence par un _ (trait de soulignement)
  2. Si le signet concerne un autre TableCell, vous le trouverez dans le BookmarkStart dans la première Cellule de la ligne avec la propriété ColumnFirst faisant référence à l'index de colonne basé sur 0 de la cellule où le signet commence. ColumnLast fait référence à la cellule où se termine le signet, pour mon cas particulier, il s'agissait toujours de ColumnFirst == ColumnLast (les signets ne marquaient qu'une seule colonne). Dans ce cas, vous ne trouverez pas non plus de BookmarkEnd.
  3. Les signets peuvent être vides, donc un BookmarkStart suit directement un BookmarkEnd, dans ce cas vous pouvez simplement appeler bookmarkStart.Parent.InsertAfter(new Run(new Text("Hello World")), bookmarkStart)
  4. De plus, un signet peut contenir de nombreux éléments de texte, vous pouvez donc souhaiter supprimer tous les autres éléments, sinon des parties du signet pourraient être remplacées, tandis que les autres parties suivantes resteront.
  5. Et je ne sais pas si mon dernier hack est nécessaire, car je ne connais pas toutes les limitations d'OpenXML, mais après avoir découvert les 4 précédents, je n'avais plus confiance non plus qu'il y aurait un frère de Run, avec un enfant de Text. Donc, à la place, je regarde tous mes frères et sœurs (jusqu'à BookmarEnd qui a le même ID que BookmarkStart) et vérifie tous les enfants jusqu'à ce que je trouve du texte. - Peut-être que quelqu'un avec plus d'expérience avec OpenXML peut répondre si c'est nécessaire?

Vous pouvez voir ma mise en œuvre spécifique ici )

J'espère que cela aidera certains d'entre vous qui ont connu les mêmes problèmes.

3
peter

La plupart des solutions ici supposent un modèle de signet régulier commençant avant et se terminant après les exécutions, ce qui n'est pas toujours vrai, par exemple. si le signet commence dans un para ou une table et se termine quelque part dans un autre para (comme d'autres l'ont noté). Que diriez-vous d'utiliser l'ordre des documents pour faire face au cas où les signets ne sont pas placés dans une structure régulière - l'ordre des documents trouvera toujours tous les nœuds de texte pertinents entre lesquels peuvent ensuite être remplacés. Il suffit de faire root.DescendantNodes (). Where (xtext ou bookmarkstart ou bookmark end) qui traversera dans l'ordre du document, alors on peut remplacer les nœuds de texte qui apparaissent après avoir vu un nœud de début de signet mais avant de voir un nœud de fin.

2
Sanorita Rm

Voici comment je le fais et VB pour ajouter/remplacer du texte entre bookmarkStart et BookmarkEnd.

<w:bookmarkStart w:name="forbund_kort" w:id="0" /> 
        - <w:r>
          <w:t>forbund_kort</w:t> 
          </w:r>
<w:bookmarkEnd w:id="0" />


Imports DocumentFormat.OpenXml.Packaging
Imports DocumentFormat.OpenXml.Wordprocessing

    Public Class PPWordDocx

        Public Sub ChangeBookmarks(ByVal path As String)
            Try
                Dim doc As WordprocessingDocument = WordprocessingDocument.Open(path, True)
                 'Read the entire document contents using the GetStream method:

                Dim bookmarkMap As IDictionary(Of String, BookmarkStart) = New Dictionary(Of String, BookmarkStart)()
                Dim bs As BookmarkStart
                For Each bs In doc.MainDocumentPart.RootElement.Descendants(Of BookmarkStart)()
                    bookmarkMap(bs.Name) = bs
                Next
                For Each bs In bookmarkMap.Values
                    Dim bsText As DocumentFormat.OpenXml.OpenXmlElement = bs.NextSibling
                    If Not bsText Is Nothing Then
                        If TypeOf bsText Is BookmarkEnd Then
                            'Add Text element after start bookmark
                            bs.Parent.InsertAfter(New Run(New Text(bs.Name)), bs)
                        Else
                            'Change Bookmark Text
                            If TypeOf bsText Is Run Then
                                If bsText.GetFirstChild(Of Text)() Is Nothing Then
                                    bsText.InsertAt(New Text(bs.Name), 0)
                                End If
                                bsText.GetFirstChild(Of Text)().Text = bs.Name
                            End If
                        End If

                    End If
                Next
                doc.MainDocumentPart.RootElement.Save()
                doc.Close()
            Catch ex As Exception
                Throw ex
            End Try
        End Sub

    End Class
1
LSFM

J'avais besoin de remplacer le texte d'un signet (le nom des signets est "Table") par un tableau. Voici ma démarche:

public void ReplaceBookmark( DatasetToTable( ds ) )
{
    MainDocumentPart mainPart = myDoc.MainDocumentPart;
    Body body = mainPart.Document.GetFirstChild<Body>();
    var bookmark = body.Descendants<BookmarkStart>()
                        .Where( o => o.Name == "Table" )
                        .FirstOrDefault();
    var parent = bookmark.Parent; //bookmark's parent element
    if (ds!=null)
    {
        parent.InsertAfterSelf( DatasetToTable( ds ) );
        parent.Remove();
    }
    mainPart.Document.Save();
}


public Table DatasetToTable( DataSet ds )
{
    Table table = new Table();
    //creating table;
    return table;
}

J'espère que cela t'aides

1
Gogutz

Voici comment je le fais dans VB.NET:

For Each curBookMark In contractBookMarkStarts

      ''# Get the "Run" immediately following the bookmark and then
      ''# get the Run's "Text" field
      runAfterBookmark = curBookMark.NextSibling(Of Wordprocessing.Run)()
      textInRun = runAfterBookmark.LastChild

      ''# Decode the bookmark to a contract attribute
      lines = DecodeContractDataToContractDocFields(curBookMark.Name, curContract).Split(vbCrLf)

      ''# If there are multiple lines returned then some work needs to be done to create
      ''# the necessary Run/Text fields to hold lines 2 thru n.  If just one line then set the
      ''# Text field to the attribute from the contract
      For ptr = 0 To lines.Count - 1
          line = lines(ptr)
          If ptr = 0 Then
              textInRun.Text = line.Trim()
          Else
              ''# Add a <br> run/text component then add next line
              newRunForLf = New Run(runAfterBookmark.OuterXml)
              newRunForLf.LastChild.Remove()
              newBreak = New Break()
              newRunForLf.Append(newBreak)

              newRunForText = New Run(runAfterBookmark.OuterXml)
              DirectCast(newRunForText.LastChild, Text).Text = line.Trim

              curBookMark.Parent.Append(newRunForLf)
              curBookMark.Parent.Append(newRunForText)
          End If
      Next
Next
0
Stephen Study

Voici ce que j'ai obtenu - pas parfait à 100% mais fonctionne pour de simples signets et du texte simple à insérer:

private void FillBookmarksUsingOpenXml(string sourceDoc, string destDoc, Dictionary<string, string> bookmarkData)
    {
        string wordmlNamespace = "http://schemas.openxmlformats.org/wordprocessingml/2006/main";
        // Make a copy of the template file.
        File.Copy(sourceDoc, destDoc, true);

        //Open the document as an Open XML package and extract the main document part.
        using (WordprocessingDocument wordPackage = WordprocessingDocument.Open(destDoc, true))
        {
            MainDocumentPart part = wordPackage.MainDocumentPart;

            //Setup the namespace manager so you can perform XPath queries 
            //to search for bookmarks in the part.
            NameTable nt = new NameTable();
            XmlNamespaceManager nsManager = new XmlNamespaceManager(nt);
            nsManager.AddNamespace("w", wordmlNamespace);

            //Load the part's XML into an XmlDocument instance.
            XmlDocument xmlDoc = new XmlDocument(nt);
            xmlDoc.Load(part.GetStream());

            //Iterate through the bookmarks.
            foreach (KeyValuePair<string, string> bookmarkDataVal in bookmarkData)
            {
                var bookmarks = from bm in part.Document.Body.Descendants<BookmarkStart>()
                          select bm;

                foreach (var bookmark in bookmarks)
                {
                    if (bookmark.Name == bookmarkDataVal.Key)
                    {
                        Run bookmarkText = bookmark.NextSibling<Run>();
                        if (bookmarkText != null)  // if the bookmark has text replace it
                        {
                            bookmarkText.GetFirstChild<Text>().Text = bookmarkDataVal.Value;
                        }
                        else  // otherwise append new text immediately after it
                        {
                            var parent = bookmark.Parent;   // bookmark's parent element

                            Text text = new Text(bookmarkDataVal.Value);
                            Run run = new Run(new RunProperties());
                            run.Append(text);
                            // insert after bookmark parent
                            parent.Append(run);
                        }

                        //bk.Remove();    // we don't want the bookmark anymore
                    }
                }
            }

            //Write the changes back to the document part.
            xmlDoc.Save(wordPackage.MainDocumentPart.GetStream(FileMode.Create));
        }
    }
0
Lance

La réponse acceptée et certaines des autres émettent des hypothèses sur l'emplacement des signets dans la structure du document. Voici mon code C #, qui peut traiter le remplacement des signets qui s'étendent sur plusieurs paragraphes et remplacent correctement les signets qui ne commencent et ne se terminent pas aux limites des paragraphes. Toujours pas parfait, mais plus proche ... j'espère que c'est utile. Modifiez-le si vous trouvez d'autres moyens de l'améliorer!

    private static void ReplaceBookmarkParagraphs(MainDocumentPart doc, string bookmark, IEnumerable<OpenXmlElement> paras) {
        var start = doc.Document.Descendants<BookmarkStart>().Where(x => x.Name == bookmark).First();
        var end = doc.Document.Descendants<BookmarkEnd>().Where(x => x.Id.Value == start.Id.Value).First();
        OpenXmlElement current = start;
        var done = false;

        while ( !done && current != null ) {
            OpenXmlElement next;
            next = current.NextSibling();

            if ( next == null ) {
                var parentNext = current.Parent.NextSibling();
                while ( !parentNext.HasChildren ) {
                    var toRemove = parentNext;
                    parentNext = parentNext.NextSibling();
                    toRemove.Remove();
                }
                next = current.Parent.NextSibling().FirstChild;

                current.Parent.Remove();
            }

            if ( next is BookmarkEnd ) {
                BookmarkEnd maybeEnd = (BookmarkEnd)next;
                if ( maybeEnd.Id.Value == start.Id.Value ) {
                    done = true;
                }
            }
            if ( current != start ) {
                current.Remove();
            }

            current = next;
        }

        foreach ( var p in paras ) {
            end.Parent.InsertBeforeSelf(p);
        }
    }
0
Dan Fitch