如何获取XElement内部文本的未转义长度?

时间:2013-10-01 09:09:02

标签: c# linq-to-xml xelement

我尝试解析以下Java资源文件 - 这是一个XML。 我正在使用C#和XDocument工具进行解析,所以这里不是Java问题。

<?xml version="1.0" encoding="utf-8"?>
  <resources>
    <string name="problem">&#160;test&#160;</string>
    <string name="no_problem"> test </string>
  </resources>

问题是XDocument.Load(字符串路径)方法将此加载为具有2个相同XElements的XDocument。

我加载文件。

string filePath = @"c:\res.xml"; // whatever
var xDocument = XDocument.Load(filePath);

当我解析XDocument对象时,问题就在于此。

foreach (var node in xDocument.Root.Nodes())
{
    if (node.NodeType == XmlNodeType.Element)
    {
        var xElement = node as XElement;
        if (xElement != null) // just to be sure
        {
            var elementText = xElement.Value;
            Console.WriteLine("Text = '{0}', Length = {1}", 
                elementText, elementText.Length);
        }
    }
}

这会产生以下两行:

"Text = ' test ', Length = 6" 
"Text = ' test ', Length = 6"

我想获得以下两行:

"Text = ' test ', Length = 6"
"Text = '&#160;test&#160;', Length = 16"

文档编码是UTF8,如果这是相关的。

2 个答案:

答案 0 :(得分:1)

string filePath = @"c:\res.xml"; // whatever
var xDocument = XDocument.Load(filePath);
String one = (xDocument.Root.Nodes().ElementAt(0) as XElement).Value;//< test >
String two = (xDocument.Root.Nodes().ElementAt(1) as XElement).Value;//< test >
Console.WriteLine(one == two); //false  
Console.WriteLine(String.Format("{0} {1}", (int)one[0], (int)two[0]));//160 32

你有两个不同的字符串,&#160;就在那里,但是采用unicode格式。 回归的一种可能方法是手动将不间断的空间替换为"&#160;"

String result = one.Replace(((char) 160).ToString(), "&#160;");

答案 1 :(得分:1)

感谢德米特里,按照他的建议,我已经做了一个功能,让一些东西适用于unicode代码列表。

    private static readonly List<int> UnicodeCharCodesReplace = 
       new List<int>() { 160 }; // put integers here

    public static string UnicodeUnescape(this string input)
    {
        var chars = input.ToCharArray();

        var sb = new StringBuilder();

        foreach (var c in chars)
        {
            if (UnicodeCharCodesReplace.Contains(c))
            {
                // Append &#code; instead of character
                sb.Append("&#");
                sb.Append(((int) c).ToString());
                sb.Append(";");
            }
            else
            {
                // Append character itself
                sb.Append(c);
            }
        }

        return sb.ToString();
    }