我有一个包含3列的JTable
。每列都有自己的格式,表格如下:
问题是(如您所见)排序不正确(setAutoCreateRowSorter
)。
我尝试为col3
implements Comparable
定义我自己的对象类型,并为此对象设置toString()
方法。但似乎这对我的排序没有帮助。
知道我做错了吗?
public class SortJTable {
public static void main(String[] args) {
String[] columns = getTableColumns();
Object[][] tableData = getTableValues();
TableModel model = new DefaultTableModel(tableData, columns) {
@Override
public Class getColumnClass(int col) {
if (col == 2) // third column is a TablePercentValue
return TablePercentValue.class;
else
return String.class;
}
};
JTable table = new JTable(model);
table.setAutoCreateRowSorter(true); // Make it possible to column-sort
JFrame frame = new JFrame();
frame.add(new JScrollPane(table));
frame.pack();
frame.setVisible(true);
}
private static String[] getTableColumns(){
String[] columns = new String[3];
columns[0] = "col1";
columns[1] = "col2";
columns[2] = "col3";
return columns;
}
private static Object[][] getTableValues(){
Object[][] tableData = new Object[100][3];
for(int i=0; i<tableData.length; i++){
for(int j=0; j<tableData[0].length; j++){
String value;
if(j==2)
value = i+","+j+"%";
else if(j == 1)
value = i+":"+j;
else
value = i+""+j;
tableData[i][j] = value;
}
}
return tableData;
}
}
class TablePercentValue implements Comparable<TablePercentValue> {
private String value;
private double compValue;
public TablePercentValue(String value){
this.value = value;
// Remove "%"-sign and convert to double value
compValue = Double.parseDouble(value.replace("%", ""));
}
public String toString(){
return value;
}
@Override
public int compareTo(TablePercentValue o) {
return compValue>o.compValue ? 1 : -1;
}
}
答案 0 :(得分:3)
被覆盖的getColumnClass
正在撒谎:第二列不是TablePercentValue
类型,它仍然是String
。出于示例的目的,可以在填充数据的位置修复此问题:
for(int j=0; j<tableData[0].length; j++){
if(j==2)
tableData[i][j] = new TablePercentValue(i+","+j+"%");
else if(j == 1)
tableData[i][j] = i+":"+j;
else
tableData[i][j] = i+""+j;
tableData[i][j] = value;
}
在TablePercentValue
构造函数中,我必须添加额外的replace(",", ".")
compValue = Double.parseDouble(value.replace("%", "").replace(",", "."));
但这可能只是一个本地化的东西,并为你运行。