NPOI不会更改单元格的字体颜色

时间:2017-11-13 15:13:31

标签: c# npoi

我正在尝试有条件地更改单元格的字体颜色。这是我的最后一次尝试:

IWorkbook wb = null;

using (FileStream _fileStream = new FileStream(path, FileMode.Open, FileAccess.Read))
{
    wb = WorkbookFactory.Create(_fileStream);
    _fileStream.Close();
}



ISheet sheet = wb.GetSheet(sheetName);
IFont font = wb.CreateFont();
...
...

// within a loop
ICell cell = sheet.GetRow(r).GetCell(col);
if (integrity < 1)
{
    ICellStyle redStyle = cell.CellStyle;
    font.Color = IndexedColors.Red.Index;
    redStyle.SetFont(font);
    cell.CellStyle = redStyle;
}
else
{
    ICellStyle normalStyle = cell.CellStyle;
    font.Color = XSSFFont.DEFAULT_FONT_COLOR;
    normalStyle.SetFont(font);
    cell.CellStyle = normalStyle;
}                        

但是,满足条件时字体不会更改。看起来风格适用于所有细胞而不是我在循环中获得的细胞。我已经阅读了一些与此问题相关的问题,但我无法使其发挥作用。

这个新尝试是格式化所有单元格。无论是否符合条件

ICellStyle redStyle = cell.CellStyle;
font.Color = IndexedColors.Red.Index;             
redStyle.SetFont(font);    

//This is how I am trying to change cells format 
if (integrity < 1)
{
    cell.CellStyle.SetFont(font);
} 

Joao响应会使用“normalStyle”格式化所有单元格

3 个答案:

答案 0 :(得分:2)

默认情况下,每个单元格都将使用相同的CellStyle对象。如果您想为不同的单元格使用不同的样式,则必须创建不同的对象。

ICellStyle redStyle = wb.CreateCellStyle();
font.Color = IndexedColors.Red.Index;
redStyle.SetFont(font);

ICellStyle normalStyle = wb.CreateCellStyle();
font.Color = XSSFFont.DEFAULT_FONT_COLOR;
normalStyle.SetFont(font);

// within a loop
ICell cell = sheet.GetRow(r).GetCell(col);
if (integrity < 1)
{
    cell.CellStyle = redStyle;
}
else
{
    cell.CellStyle = normalStyle;
}                        

(注意:我根本没有测试过这段代码。我忘了CreateCellStyle是否能像那样工作。但它至少应该指向正确的方向。)

答案 1 :(得分:0)

所以我最终预先定义了一个样式,我将其设置为符合条件的单元格。

IFont redfont = wb.CreateFont();
redfont.Color = IndexedColors.Red.Index;
redfont.FontHeight = 8;
ICellStyle style = wb.CreateCellStyle();

...
if (integrity < 1)
{
    style.CloneStyleFrom(cell.CellStyle);
    style.SetFont(redfont);
    cell.CellStyle = style;
}

感谢您的帮助!

答案 2 :(得分:0)

对于XSSF格式,使用此方法创建字体,然后将其分配给单元格

XSSFFont defaultFont = (XSSFFont)workbook.CreateFont();
defaultFont.FontHeightInPoints = (short)10;
defaultFont.FontName = "Arial";
defaultFont.Color = IndexedColors.Black.Index;
defaultFont.IsBold = false;
defaultFont.IsItalic = false;
defaultFont.Boldweight = 700;

XSSFCellStyle defaultStyle = (XSSFCellStyle)workbook.CreateCellStyle();
defaultStyle.SetFont(defaultFont);
相关问题