Introduction
OpenXML is a new standard used by all of Microsoft's new Office suites (Office 2007)! Because it is an open standard and based on XML, we can easily parse documents created with these products. The topic of this article will be how to parse a Word document (using XLINQ) and then render the document in a WPF control called the FlowDocument
!
Parsing an OpenXML Document using XLINQ
The first problem is to extract or unpack the *.docx file into its containing *.xml files.
Package package = Package.Open(filename);
Uri documentUri = new Uri("/word/document.xml", UriKind.Relative);
PackagePart documentPart = package.GetPart(documentUri);
XElement wordDoc = XElement.Load(new StreamReader(documentPart.GetStream()));
The snippet above opens a Word document, extracts the document.xml into an XElement
.
Using XLINQ to Get All the Paragraphs
All Word documents require the WordML namespace
:
XNamespace w = http:;
Now we can make a simple XLINQ query to get all the paragraphs (please note: to keep this simple, I am only looking at the paragraphs
, I ignore images, drawings, tables, etc.).
var paragraphs = from p in wordDoc.Descendants(w + "p")
select p;
Next, we iterate over the collection of paragraphs
and display them in a FlowDocument
!
FlowDocument
Sacha has a nice article on the basics of FlowDocument
s available here!
foreach (var p in paragraphs)
{
var style = from s in p.Descendants(w + "pPr")
select s;
var font = (from f in style.Descendants(w + "rFonts")
select f.FirstAttribute).FirstOrDefault();
var size = (from s in style.Descendants(w + "sz")
select s.FirstAttribute).FirstOrDefault();
Paragraph par = new Paragraph();
Run r = new Run(p.Value);
if (font != null)
{
FontFamilyConverter converter = new FontFamilyConverter();
r.FontFamily = (FontFamily)converter.ConvertFrom(font.Value);
}
if (size != null)
{
r.FontSize = double.Parse(size.Value);
}
par.Inlines.Add(r);
flowDoc.Blocks.Add(par);
}
For each paragraph
, I check if it has a font family
or size
explicitly set. I then create a new Paragraph
and add a Run
to its Inlines
collection (I also change the font family
and size
if available). I then add the Paragraph
to my FlowDocument
!
And that is it!
All that is left now is to find a cool way to extend the normal FlowDocument
to support Word document? You can sub-class the FlowDocument
... I decided to rather provide it as an extension method!
To load a Word document into a flow document, you first create a FlowDocumentViewer
(I created it in XAML):
<FlowDocumentPageViewer x:Name="flowDocViewer" Zoom="80" />
And load the Word document...
FlowDocument flowDoc = new FlowDocument();
flowDoc.loadWordML("DisciplesBios.docx");
flowDocViewer.Document = flowDoc;
I created a simple Word document with all the WPF Disciples bios. Here is how it looks in a FlowDocument
:
Simple and easy...
If you like the article, please vote for it and also visit my blog: http://dotnet.org.za/rudi
History
- 9th April, 2008: Initial post