4

我目前正在使用 OpenXML SDK,与 OpenXML 中的值相比,Excel 中显示的值存在问题。

基本上我有一个 Excel 电子表格,其中 B4 中的值为“202”。但是当我使用 OpenXml 从电子表格中读取值时,我收到的值是“201.99999999999997”。

我编写了一个测试应用程序来检查这些值,我用来使用 OpenXml 读取 Excel 文件的代码如下:

using (SpreadsheetDocument document = SpreadsheetDocument.Open(_excelFile1, false))
{
    WorkbookPart wbPart = document.WorkbookPart;

    var sheet = wbPart.Workbook.Descendants<Sheet>().First();

    var wsPart = (WorksheetPart)(wbPart.GetPartById(sheet.Id));

    Cell cell1 = wsPart.Worksheet.Descendants<Cell>().Where(c => c.CellReference == "B4").FirstOrDefault();
    Cell cell2 = wsPart.Worksheet.Descendants<Cell>().Where(c => c.CellReference == "C4").FirstOrDefault();
    Cell cell3 = wsPart.Worksheet.Descendants<Cell>().Where(c => c.CellReference == "D4").FirstOrDefault();

    Console.WriteLine(String.Format("Cell B4: {0}", GetCellValue(cell1)));
    Console.WriteLine(String.Format("Cell C4: {0}", GetCellValue(cell2)));
    Console.WriteLine(String.Format("Cell D4: {0}", GetCellValue(cell3)));
}

private static string GetCellValue(Cell cell)
{
    if (cell != null) return cell.CellValue.InnerText;
    else return string.Empty;
}

那么我得到的值如下:

Cell B4: 201.99999999999997

[更新 - 来自 XLSX 文件的原始 XML]

<row r="4" spans="1:4" x14ac:dyDescent="0.2">
    <c r="A4" s="2">
        <v>39797</v>
    </c>
  <c r="B4" s="3">
    <v>201.99999999999997</v>
  </c>
  <c r="C4" s="3">
    <v>373</v>
  </c>
  <c r="D4" s="3">
    <v>398</v>
  </c>
</row>

从 XLSX 文件 XML 中可以看出,OpenXML 正在读取正确的值。但是,Excel 必须应用某种格式才能将值“201.999999999999997”显示为“202”。这是用户看到的值,因此这是他们在使用 OpenXML 从 XLSX 文件中读取时所期望的值。

所以现在我想知道是否有人知道 Excel 应用的任何格式来获取用户在电子表格中看到的值,但使用 OpenXML。

作为一项测试,我尝试重新创建电子表格,但有时在电子表格中输入整数时,这些值看起来与小数相同。这是非常断断续续的,我无法解释或解决问题。

4

1 回答 1

3

The 201.99999999999997 is a real representation of floating point number. It may not be always accurate, for more information look for example here. So you are right, excel applying some kind of formatting - significant digits. .NET can do the same, look at this:

    static void Main(string[] args)
    {
        string s = "201.99999999999997";
        // print s as string
        Console.WriteLine(s);
        // print s as double
        Console.WriteLine(double.Parse(s, System.Globalization.CultureInfo.InvariantCulture));
        // print s as double, converted back to string
        Console.WriteLine(double.Parse(s, System.Globalization.CultureInfo.InvariantCulture).ToString());
        Console.ReadKey();

        // output is:
        // 201.99999999999997
        // 202
        // 202
    }

So, if you need a number, convert "201.99999999999997" to number. if you need a string representation of number, convert it to number and then back to string.

于 2013-04-19T08:11:29.880 回答