16

我正在尝试将 XDocument 的默认缩进从 2 更改为 3,但我不太确定如何进行。如何才能做到这一点?

我熟悉XmlTextWriter并使用过这样的代码:

using System.Xml;

namespace ConsoleApp
{
    class Program
    {
        static void Main(string[] args)
        {
            string destinationFile = "C:\myPath\results.xml";
            XmlTextWriter writer = new XmlTextWriter(destinationFile, null);
            writer.Indentation = 3;
            writer.WriteStartDocument();

            // Add elements, etc

            writer.WriteEndDocument();
            writer.Close();
        }
    }
}

对于我使用的另一个项目,XDocument因为它对我的实现效果更好,类似于:

using System;
using System.Collections.Generic;
using System.Xml.Linq;
using System.Xml;
using System.Text;

namespace ConsoleApp
{
    class Program
    {
        static void Main(string[] args)
        {
            // Source file has indentation of 3
            string sourceFile = @"C:\myPath\source.xml";
            string destinationFile = @"C:\myPath\results.xml";

            List<XElement> devices = new List<XElement>();

            XDocument template = XDocument.Load(sourceFile);        

            // Add elements, etc

            template.Save(destinationFile);
        }
    }
}
4

1 回答 1

22

正如@John Saunders 和@sa_ddam213 指出的那样,new XmlWriter它已被弃用,因此我深入挖掘并学习了如何使用 XmlWriterSettings 更改缩进。using我从@sa_ddam213 得到的声明想法。

我替换template.Save(destinationFile);为以下内容:

XmlWriterSettings settings = new XmlWriterSettings();
settings.Indent = true;
settings.IndentChars = "   ";  // Indent 3 Spaces

using (XmlWriter writer = XmlTextWriter.Create(destinationFile, settings))
{                    
    template.Save(writer);
}

这给了我需要的 3 个空格缩进。如果需要更多空格,只需将它们添加到IndentChars"\t"可用于制表符。

于 2013-08-29T05:23:35.147 回答