-2

我正在制作一个程序来从 excel 文件中读取数据并将它们存储在表格中。但是由于我是 Java 比较器的新手,所以我很难制作其中之一。这是我的问题,我已经设法从 excel 文件中读取所有数据作为字符串并将它们存储在一个表中。但我的项目是通过升序 ID 将它们存储在表中。有人可以帮我创建一个比较器来比较 LinkedHashmaps 并按他们的 ID 存储它们吗?我必须存储的数据如下:

ID  Name    Salary         
50  christine   2349000        
43  paulina 1245874        
54  laura   4587894 

解析数据的代码如下:

private static LinkedHashMap parseExcelColumnTitles(List sheetData) {

    List list = (List) sheetData.get(0);
    LinkedHashMap < String, Integer > tableFields = new LinkedHashMap(list.size());
    for (int j = 0; j < list.size(); j++) {
        Cell cell = (Cell) list.get(j);
        tableFields.put(cell.getStringCellValue(), cell.getCellType());
    }

    return tableFields;

}

private static LinkedHashMap[] parseExcelColumnData(List sheetData) {

    LinkedHashMap[] tousRows = new LinkedHashMap[sheetData.size() - 1];
    for (int rowCounter = 1; rowCounter < sheetData.size(); rowCounter++) {

        List list = (List) sheetData.get(rowCounter);

        LinkedHashMap < String, Integer > tableFields = new LinkedHashMap(list.size());
        String str;
        String[] tousFields = new String[list.size()];

        int i = 0;

        for (int j = 0; j < list.size(); j++) {
            Cell cell = (Cell) list.get(j);
            if (cell != null) {
                if (cell.getCellType() == Cell.CELL_TYPE_NUMERIC) {
                    tableFields.put(String.valueOf(cell
                        .getNumericCellValue()), cell.getCellType());
                } else if (cell.getCellType() == Cell.CELL_TYPE_STRING) {
                    tableFields.put(cell.getStringCellValue(), cell
                        .getCellType());
                } else if (cell.getCellType() == Cell.CELL_TYPE_BOOLEAN) {
                    tableFields.put(String.valueOf(cell
                        .getBooleanCellValue()), cell.getCellType());
                }
            }

        }
        tousRows[rowCounter - 1] = tableFields;
    }

    return tousRows;

}
4

2 回答 2

1

您可以使用TreeMap而不是LinkedHashMap,因为您不想保留插入顺序,并且排序TreeMap是更好的选择。也读这个Java TreeMap Comparator

于 2013-04-30T07:15:24.630 回答
1

你可以做一个这样的模型:

public class Salary implements Comparable<Salary> {
    private Long id;
    private String name;
    private Double salary;

    public Long getId() {
        return id;
    }

    public void setId(Long id) {
        this.id = id;
    }

    public String getName() {
        return name;
    }

    public void setName(String name) {
        this.name = name;
    }

    public Double getSalary() {
        return salary;
    }

    public void setSalary(Double salary) {
        this.salary = salary;
    }

    @Override
    public int compareTo(Salary o) {
        if (o.getId() < this.id) {
            return -1;
        } else if (o.getId() > this.id) {
            return 1;
        }
        return 0;
    }
}

然后你可以使用Collections.sort(list)来订购你的LinkedHashMap

于 2013-04-30T07:17:37.703 回答