gpt4 book ai didi

python - 使用 Python 接受 MS Word 文档中的所有更改

转载 作者:太空狗 更新时间:2023-10-30 01:05:06 25 4
gpt4 key购买 nike

我希望能够接受来自 Python 的 MS Word (.docx) 文档的所有更改,最好使用 python-docx 模块。

我知道如何在 Perl 中进行操作(请参阅下文以供引用),但希望在我的 Python 程序中使用 native 代码来执行相同的操作。想法

有什么想法吗?

use strict;
use Win32::OLE qw(in with valof OVERLOAD);
use Win32::OLE::Const 'Microsoft.Word'; # wd constants
use Win32::OLE::Variant;
$Win32::OLE::Warn = 3;

my $true = Variant(VT_BOOL, 1);
my $false = Variant(VT_BOOL, 0);

use File::Spec;
use File::Basename;

## Original & New File
my $DocFile = &transform_path($ARGV[0]);
my $NewFile = ($ARGV[1] ? &transform_path($ARGV[1]) : $DocFile);

[ -e $DocFile ] || die "*** Cannot open '$DocFile'\n";

### Transform path
sub transform_path {
my $path = shift;

if ( ! File::Spec->file_name_is_absolute($path) ) {
my $abs = File::Spec->rel2abs($path);
$path = $abs;
}
else {
$path=~s%/+%\\%g;
}
return $path;
}


## Autoflush
$| = 1;
### opening file: try with "new" function, otherwise use "GetActiveObject"
my $Word;
eval {
$Word = Win32::OLE->GetActiveObject('Word.Application') || Win32::OLE->new('Word.Application', 'Quit');
};
if ($@) {
print "Please open MS Word manually before continuing\n";
print "...Press ENTER to continue...\n";
<STDIN>;
$Word = Win32::OLE->GetActiveObject('Word.Application','Quit');
}
print "Opening '$DocFile'\n";
my $document = $Word->Documents->Open({FileName =>$DocFile, ConfirmConversions => 0});
die "Cannot open '$DocFile'\n" unless defined $document;
$document->Activate();
$Word->ActiveWindow->ActivePane->View->{Type} = wdPrintView;

### Accept all changes
print("Accepting all changes\n");
$Word->ActiveDocument->{TrackRevisions} = $false;
$Word->WordBasic->AcceptAllChangesInDoc();

### Save and Close
if ($NewFile eq $DocFile) {
$document->Save();
$document->Close();
} else {
$document->SaveAs($NewFile);
$document->Close(wdDoNotSaveChanges);
}
print "Saving in '$NewFile'\n"

## END ##

最佳答案

此函数可以在接受给定段落的更改后检索文本(请参阅 https://stackoverflow.com/a/56933021/1603480):

from docx import Document

try:
from xml.etree.cElementTree import XML
except ImportError:
from xml.etree.ElementTree import XML


WORD_NAMESPACE = "{http://schemas.openxmlformats.org/wordprocessingml/2006/main}"
TEXT = WORD_NAMESPACE + "t"


def get_accepted_text(p):
"""Return text of a paragraph after accepting all changes"""
xml = p._p.xml
if "w:del" in xml or "w:ins" in xml:
tree = XML(xml)
runs = (node.text for node in tree.getiterator(TEXT) if node.text)
return "".join(runs)
else:
return p.text


doc = Document("Hello.docx")

for p in doc.paragraphs:
print(get_accepted_text(p))

对于单元格,我们需要对所有段落进行循环:

"\n".join([get_accepted_text(p) for p in cell.paragraphs])"

如果您需要接受整个文档的更改,以下脚本(使用 Pywin32 将 Perl 转录为 Python)可能会有所帮助:

from argparse import ArgumentParser, SUPPRESS, HelpFormatter
import datetime
from glob import glob
import os
import re
import subprocess
import sys
import win32com.client as win32
from win32com.client import constants


def accept_changes(inputs, new_file=None, outdir=None, verbose=True):
"""Accept all changes in a MS Word document"""
# Several files or directory parsed as argument
if isinstance(inputs, list):
for input in inputs:
accept_changes(input, None, outdir, verbose)
return None
elif os.path.isdir(inputs):
for dir, subdirs, files in os.walk (inputs):
for name in files:
path = os.path.join (dir, name).replace ('\\', '/')
if '~$' not in path and re.search(r'\.(docx?|rtf)$', path):
accept_changes(path, None, outdir, verbose)
return None
else:
pass
# Get absolute paths of files
doc_file_abs = os.path.abspath(inputs)
new_file_abs = os.path.abspath(new_file) if new_file else doc_file_abs
new_file_abs = re.sub(r'\.\w+$', '.docx', new_file_abs)
if outdir is not None:
if not os.path.exists(outdir):
os.mkdir(outdir)
path = outdir + '/' + re.sub(r'.*[/\\]', '', new_file_abs)
new_file_abs = os.path.abspath(path)
# Check
if not os.path.isfile(doc_file_abs):
print("ERROR: input file '%s' cannot be found" % doc_file_abs)
return None
# Opening MS Word
word = win32.gencache.EnsureDispatch('Word.Application')
doc = word.Documents.Open(doc_file_abs)
doc.Activate ()
if verbose:
print("File '%s' has been opened" % inputs)


# Accept all changes
if verbose:
print ("Accepting all changes")
word.ActiveDocument.TrackRevisions = False
try:
word.WordBasic.AcceptAllChangesInDoc ()
except TypeError:
pass

# Save and Close
try:
if new_file_abs == doc_file_abs:
word.ActiveDocument.Save()
if verbose:
print("Document '%s' saved" % inputs)
else:
word.ActiveDocument.SaveAs(
new_file_abs, FileFormat=constants.wdFormatXMLDocument
)
if verbose:
print("Document saved to '%s'" % (new_file or new_file_abs))
except Exception as e:
print("ERROR while trying to save '%s': %s" % (new_file_abs, e))
doc.Close(False)

# Return path of updated file
return new_file_abs


def main():
# -Information on the Program-#
copyright_year = 2017
prog = "accept_docx_changes"
version_string = "%s v1.0" % prog
help_string = """\
Purpose: Accept all changes in a MS Word document and save (as docx).
"""

# -Parse options-#
parser = ArgumentParser (
description=help_string, prog=prog,
formatter_class=lambda prog: HelpFormatter (prog, max_help_position=30)
)

# Configuration(s) for Traceability
parser.add_argument (
"inputs", nargs="+",
help="Files we want to accept changes"
)

# Output file
parser.add_argument (
"-o", "--output",
action="store", default=None,
metavar="FILE", help="Name of output file"
)
parser.add_argument (
"-d", "--outdir",
action="store", default=None,
metavar="DIR", help="Name of output direcory"
)

# Open if we have transformed one file
parser.add_argument (
"-p", "--open", action='store_true', default=False,
help="Open Saved file after accepting all changes"
)

# Version
parser.add_argument (
"--version", action='store_true', dest="print_version",
help="print version of %s" % prog
)

# Verbose mode
parser.add_argument (
"-q", "--quiet",
action="store_true", default=False,
help="Hide message of each operation done"
)

# Parsing options
global options
options = parser.parse_args ()

# Let's start
msg = "%s started at %s"
if not options.quiet:
ctime = datetime.datetime.now ().ctime ()
print (msg % (version_string, ctime))

# Let's get into business and do our stuff
output = None if len(options.inputs) > 1 else options.output
verbose = not options.quiet
out = accept_changes(options.inputs, output, options.outdir, verbose)

# And we are done!
msg = "%s finished at %s"
if not options.quiet:
ctime = datetime.datetime.now ().ctime ()
print (msg % (version_string, ctime))

# Let's look at what we did
if out is not None and options.open:
if sys.platform.startswith ('darwin'):
subprocess.call (('open', out))
elif os.name == 'nt':
os.startfile (out)
elif os.name == 'posix':
subprocess.call (('xdg-open', out))

if __name__ == '__main__':
main ()


# -END- #

关于python - 使用 Python 接受 MS Word 文档中的所有更改,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/47666978/

25 4 0
Copyright 2021 - 2024 cfsdn All Rights Reserved 蜀ICP备2022000587号
广告合作:1813099741@qq.com 6ren.com