Click here to Skip to main content
15,886,625 members
Articles / Programming Languages / C#
Article

Using DocxToText to Extract Text from DOCX Files

Rate me:
Please Sign up or sign in to vote.
4.79/5 (36 votes)
17 Sep 2007CPOL2 min read 242.3K   11.9K   83   45
This article explains how to extract text from DOCX files without Microsoft Office libraries.
DocxToText demo application

Introduction

At last, Microsoft has turned to XML-based format for storing document content. At the same time, it created a small problem for developers who need to index and search in Microsoft Word *.docx files. It's not a problem on a computer with Microsoft Office 2007 installed, but what is there to do if your application works on a server without Office and still needs to get text from Word files? Well, there are three options:

  • Install Microsoft Office 2007 and use its DLLs.
  • Use some third party libraries like "Office Open XML C# Library."
  • Write your own code.

In fact, there is another option: use the DocxToText class described below.

DocxToText Class

This class performs only one function: it extracts text from a given *.docx file. However, before we dig into the code, I'll remind you that a Microsoft Word *.docx file is an Open XML document combining texts, styles, graphics and so on into a single ZIP archive. Therefore we have to "unpack" the *.docx file to get to its guts. If you work with .NET Framework 3.0, you can use the Package class in the System.IO.Packaging namespace. However, working with .NET Framework 2.0, I used the open-source ZIP library SharpZipLib.

If you rename your *.docx file to *.zip and open it in your archiver, you will see a list of packed files like this:

Screenshot - screenshot2.png

First of all, we have to read the [Content_Types].xml file and find the location of the document.xml file. Usually, Microsoft hides it in the /word sub-directory, but it can be anywhere if the file was not created by Microsoft Word. Then we have to parse the document.xml file and extract text from it. A ReadNode() method does all the dirty work: it pulls out text strings, paragraphs, tabs and carriage returns, and concatenates it into final text.

Full text of the DocxToText class:

C#
public class DocxToText
{
    private const string ContentTypeNamespace =
        @"http://schemas.openxmlformats.org/package/2006/content-types";

    private const string WordprocessingMlNamespace =
        @"http://schemas.openxmlformats.org/wordprocessingml/2006/main";

    private const string DocumentXmlXPath =
        "/t:Types/t:Override[@ContentType="" +
        "application/vnd.openxmlformats-officedocument." +
        "wordprocessingml.document.main+xml\"]";

    private const string BodyXPath = "/w:document/w:body";

    private string docxFile = "";
    private string docxFileLocation = "";

    public DocxToText(string fileName)
    {
        docxFile = fileName;
    }

    #region ExtractText()
    /// 
    /// Extracts text from the Docx file.
    /// 
    /// Extracted text.
    public string ExtractText()
    {
        if (string.IsNullOrEmpty(docxFile))
            throw new Exception("Input file not specified.");

        // Usually it is "/word/document.xml"

        docxFileLocation = FindDocumentXmlLocation();

        if (string.IsNullOrEmpty(docxFileLocation))
            throw new Exception("It is not a valid Docx file.");

        return ReadDocumentXml();
    }
    #endregion

    #region FindDocumentXmlLocation()
    /// 
    /// Gets location of the "document.xml" zip entry.
    /// 
    /// Location of the "document.xml".
    private string FindDocumentXmlLocation()
    {
        ZipFile zip = new ZipFile(docxFile);
        foreach (ZipEntry entry in zip)
        {
            // Find "[Content_Types].xml" zip entry

            if (string.Compare(entry.Name, "[Content_Types].xml", true) == 0)
            {
                Stream contentTypes = zip.GetInputStream(entry);

                XmlDocument xmlDoc = new XmlDocument();
                xmlDoc.PreserveWhitespace = true;
                xmlDoc.Load(contentTypes);
                contentTypes.Close();

                //Create an XmlNamespaceManager for resolving namespaces

                XmlNamespaceManager nsmgr = 
                    new XmlNamespaceManager(xmlDoc.NameTable);
                nsmgr.AddNamespace("t", ContentTypeNamespace);

                // Find location of "document.xml"

                XmlNode node = xmlDoc.DocumentElement.SelectSingleNode(
                    DocumentXmlXPath, nsmgr);

                if (node != null)
                {
                    string location = 
                        ((XmlElement) node).GetAttribute("PartName");
                    return location.TrimStart(new char[] {'/'});
                }
                break;
            }
        }
        zip.Close();
        return null;
    }
    #endregion

    #region ReadDocumentXml()
    /// 
    /// Reads "document.xml" zip entry.
    /// 
    /// Text containing in the document.
    private string ReadDocumentXml()
    {
        StringBuilder sb = new StringBuilder();

        ZipFile zip = new ZipFile(docxFile);
        foreach (ZipEntry entry in zip)
        {
            if (string.Compare(entry.Name, docxFileLocation, true) == 0)
            {
                Stream documentXml = zip.GetInputStream(entry);

                XmlDocument xmlDoc = new XmlDocument();
                xmlDoc.PreserveWhitespace = true;
                xmlDoc.Load(documentXml);
                documentXml.Close();

                XmlNamespaceManager nsmgr = 
                    new XmlNamespaceManager(xmlDoc.NameTable);
                nsmgr.AddNamespace("w", WordprocessingMlNamespace);

                XmlNode node = 
                    xmlDoc.DocumentElement.SelectSingleNode(BodyXPath,nsmgr);

                if (node == null)
                    return string.Empty;

                sb.Append(ReadNode(node));

                break;
            }
        }
        zip.Close();
        return sb.ToString();
    }
    #endregion

    #region ReadNode()
    /// 
    /// Reads content of the node and its nested childs.
    /// 
    /// XmlNode.
    /// Text containing in the node.
    private string ReadNode(XmlNode node)
    {
        if (node == null || node.NodeType != XmlNodeType.Element)
            return string.Empty;

        StringBuilder sb = new StringBuilder();
        foreach (XmlNode child in node.ChildNodes)
        {
            if (child.NodeType != XmlNodeType.Element) continue;

            switch (child.LocalName)
            {
                case "t":                           // Text
                    sb.Append(child.InnerText.TrimEnd());

                    string space = 
                        ((XmlElement)child).GetAttribute("xml:space");
                    if (!string.IsNullOrEmpty(space) && 
                        space == "preserve")
                        sb.Append(' ');

                    break;

                case "cr":                          // Carriage return
                case "br":                          // Page break
                    sb.Append(Environment.NewLine);
                    break;

                case "tab":                         // Tab
                    sb.Append("\t");
                    break;

                case "p":                           // Paragraph
                    sb.Append(ReadNode(child));
                    sb.Append(Environment.NewLine);
                    sb.Append(Environment.NewLine);
                    break;

                default:
                    sb.Append(ReadNode(child));
                    break;
            }
        }
        return sb.ToString();
    }
    #endregion
}

To extract text from a *.docx file using the DocxToText class, you need a few lines of code:

C#
DocxToText dtt = new DocxToText(docxFileName);
string text = dtt.ExtractText();

Conclusion

The class is a bit primitive, but it performs its main function: to just extract text. It was quite enough to implement indexing and full-text search in *.docx files in my document storage and management system Heliocode Doc@Hand. The class does not extract page headers and footers; it does not process numbering and custom XML; similarly, it knows nothing about the data binding used in documents. If you improve the class, I'll be glad to hear about it.

History

September 17, 2007 - Initial release

License

This article, along with any associated source code and files, is licensed under The Code Project Open License (CPOL)


Written By
Latvia Latvia
Jevgenij lives in Riga, Latvia. He started his programmer's career in 1983 developing software for radio equipment CAD systems. Created computer graphics for TV. Developed Internet credit card processing systems for banks.
Now he is System Analyst in Accenture.

Comments and Discussions

 
GeneralRe: How to Close the input file? Pin
kavidha31-Oct-10 15:40
kavidha31-Oct-10 15:40 
QuestionWhat should I do for huge .docx document (for ex: 100mb file) Pin
Özgür Çivi17-Mar-10 2:31
Özgür Çivi17-Mar-10 2:31 
GeneralGood stuff Pin
eslsys17-Feb-10 6:06
professionaleslsys17-Feb-10 6:06 
GeneralRe: Good stuff Pin
Jevgenij Pankov17-Feb-10 6:27
Jevgenij Pankov17-Feb-10 6:27 
Generalyou saved us a lot of work Pin
dmihailescu1-Dec-09 10:23
dmihailescu1-Dec-09 10:23 
Questionhow about word(2000-2003) document Pin
satyamdelhi7-Aug-09 2:21
satyamdelhi7-Aug-09 2:21 
AnswerRe: how about word(2000-2003) document Pin
Jevgenij Pankov7-Aug-09 6:14
Jevgenij Pankov7-Aug-09 6:14 
GeneralRe: how about word(2000-2003) document Pin
satyamdelhi7-Aug-09 6:26
satyamdelhi7-Aug-09 6:26 
we don't want to use Word Interop....
Is there any other way?..... My requirement is to extract word formated content like job portal....
GeneralRe: how about word(2000-2003) document Pin
Jevgenij Pankov8-Aug-09 6:58
Jevgenij Pankov8-Aug-09 6:58 
GeneralRe: how about word(2000-2003) document Pin
kirkaiya22-Dec-10 20:40
kirkaiya22-Dec-10 20:40 
GeneralRe: how about word(2000-2003) document Pin
Mario Z8-Sep-13 23:18
professionalMario Z8-Sep-13 23:18 
Questionhow about parsing xlsx etc? Pin
Martin Welker22-Jul-09 5:29
Martin Welker22-Jul-09 5:29 
GeneralThank You Pin
Renanrs26-Mar-09 11:03
Renanrs26-Mar-09 11:03 
GeneralLiels paldies! Pin
a kachanoff28-Dec-08 19:54
a kachanoff28-Dec-08 19:54 
Questionhow about images? Pin
Huisheng Chen25-Sep-08 20:21
Huisheng Chen25-Sep-08 20:21 
GeneralThank you very much! Pin
soxos114-Jul-08 12:26
soxos114-Jul-08 12:26 
GeneralThank you Pin
rippo15-Oct-07 1:11
rippo15-Oct-07 1:11 
GeneralSpecial thanks.. Pin
Pietro_SVK30-Sep-07 10:31
Pietro_SVK30-Sep-07 10:31 
GeneralGreat! Pin
Uwe Keim17-Sep-07 19:37
sitebuilderUwe Keim17-Sep-07 19:37 
GeneralRe: Great! Pin
Jevgenij Pankov17-Sep-07 23:57
Jevgenij Pankov17-Sep-07 23:57 

General General    News News    Suggestion Suggestion    Question Question    Bug Bug    Answer Answer    Joke Joke    Praise Praise    Rant Rant    Admin Admin   

Use Ctrl+Left/Right to switch messages, Ctrl+Up/Down to switch threads, Ctrl+Shift+Left/Right to switch pages.