2

我尝试解析以下 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(string path) 方法将其加载为具有 2 个相同 XElement 的 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);
        }
    }
}

这将产生以下 2 行:

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

我想得到以下两行:

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

文档编码是 UTF8,如果这在某种程度上是相关的。

4

2 回答 2

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;");
于 2013-10-01T09:41:58.827 回答
1

感谢 Dmitry,按照他的建议,我创建了一个函数,可以使东西适用于 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();
    }
于 2013-10-01T11:54:14.183 回答