Создание библиотеки стилей ячеек в Apache POI
моя система создает множество различных отчетов Excel с использованием Apache POI из Java.
многие из этих отчетов имеют одинаковые стили.
Я создал библиотеку CellStyle для использования всеми отчетами. Интересно, есть ли более аккуратный способ?
import org.apache.poi.hssf.util.HSSFColor;
import org.apache.poi.ss.usermodel.CellStyle;
import org.apache.poi.ss.usermodel.Workbook;
public class CellStyles {
CellStyle headingCellStyle = null;
Workbook wb;
public CellStyles(Workbook wb) {
this.wb = wb;
}
public CellStyle getHeadingCellStyle() {
if (headingCellStyle == null) {
headingCellStyle = wb.createCellStyle();
headingCellStyle.setFillForegroundColor(HSSFColor.YELLOW.index);
headingCellStyle.setFillPattern(CellStyle.SOLID_FOREGROUND);
}
return headingCellStyle;
}
}
и затем называя его
Workbook wb = new XSSFWorkbook(inputStream); // XSSF for .xlsm
CellStyles cs = new CellStyles(wb);
CellUtil.getCell(myRow, 2).setCellStyle(cs.getHeadingCellStyle());
2 ответов
Я думаю, что, учитывая его простоту, это решение хорошо.
к сожалению, в POI CellStyle
необходимо создать из Workbook
Так что вы не можете избежать прохождения wb
как параметр в некотором роде.
в дополнение к вашей реализации вы можете попытаться выставить в CellStyles
кучу static
методы принятия wb
в качестве параметра и возвращает стиле, так что вам не нужно пройти cs
объект в коде. Хотя я бы не сказал, что это стоит это как сделать это правильно, вам нужно будет поддерживать статический кэш Map[Workbook, CellStyles]
сопоставления, которые будут использоваться для возврата стиля.
ленивая инициализация стилей тоже хорошо работает и позволяет избежать создания дубликатов стилей, хотя было бы лучше сохранить стили частными, т. е. private CellStyle headingCellStyle = null;
чтобы гарантировать, что ничто не может изменить назначение стиля вне класса, и null-valued headerCellStyle не будет использоваться случайно.
У меня есть проект, который преобразует HTML / CSS в различные форматы, включая Excel и ODF. Если это полезно, я делаю следующее, Где Style-это класс, содержащий различные свойства, извлеченные из CSS.
public class ExcelStyleGenerator {
private Map<Style, XSSFCellStyle> styles;
public ExcelStyleGenerator() {
styles = new HashMap<Style, XSSFCellStyle>();
}
public CellStyle getStyle(Cell cell, Style style) {
XSSFCellStyle cellStyle;
if (styles.containsKey(style)) {
cellStyle = styles.get(style);
} else {
cellStyle = (XSSFCellStyle) cell.getSheet().getWorkbook().createCellStyle();
applyBackground(style, cellStyle);
applyBorders(style, cellStyle);
applyFont(cell, style, cellStyle);
applyHorizontalAlignment(style, cellStyle);
applyverticalAlignment(style, cellStyle);
applyWidth(cell, style);
styles.put(style, cellStyle);
}
return cellStyle;
}
protected void applyBackground(Style style, XSSFCellStyle cellStyle) {
if (style.isBackgroundSet()) {
cellStyle.setFillPattern(XSSFCellStyle.SOLID_FOREGROUND);
cellStyle.setFillForegroundColor(new XSSFColor(style.getProperty(CssColorProperty.BACKGROUND)));
}
}
protected void applyBorders(Style style, XSSFCellStyle cellStyle) {
if (style.isBorderWidthSet()) {
short width = (short) style.getProperty(CssIntegerProperty.BORDER_WIDTH);
Color color = style.getProperty(CssColorProperty.BORDER_COLOR) != null ? style
.getProperty(CssColorProperty.BORDER_COLOR) : Color.BLACK;
cellStyle.setBorderBottom(BorderStyle.THIN);
cellStyle.setBorderBottom(width);
cellStyle.setBottomBorderColor(new XSSFColor(color));
cellStyle.setBorderTop(BorderStyle.THIN);
cellStyle.setBorderTop(width);
cellStyle.setTopBorderColor(new XSSFColor(color));
cellStyle.setBorderLeft(BorderStyle.THIN);
cellStyle.setBorderLeft(width);
cellStyle.setLeftBorderColor(new XSSFColor(color));
cellStyle.setBorderRight(BorderStyle.THIN);
cellStyle.setBorderRight(width);
cellStyle.setRightBorderColor(new XSSFColor(color));
}
}
protected void applyFont(Cell cell, Style style, XSSFCellStyle cellStyle) {
Font font = createFont(cell.getSheet().getWorkbook(), style);
cellStyle.setFont(font);
}
protected void applyHorizontalAlignment(Style style, XSSFCellStyle cellStyle) {
if (style.isHorizontallyAlignedLeft()) {
cellStyle.setAlignment(HorizontalAlignment.LEFT);
} else if (style.isHorizontallyAlignedRight()) {
cellStyle.setAlignment(HorizontalAlignment.RIGHT);
} else if (style.isHorizontallyAlignedCenter()) {
cellStyle.setAlignment(HorizontalAlignment.CENTER);
}
}
protected void applyverticalAlignment(Style style, XSSFCellStyle cellStyle) {
if (style.isVerticallyAlignedTop()) {
cellStyle.setVerticalAlignment(VerticalAlignment.TOP);
} else if (style.isVerticallyAlignedBottom()) {
cellStyle.setVerticalAlignment(VerticalAlignment.BOTTOM);
} else if (style.isVerticallyAlignedMiddle()) {
cellStyle.setVerticalAlignment(VerticalAlignment.CENTER);
}
}
protected void applyWidth(Cell cell, Style style) {
if (style.getProperty(CssIntegerProperty.WIDTH) > 0) {
cell.getSheet().setColumnWidth(cell.getColumnIndex(), style.getProperty(CssIntegerProperty.WIDTH) * 50);
}
}
public Font createFont(Workbook workbook, Style style) {
Font font = workbook.createFont();
if (style.isFontNameSet()) {
font.setFontName(style.getProperty(CssStringProperty.FONT_FAMILY));
}
if (style.isFontSizeSet()) {
font.setFontHeightInPoints((short) style.getProperty(CssIntegerProperty.FONT_SIZE));
}
if (style.isColorSet()) {
Color color = style.getProperty(CssColorProperty.COLOR);
// if(! color.equals(Color.WHITE)) // POI Bug
// {
((XSSFFont) font).setColor(new XSSFColor(color));
// }
}
if (style.isFontBold()) {
font.setBoldweight(Font.BOLDWEIGHT_BOLD);
}
font.setItalic(style.isFontItalic());
if (style.isTextUnderlined()) {
font.setUnderline(Font.U_SINGLE);
}
return font;
}
}