Excel.Range.Text值仍然读取为'######'即使在列上执行AutoFit()之后

本文关键字:执行 AutoFit 之后 读取 Text ###### Excel Range | 更新日期: 2023-09-27 18:19:03

我需要在一些excel数据的格式值(日期,数字和文本的混合物,我将不知道之前运行时的格式)作为一系列行,丢弃所有空白单元格。

我对输入列进行了自动拟合,所以理论上列现在足够宽,这些单元格的显示值不应该是####,但自动拟合似乎对我的输出数据没有影响。

int rowCount = allCells.Rows.Count;
int colCount = allCells.Columns.Count;
List<List<string>> nonBlankValues = new List<List<string>>();

//to stop values coming out as series of #### due to column width, resize columns
foreach (Excel.Range col in allCells.Columns)
{
    col.AutoFit();
}
for (int i = 0; i < rowCount; i++)
{
    List<string> row = new List<string>();
    for (int j = 0; j < colCount; j++)
    {
        Excel.Range cellVal = (Excel.Range)allCells.Cells[i + 1, j + 1]; //Excel ranges are 1 indexed not 0 indexed
        string cellText = cellVal.Text.ToString();
        if (cellText != "")
        {
            row.Add(cellText);
        }
    }
    if (row.Count > 0)
    {
        nonBlankValues.Add(row);
    }
}

Excel.Range.Text值仍然读取为'######'即使在列上执行AutoFit()之后

设置格式为" General "或类似的格式。我不知道应用程序的具体代码,但应该是这样的:

Range.NumberFormat = "General";

这对我来说很有效,我去掉了###(与单元格中的最大字符量有关)。(我用的是"标准",因为我的版本是荷兰语)。所以我想英文版本应该是General。范围在我的例子中是:

Microsoft.Office.Interop.Excel.Range

手动调整列的大小似乎可以解决这个问题,因此…

似乎让我自己的AutoFit等效是唯一的方法:(所以我有2个选择…

。更快的方法是在读取数据之前为每列添加固定的数量,然后在读取之后删除它

    foreach (Excel.Range col in allCells.Columns)
    {
        col.ColumnWidth = (double)col.ColumnWidth + colWidthIncrease;
    }

…从这里的问题开始循环…

    foreach (Excel.Range col in allCells.Columns)
    {
        col.ColumnWidth = (double)col.ColumnWidth - colWidthIncrease;
    }

B。有一个反馈循环,当我遇到一个只有#的条目时,迭代地增加固定的数量,直到它改变(使用循环计数器检查终止)

for (int i = 0; i < rowCount; i++)
{
    List<string> row = new List<string>();
    for (int j = 0; j < colCount; j++)
    {
        string cellText="";
        int maxLoops = 10;
        int loop = 0;
        bool successfulRead = false;
        while (!successfulRead && loop < maxLoops)
        {
            Excel.Range cellVal = (Excel.Range)allCells.Cells[i + 1, j + 1]; //Excel ranges are 1 indexed not 0 indexed
            cellText = cellVal.Text.ToString();
            if (!Regex.IsMatch(cellText, @"#+"))
            {
                successfulRead = true;
            }
            else
            {
                cellVal.EntireColumn.ColumnWidth = Math.Min((double)cellVal.EntireColumn.ColumnWidth + 5, 255);
            }
            loop++;
        }
        if (cellText != "")
        {
            row.Add(cellText);
        }
    }
    if (row.Count > 0)
    {
        nonBlankValues.Add(row);
    }
}