Como atualizo todos os campos em um documento do Word?

88

Eu quero uma maneira de atualizar os campos all em um documento do Word 2013. (Se funciona em outras versões, melhor ainda; originalmente tive esse problema com o Word 2007 e nada parece ter mudado desde então.) Isso inclui referências cruzadas, números de página, índices, índices, cabeçalhos etc. Se puder ser atualizado pressionando F9 , quero atualizá-lo.

(Em teoria, campos de atualização podem fazer com que outros campos precisem de atualização, por exemplo, um índice mais longo altera alguns números de página no texto principal. Cuidar dos casos comuns é bom o suficiente para mim. Na verdade, tudo bem se eu tem que executar a macro duas ou três vezes antes de estabilizar.Eu só quero ter uma macro única que encontra tudo.

Minha tentativa até agora não atualiza campos em caixas de texto dentro de figuras. Como faço para atualizá-los e o que mais eu perdi?

EDIT : Combinando a resposta dada com o que eu já tive, dá uma macro que parece atualizar tudo (com um defeito conhecido ).

'' Update all the fields, indexes, etc. in the specified document.
Sub UpdateAllFieldsIn(doc As Document)
    '' Update tables. We do this first so that they contain all necessary
    '' entries and so extend to their final number of pages.
    Dim toc As TableOfContents
    For Each toc In doc.TablesOfContents
        toc.Update
    Next toc
    Dim tof As TableOfFigures
    For Each tof In doc.TablesOfFigures
        tof.Update
    Next tof
    '' Update fields everywhere. This includes updates of page numbers in
    '' tables (but would not add or remove entries). This also takes care of
    '' all index updates.
    Dim sr As range
    For Each sr In doc.StoryRanges
        sr.Fields.Update
        While Not (sr.NextStoryRange Is Nothing)
            Set sr = sr.NextStoryRange
            '' FIXME: for footnotes, endnotes and comments, I get a pop-up
            '' "Word cannot undo this action. Do you want to continue?"
            sr.Fields.Update
        Wend
    Next sr
End Sub
'' Update all the fields, indexes, etc. in the active document.
'' This is a parameterless subroutine so that it can be used interactively.
Sub UpdateAllFields()
    UpdateAllFieldsIn ActiveDocument
End Sub
    
por Gilles 06.10.2010 / 22:29

6 respostas

32

Entre nas configurações de impressão, selecione campos de atualização. Em seguida, imprima ou pré-visualize seu documento.

Et voilà, todos os campos são atualizados!

    
por 15.09.2015 / 15:27
78

Eu só faço Ctrl + A - para selecionar tudo - e então F9 para atualizar o lote.

Embora isso perca cabeçalhos e rodapés, mas eles são atualizados quando você imprime / imprime o preview do IIRC.

Atualizar

Eu encontrei a macro a seguir. Em um teste rápido, ele atualizou índices, campos dentro de parágrafos, campos dentro do cabeçalho e rodapé e campos dentro de uma figura de caixa de texto flutuante.

Espero que isso cubra tudo o que você precisa, se não, por favor, indique o que ainda não está atualizando.

Source: http://www.gmayor.com/installing_macro.htm

Sub UpdateAll()
    Dim oStory As Range
    For Each oStory In ActiveDocument.StoryRanges
        oStory.Fields.Update
        If oStory.StoryType <> wdMainTextStory Then
            While Not (oStory.NextStoryRange Is Nothing)
                Set oStory = oStory.NextStoryRange
                oStory.Fields.Update
            Wend
        End If
    Next oStory
    Set oStory = Nothing
End Sub
    
por 06.10.2010 / 23:07
5

Esta página parece interessante:

If you are using Word 2007, the process is a bit different: Click the Office button and then click Word Options. Word displays the Word Options dialog box. Click on Advanced at the left side of the dialog box. (Click here to see a related figure.) In the General area (scroll down a bit to see it), make sure the Update Automatic Links at Open check box is selected. Click on OK. That setting should make sure that all your links are always up to date. If you want to update the fields when the document is opened, you'll need to use a macro to accomplish the task. Specifically, you'll need to use either an AutoOpen or AutoClose macro, depending on whether you want to update the fields when the document opens or closes. The following is an example of an AutoOpen macro you can use.

Sub AutoOpen()
    With Options
        .UpdateFieldsAtPrint = True
        .UpdateLinksAtPrint = True
    End With
    ActiveDocument.Fields.Update
End Sub

Note that the macro makes sure that the options are set to force updating the fields and links when printing occurs, then it updates all the members of the Fields collection in the document. If you, instead, wanted to update the fields at closing, you could use this macro:

Sub AutoClose()
    ActiveDocument.Fields.Update
End Sub

This macro is much shorter because there is no need to set the update-on-print options when you are exiting the document.exiting the document.

    
por 07.10.2010 / 04:18
3

Se você quiser atualizar corretamente todos os cabeçalhos e rodapés, isso funcionou para mim:

    Dim oStory As Range
    Dim oSection As Object
    Dim oHeader As Object
    Dim oFooter As Object

    For Each oStory In ActiveDocument.StoryRanges
        oStory.Fields.Update
    Next oStory

        For Each oSection In ActiveDocument.Sections
             For Each oHeader In oSection.Headers
                 oHeader.Range.Fields.Update
             Next oHeader

             For Each oFooter In oSection.Footers
                 oFooter.Range.Fields.Update
             Next oFooter
        Next oSection
    
por 18.02.2015 / 20:32
2

Word 2010:

Clique com o botão direito na faixa de opções, personalize a faixa de opções, escolha o comando "todos os comandos" pesquise por "update" e adicione-o onde quiser.

Este botão atualiza apenas os campos selecionados.
Então, para atualizar todos os campos, pressione Ctrl + A e então este botão.

    
por 18.07.2013 / 21:24
2

Para C #:

using System;
using System.Collections.Generic;
using System.IO;
using Microsoft.Office.Interop.Word;

class Program
{
    static void Main(string[] args)
    {
        List<string> path = new List<string>(args);

        string filePathstr = string.Join(" ", path.ToArray());
        //System.Windows.Forms.MessageBox.Show("filepathstr: " + filePathstr);

        string folderPathstr = Path.GetDirectoryName(filePathstr);
        //System.Windows.Forms.MessageBox.Show("folderPathstr: " + folderPathstr);

        try
        {
            Application ap = new Application();
            Document document = ap.Documents.Open(filePathstr);
            document.Fields.Update();

            foreach (Section section in document.Sections)
            {
                document.Fields.Update();  // update each section

                HeadersFooters headers = section.Headers;  //Get all headers
                foreach (HeaderFooter header in headers)
                {
                    Fields fields = header.Range.Fields;
                    foreach (Field field in fields)
                    {
                        field.Update();  // update all fields in headers
                    }
                }

                HeadersFooters footers = section.Footers;  //Get all footers
                foreach (HeaderFooter footer in footers)
                {
                    Fields fields = footer.Range.Fields;
                    foreach (Field field in fields)
                    {
                        field.Update();  //update all fields in footers
                    }
                }
            }    

            document.Save();
            document.Close();

        }
        catch (NullReferenceException)
        {
            System.Windows.Forms.MessageBox.Show("A valid file was not selected.");
        }
    }
}
    
por 15.06.2016 / 22:59