3

実行時に '\r\n' を含むテキストを Word 文書に追加しています。しかし、ドキュメントという単語を見ると、それらは小さな四角いボックスに置き換えられます:-(

それらを置き換えてみましたSystem.Environment.NewLineが、それでもこれらの小さなボックスが表示されます。

何か案が?

4

4 に答える 4

8

答えは使用することです\v-それは段落の区切りです。

于 2010-12-22T22:48:36.117 に答える
4

どちらか一方を単独で試したことがありませんか。つまり\r\nWordがキャリッジリターンとラインフィードをそれぞれ解釈するためです。Environment.Newlineを使用するのは、純粋なASCIIテキストファイルのみです。Wordはそれらの文字を異なる方法で処理します!または、Ctrl+Mシーケンスですら。それを試してみて、うまくいかない場合は、コードを投稿してください。

于 2009-12-21T14:00:58.883 に答える
0

Word では、<w:br/>改行に XML 要素を使用します。

于 2014-12-18T06:39:44.067 に答える
0

多くの試行錯誤の後、Word XML ノードのテキストを設定し、複数行を処理する関数を次に示します。

//Sets the text for a Word XML <w:t> node
//If the text is multi-line, it replaces the single <w:t> node for multiple nodes
//Resulting in multiple Word XML lines
private static void SetWordXmlNodeText(XmlDocument xmlDocument, XmlNode node, string newText)
{

    //Is the text a single line or multiple lines?>
    if (newText.Contains(System.Environment.NewLine))
    {
        //The new text is a multi-line string, split it to individual lines
        var lines = newText.Split("\n\r".ToCharArray(), StringSplitOptions.RemoveEmptyEntries);


        //And add XML nodes for each line so that Word XML will accept the new lines
        var xmlBuilder = new StringBuilder();
        for (int count = 0; count < lines.Length; count++)
        {
            //Ensure the "w" prefix is set correctly, otherwise docFrag.InnerXml will fail with exception
            xmlBuilder.Append("<w:t xmlns:w=\"http://schemas.microsoft.com/office/word/2003/wordml\">");
            xmlBuilder.Append(lines[count]);
            xmlBuilder.Append("</w:t>");

            //Not the last line? add line break
            if (count != lines.Length - 1)
            {
                xmlBuilder.Append("<w:br xmlns:w=\"http://schemas.microsoft.com/office/word/2003/wordml\" />");
            }
        }

        //Create the XML fragment with the new multiline structure
        var docFrag = xmlDocument.CreateDocumentFragment();
        docFrag.InnerXml = xmlBuilder.ToString();
        node.ParentNode.AppendChild(docFrag);

        //Remove the single line child node that was originally holding the single line text, only required if there was a node there to start with
        node.ParentNode.RemoveChild(node);
    }
    else
    {
        //Text is not multi-line, let the existing node have the text
        node.InnerText = newText;
    }
}
于 2015-01-16T12:30:38.030 に答える