我想要一个带有以下条目的ComboBox:
{“ 0,5”,“ 1”,“ 1,5”,“ 2”,“ 2,5”}
我使用DataValidation:
DataValidation dataValidation = null;
DataValidationConstraint constraint = null;
DataValidationHelper validationHelper = null;
validationHelper = new XSSFDataValidationHelper(sheet);
CellRangeAddressList addressList = new CellRangeAddressList(row, row, col, col);
constraint = validationHelper.createExplicitListConstraint(list);
dataValidation = validationHelper.createValidation(constraint, addressList);
dataValidation.setSuppressDropDownArrow(true);
sheet.addValidationData(dataValidation);
该列表具有以下结构:
list = new String [] {“ 0,5”,“ 1”,“ 1,5”,“ 2”,“ 2,5”}
但是在生成excel文件后,下拉列表中还有其他内容。
0、5、1、1、5
这是为什么?
如果我使用点符号(0.5,1,1.5),则下一个问题是,当我从ComboBox中选择时,excel会自动将其格式化为日期,例如1.5-> 01。
最佳答案
从您的描述看来,在您的Excel
中,十进制分隔符是您当前语言环境设置的逗号。因此,{"0,5", "1", "1,5", "2", "2,5"}
中的此逗号与列表约束公式中用作列表定界符的逗号冲突。这是因为此列表约束公式将为<formula1>"0,5,1,1,5,2,2,5"</formula1>
。
当使用{"0.5", "1", "1.5", "2", "2.5"}
时,列表约束公式将为<formula1>"0.5,1,1.5,2,2.5"</formula1>
。但是现在,此公式中的点与您的区域设置冲突,在逗号中将逗号作为小数点分隔符,将点用作日期文字的分隔符。
这是一个众所周知的Excel
问题。当前的Excel
版本通过使用另一种存储列表约束的方法来解决此问题:<x12ac:list>"0,5",1,"1,5",2,"2,5"</x12ac:list>
而不是:<formula1>"0,5,1,1,5,2,2,5"</formula1>
。但是apache poi
不支持此功能。
作为一种解决方法,我建议使用隐藏工作表存储列表项。
例:
import java.io.*;
import org.apache.poi.ss.usermodel.*;
import org.apache.poi.xssf.usermodel.*;
import org.apache.poi.ss.util.*;
class CreateExcelDataValidationListName {
public static void main(String[] args) throws Exception{
Workbook workbook = new XSSFWorkbook();
//create sheet for storing the list items:
Sheet sheet = workbook.createSheet("ListSheet");
sheet.createRow(0).createCell(0).setCellValue("SourceList");
int r = 1;
for (double d = 0.5; d < 3; d+=0.5) {
sheet.createRow(r++).createCell(0).setCellValue(d);
}
//unselect that sheet because we will hide it later
sheet.setSelected(false);
//create a named range for the list contraint
Name namedCell = workbook.createName();
namedCell.setNameName("SourceList");
String reference = "ListSheet!$A$2:$A$5";
namedCell.setRefersToFormula(reference);
//create the visible sheet
sheet = workbook.createSheet("Sheet1");
sheet.createRow(0).createCell(0).setCellValue("Take the ListItems from B1:");
sheet.setActiveCell(new CellAddress("B1"));
sheet.autoSizeColumn(0);
//create the data validation
DataValidationHelper dvHelper = sheet.getDataValidationHelper();
DataValidationConstraint dvConstraint = dvHelper.createFormulaListConstraint("SourceList");
CellRangeAddressList addressList = new CellRangeAddressList(0, 0, 1, 1);
DataValidation validation = dvHelper.createValidation(dvConstraint, addressList);
sheet.addValidationData(validation);
//hide the ListSheet
workbook.setSheetHidden(0, true);
//set Sheet1 active
workbook.setActiveSheet(1);
FileOutputStream out = new FileOutputStream("CreateExcelDataValidationList.xlsx");
workbook.write(out);
out.close();
workbook.close();
}
}
关于java - ComboBox中的Apache POI双值,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/45108735/