Im 为 excel im 使用 Apache POI 创建的列设置固定宽度。我有以英寸为单位的固定值。所以我想知道Apcahe POI作为参数的测量值是什么。我如何使用以英寸为单位的值来调用它?
Sheet sheet;
sheet.setColumnWidth(0, 100);
在 Sheet.setColumnWidth 中被告知这里的度量单位是字符宽度的 1/256。它还被告知Excel
如何准确计算这一点。
因此,如果要使用默认字体 Calibri 11 将列宽显示为 10Excel
则width256
必须计算为(int)Math.round((10*Units.DEFAULT_CHARACTER_WIDTH+5f)/Units.DEFAULT_CHARACTER_WIDTH*256f)
。
如果需要以英寸为单位设置列宽,则首先应将英寸转换为像素,然后必须将width256
计算为(int)Math.round(widthPx/Units.DEFAULT_CHARACTER_WIDTH*256f)
。
有单元作为单元管理的帮助程序类。
例:
import java.io.FileOutputStream;
import org.apache.poi.ss.usermodel.*;
import org.apache.poi.xssf.usermodel.XSSFWorkbook;
import org.apache.poi.util.Units;
class ExcelSetColumnWidth {
public static void main(String[] args) throws Exception {
try (Workbook workbook = new XSSFWorkbook();
FileOutputStream fileout = new FileOutputStream("Excel.xlsx") ) {
Sheet sheet = workbook.createSheet();
int widthExcel = 10;
int width256 = (int)Math.round((widthExcel*Units.DEFAULT_CHARACTER_WIDTH+5f)/Units.DEFAULT_CHARACTER_WIDTH*256f);
System.out.println(width256);
sheet.setColumnWidth(0, width256);
sheet.createRow(0).createCell(0).setCellValue("1234567890"); // Excel shows column width as 10 using default font Calibri 11
float widthInch = 1f;
float widthPx = widthInch * Units.PIXEL_DPI;
width256 = (int)Math.round(widthPx/Units.DEFAULT_CHARACTER_WIDTH*256f);
System.out.println(width256);
sheet.setColumnWidth(1, width256);
System.out.println(sheet.getColumnWidthInPixels(1)); // should be round 96 pixels for an inch
sheet.createRow(1).createCell(1).setCellValue("1 inch width"); // column is 1 inch width
workbook.write(fileout);
}
}
}