作为标题,我在这里遇到了一些麻烦。 我可以从单元格
获取字体HSSFFont font =
cell.getRow().getSheet().getWorkbook().
getFontAt(cell.getCellStyle().getFontIndex());
但现在我需要得到它的范围名称。实际上我需要一些东西来锚定并确定关键单元格和它自己的值单元格。
是否有一些方法可以获取范围名称,例如workBook.getName()
或.getNameAt()
但是如何从HSSFCell获取名称索引?
答案 0 :(得分:2)
除了富文本字符串外,单元格只分配了一种字体,
但它可能被多个命名范围引用。
因此,您需要遍历工作簿的命名范围并检查是否引用了单元格。为了简单起见,我迭代了所有area.getAllReferencedCells()
- 如果是大范围,你需要检查区域isContiguous()
以及你的单元格/行索引是否在单元格/行内 - getFirstCell()
和getLastCell()
边界框的索引。
有关详细信息,请查看Busy Developers' Guide to HSSF and XSSF Features。
Or search on stackoverflow ...
(在我的测试用例中,一个单元格(第4行,第3列)被三个不同形状的命名范围引用)
import java.io.File;
import java.util.*;
import org.apache.poi.ss.usermodel.*;
import org.apache.poi.ss.util.*;
public class XlsRangeNames {
public static void main(String[] args) throws Exception {
Workbook wb = WorkbookFactory.create(new File("src/test/resources/name-range.xls"));
Cell cell = wb.getSheetAt(0).getRow(3).getCell(2);
for (Name n : getNamedRangesForCell(wb, cell)) {
System.out.println(n.getNameName());
}
}
static List<Name> getNamedRangesForCell(Workbook wb, Cell cell) {
int col = cell.getColumnIndex();
int row = cell.getRowIndex();
String sheetName = cell.getSheet().getSheetName();
List<Name> result = new ArrayList<Name>();
for (int i=0; i<wb.getNumberOfNames(); i++) {
Name name = wb.getNameAt(i);
if (!sheetName.equals(name.getSheetName())) continue;
AreaReference area = new AreaReference(name.getRefersToFormula());
CellReference crList[] = area.getAllReferencedCells();
for (CellReference cr : crList) {
if (cr.getCol() == col
&& cr.getRow() == row) {
result.add(name);
continue;
}
}
}
return result;
}
}