具有双单元格型精度的Jtable

时间:2012-11-08 22:07:29

标签: java swing jtable tablecellrenderer tablecelleditor

我必须在JTable中创建我的一个列,它是双精度型,只获取数字并以精度2舍入所有列。不仅要以这种精度显示它们,而且要将数字写入精度为2的数据中。事实上,如果我写2.456它应该在单元格和数据中写入2.46。最好的方法是怎样做的?使用自定义单元格渲染器或自定义单元格编辑器? 我有这个代码,但它不会更改数据,它只显示单元格上的正确数据

public class DoubleCellRenderer extends DefaultTableCellRenderer {

int precision = 0;
Number numberValue;
NumberFormat nf;

public DoubleCellRenderer(int aPrecision) {
    super();
    precision = aPrecision;
    setHorizontalAlignment(SwingConstants.RIGHT);
    nf = NumberFormat.getNumberInstance();
    nf.setMinimumFractionDigits(aPrecision);
    nf.setMaximumFractionDigits(aPrecision);
}

@Override
public void setValue(Object value) {
    if ((value != null) && (value instanceof Number)) {
        numberValue = (Number) value;
        value = nf.format(numberValue.doubleValue());
    }
    super.setValue(value);
}


}

3 个答案:

答案 0 :(得分:3)

你应该同时使用它们。

CellRenderer:数据的显示方式(您要显示的内容)

CellEditor:如何编辑数据(最终您可以选择在模型中设置的值)

在这两种情况下,您都可以选择精度。在此处查看更多信息:http://docs.oracle.com/javase/tutorial/uiswing/components/table.html#editrender

注意:我建议改为覆盖getTableCellRendererComponent(JTable table, Object value, boolean isSelected, boolean hasFocus, int row, int column)而不是setValue(Object value)

答案 1 :(得分:3)

如果我正确理解了您的问题,您希望在模型中存储精度有限的双打,即使用户填写的数字更多也是如此。

在这种情况下,您只需要一个自定义编辑器来对值进行舍入,然后再将其存储在模型中。覆盖/调整getCellEditorValue()方法以对输入值执行必要的舍入

答案 2 :(得分:0)

我同意Guillaume使用两者。这是一个具有良好实现的链接,该渲染器使用另一个答案中提到的getTableCellRendererComponent覆盖。

http://helpdesk.objects.com.au/java/how-to-control-decimal-places-displayed-in-jtable-column

我略微修改它以仅在舍入时强制执行3位数。还添加了一个检查以确保数据类型为double

public static class DecimalFormatRenderer extends DefaultTableCellRenderer {
    private static final long serialVersionUID = 1L;
    private static final DecimalFormat formatter = new DecimalFormat( "#.###" );

    public DecimalFormatRenderer(){
        super();
        formatter.setMinimumFractionDigits(3);
    }

    public Component getTableCellRendererComponent(
        JTable table, Object value, boolean isSelected, boolean hasFocus, int row, int column) {
                    // First format the cell value as required

        if(value instanceof Double){
            value = formatter.format((Number)value);
        }

        return super.getTableCellRendererComponent(
            table, value, isSelected, hasFocus, row, column );
    } 
}