克隆JTable而不使用tablemodel

时间:2018-08-18 10:00:25

标签: copy jtable clone

我想创建一个现有JTable对象的副本。 不幸的是,有可能使用setValueAt方法而不是使用tablemodel来填充表。 那么在不使用表模型的情况下“克隆”此类对象的最佳方法是什么?

感谢您的任何提示! 托尔斯滕

1 个答案:

答案 0 :(得分:0)

我深入到setValueAt实现中,发现它使用了基础表模型。因此解决方法是使用共享表模型,并且您仍然可以在两个表中使用setValueAt。

import javax.swing.*;
import java.awt.*;

public class CloningTablesExample {

    public static void main(String[] args) {
        SwingUtilities.invokeLater(CloningTablesExample::runApp);
    }

    static void runApp(){
        //create table with default model
        JTable original = new JTable(new Object[][]{
                {"11", "12"},
                {"21", "22"}
            },
            new String[]{"col1", "col2"}
        );
        //override value in the model using the original table
        original.setValueAt("override from original", 0,0);

        //create clone with shared model and (overridden value is visible in both tables)
        JTable clone = cloneTable(original);

        //override value in the model using the clone table
        original.setValueAt("override from clone", 0,1);

        JFrame window = new JFrame();
        window.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
        window.getContentPane().setLayout(new GridLayout(1,2));
        window.setSize(600, 200);
        window.setVisible(true);
        window.getContentPane().add(new JScrollPane(original));
        window.getContentPane().add(new JScrollPane(clone));
    }

    private static JTable cloneTable(JTable original) {
        JTable clone = new JTable();
        clone.setModel(original.getModel());
        return clone;
    }
}