前几篇文章介绍了JTable的基本用法,本文实现一个简单的JTable,算是前文的一个总结,并造福供拷贝党们。

Swing-JTable用法-入门

Swing-JTable的渲染器与编辑器使用demo

Swing-JTable检测单元格数据变更事件

一、主要功能

1.数据的增删改;

2.渲染器:“Vegetarian”列存放布尔值,以checkBox形式显示;“Sport”列存放字符串,以comboBox形式显示;

3.编辑器:“Name”的编辑器实现一个按钮,按下时弹出对话框;

4.ToolTip:各列和各单元格均具有自己的ToolTip,且单元格ToolTip与其值相关;

5.事件:检测单元格值的变更,并输出旧值、新值和单元格坐标。

二、程序设计

本程序根据功能可分为6部分,以6个类来实现,分别是:

Gui.java:实现GUI,成员有:1个JTable,2个按钮;

MyJTable.java:继承自JTable,重载2个方法:getToolTipText和createDefaultTableHeader,分别实现单元格和表头的toolTip;

MyTableModel.java:继承自DefaultTableModel,重载1个方法:getColumnClass,实现布尔值的checkBox形式显示。表格的基本功能均已被DefaultTableModel类实现,直接使用就好。如果你还需要对单元格可访问性等细节进行精确控制,可以重载相关方法。

TableCellListener.java:实现对单元格数据变更的检测。这是通过表格的addPropertyChangeListener方法实现的,而不是基于tableModel的addTableModelListener方法。后者的不足之处在前文中已经分析。

ButtonEditor.java:实现一个基于按钮的编辑器,被按下时弹出对话框;

ButtonRenderer.java:实现一个渲染器,可定制单元格的配色。

三、程序代码

Gui.java

  1. package DefaultTableModelDemo;
  2. import java.awt.Dimension;
  3. import java.awt.event.ActionEvent;
  4. import java.awt.event.ActionListener;
  5. import javax.swing.AbstractAction;
  6. import javax.swing.Action;
  7. import javax.swing.DefaultCellEditor;
  8. import javax.swing.JButton;
  9. import javax.swing.JCheckBox;
  10. import javax.swing.JComboBox;
  11. import javax.swing.JComponent;
  12. import javax.swing.JFrame;
  13. import javax.swing.JPanel;
  14. import javax.swing.JScrollPane;
  15. import javax.swing.JTextField;
  16. import javax.swing.table.DefaultTableCellRenderer;
  17. import javax.swing.table.TableColumn;
  18. import JButtonTableExample.ButtonEditor;
  19. import JButtonTableExample.ButtonRenderer;
  20.  
  21. public class Gui extends JPanel {
  22.  
  23. private Object[] tmpRow = {"tmpName", "tmpDescription"};
  24. private MyJTable table;
  25. private JButton addBtn;
  26. private JButton delBtn;
  27. private MyTableModel model ;
  28.  
  29. public Gui() {
  30. table = new MyJTable();
  31. table.setPreferredScrollableViewportSize(new Dimension(500, 300));
  32. table.setFillsViewportHeight(true);
  33.  
  34. //Create the scroll pane and add the table to it.
  35. JScrollPane scrollPane = new JScrollPane(table);
  36. //scrollPane.setPreferredSize(new Dimension(500, 600));
  37. //scrollPane.set
  38. //Add the scroll pane to this panel.
  39. add(scrollPane);
  40. //set tableModel and data
  41. model = new MyTableModel();
  42. String[] columnNames = {"Name",
  43. "Description",
  44. "Sport",
  45. "# of Years",
  46. "Vegetarian"};
  47. Object[][] data = {
  48. {"Kathy", "Smith",
  49. "Snowboarding", new Integer(5), new Boolean(false)},
  50. {"John", "Doe",
  51. "Rowing", new Integer(3), new Boolean(true)},
  52. {"Sue", "Black",
  53. "Knitting", new Integer(2), new Boolean(false)},
  54. {"Jane", "White",
  55. "Speed reading", new Integer(20), new Boolean(true)},
  56. {"Joe", "Brown",
  57. "Pool", new Integer(10), new Boolean(false)}
  58. };
  59. model.setDataVector(data, columnNames);
  60. table.setModel(model);
  61. //添加渲染器
  62. table.getColumn("Name").setCellRenderer(new ButtonRenderer());
  63. //添加编辑器
  64. table.getColumn("Name").setCellEditor( new ButtonEditor());
  65. //添加按钮
  66. addBtn = new JButton("增加");
  67. addBtn.addActionListener(new ActionListener() {
  68.  
  69. @Override
  70. public void actionPerformed(ActionEvent arg0) {
  71. // TODO Auto-generated method stub
  72. model.addRow(tmpRow);
  73. }
  74. });
  75.  
  76. delBtn = new JButton("删除");
  77. delBtn.addActionListener(new ActionListener() {
  78.  
  79. @Override
  80. public void actionPerformed(ActionEvent arg0) {
  81. // TODO Auto-generated method stub
  82. int rowIndex = table.getSelectedRow();
  83. if(rowIndex != -1)
  84. model.removeRow(rowIndex);
  85. }
  86. });
  87.  
  88. add(addBtn);
  89. add(delBtn);
  90.  
  91. addDataChangeListener();
  92.  
  93. //设置列
  94. setSportsColumn();
  95. }
  96.  
  97. private void setSportsColumn(){
  98. String [] itmes = {"Snowboarding", "Rowing", "Knitting", "Speed reading", "Pool"};
  99. JComboBox<String> comboBox = new JComboBox<String>(itmes);
  100. DefaultTableCellRenderer renderer =
  101. new DefaultTableCellRenderer();
  102. renderer.setToolTipText("Click for combo box");
  103. setColumn("Sport", comboBox, renderer);
  104. TableColumn col = table.getColumn("Sport");
  105. //setToolTipText("favorit sport is " + );
  106. }
  107.  
  108. public void setColumn(String colName, Object editor, Object renderer) {
  109. int index = table.getColumnModel().getColumnIndex(colName);
  110. TableColumn modeColumn = table.getColumnModel().getColumn(index);
  111. if (editor instanceof JComponent) {
  112. setEditor(modeColumn, (JComponent)editor);
  113. }
  114. else if (editor instanceof DefaultCellEditor) {
  115. modeColumn.setCellEditor((DefaultCellEditor)editor);
  116. }
  117.  
  118. if (renderer instanceof DefaultTableCellRenderer) {
  119. modeColumn.setCellRenderer((DefaultTableCellRenderer)renderer);
  120. }
  121. else if (renderer instanceof ButtonRenderer) {
  122. modeColumn.setCellRenderer((ButtonRenderer)renderer);
  123. }
  124. }
  125.  
  126. protected void setEditor(TableColumn column, JComponent component){
  127. if(component instanceof JTextField )
  128. column.setCellEditor(new DefaultCellEditor((JTextField) component));
  129. else if(component instanceof JComboBox )
  130. column.setCellEditor(new DefaultCellEditor((JComboBox<String>) component));
  131. else if(component instanceof JCheckBox )
  132. column.setCellEditor(new DefaultCellEditor((JCheckBox) component));
  133. }
  134.  
  135. private void addDataChangeListener(){
  136. //检测单元格数据变更
  137. Action action = new AbstractAction()
  138. {
  139. public void actionPerformed(ActionEvent e)
  140. {
  141. TableCellListener tcl = (TableCellListener)e.getSource();
  142. int row = tcl.getRow();
  143. int col = tcl.getColumn();
  144. Object oldValue = tcl.getOldValue();
  145. //if(oldValue == null)
  146. //oldValue = "";
  147. Object newValue = tcl.getNewValue();
  148. //if(newValue == null)
  149. //newValue = "";
  150. System.out.printf("cell changed at [%d,%d] : %s -> %s%n",row, col, oldValue, newValue);
  151. }
  152. };
  153. @SuppressWarnings("unused")
  154. TableCellListener tcl1 = new TableCellListener(table, action);
  155. System.out.printf("cell changed%n");
  156. }
  157.  
  158. private static void createAndShowGUI() {
  159. //Create and set up the window.
  160. JFrame frame = new JFrame("Gui");
  161. frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
  162.  
  163. //Create and set up the content pane.
  164. Gui newContentPane = new Gui();
  165. newContentPane.setOpaque(true); //content panes must be opaque
  166. frame.setContentPane(newContentPane);
  167.  
  168. //Display the window.
  169. frame.pack();
  170. frame.setVisible(true);
  171. }
  172.  
  173. public static void main(String[] args) {
  174. //Schedule a job for the event-dispatching thread:
  175. //creating and showing this application's GUI.
  176. javax.swing.SwingUtilities.invokeLater(new Runnable() {
  177. public void run() {
  178. createAndShowGUI();
  179. }
  180. });
  181. }
  182. }

MyTableModel.java

  1. package DefaultTableModelDemo;
  2.  
  3. import javax.swing.table.DefaultTableModel;
  4.  
  5. public class MyTableModel extends DefaultTableModel{
  6.  
  7. @Override
  8. public Class<?> getColumnClass(int columnIndex) {
  9. if (columnIndex == 4)
  10. return Boolean.class;
  11. return super.getColumnClass(columnIndex);
  12. }
  13. }

MyJTable.java

  1. package DefaultTableModelDemo;
  2.  
  3. import java.awt.event.MouseEvent;
  4.  
  5. import javax.swing.JTable;
  6. import javax.swing.table.JTableHeader;
  7. import javax.swing.table.TableModel;
  8.  
  9. public class MyJTable extends JTable{
  10.  
  11. protected String[] columnToolTips = {null,
  12. null,
  13. "The person's favorite sport to participate in is : ",
  14. "The number of years the person has played the sportis : ",
  15. "If checked, the person eats no meat"};
  16.  
  17. //Implement table cell tool tips.
  18. public String getToolTipText(MouseEvent e) {
  19. String tip = null;
  20. java.awt.Point p = e.getPoint();
  21. int rowIndex = rowAtPoint(p);
  22. int colIndex = columnAtPoint(p);
  23. int realColumnIndex = convertColumnIndexToModel(colIndex);
  24. if(rowIndex < 0)
  25. {
  26. //System.out.printf("abnormal rowIndex: %n", rowIndex);
  27. return null;
  28. }
  29.  
  30. if (realColumnIndex == 2) { //Sport column
  31. tip = columnToolTips[2]
  32. + getValueAt(rowIndex, colIndex);
  33. }
  34. else if (realColumnIndex == 3) { //Years column
  35. tip = columnToolTips[3] + getValueAt(rowIndex, colIndex);
  36.  
  37. }else if (realColumnIndex == 4) { //Veggie column
  38. TableModel model = getModel();
  39. String firstName = (String)model.getValueAt(rowIndex,0);
  40. String lastName = (String)model.getValueAt(rowIndex,1);
  41. Boolean veggie = (Boolean)model.getValueAt(rowIndex,4);
  42. if (Boolean.TRUE.equals(veggie)) {
  43. tip = firstName + " " + lastName
  44. + " is a vegetarian";
  45. } else {
  46. tip = firstName + " " + lastName
  47. + " is not a vegetarian";
  48. }
  49. } else {
  50. //You can omit this part if you know you don't
  51. //have any renderers that supply their own tool
  52. //tips.
  53. tip = super.getToolTipText(e);
  54. }
  55. return tip;
  56. }
  57.  
  58. //Implement table header tool tips.
  59. protected JTableHeader createDefaultTableHeader() {
  60. return new JTableHeader(columnModel) {
  61. public String getToolTipText(MouseEvent e) {
  62. String tip = null;
  63. java.awt.Point p = e.getPoint();
  64. int index = columnModel.getColumnIndexAtX(p.x);
  65. int realIndex =
  66. columnModel.getColumn(index).getModelIndex();
  67. return columnToolTips[realIndex];
  68. }
  69. };
  70. }
  71.  
  72. }

TableCellListener.java

  1. package DefaultTableModelDemo;
  2. import java.awt.event.*;
  3. import javax.swing.*;
  4. import java.beans.*;
  5.  
  6. /*
  7. * This class listens for changes made to the data in the table via the
  8. * TableCellEditor. When editing is started, the value of the cell is saved
  9. * When editing is stopped the new value is saved. When the oold and new
  10. * values are different, then the provided Action is invoked.
  11. *
  12. * The source of the Action is a TableCellListener instance.
  13. */
  14. public class TableCellListener implements PropertyChangeListener, Runnable
  15. {
  16. private JTable table;
  17. private Action action;
  18.  
  19. private int row;
  20. private int column;
  21. private Object oldValue;
  22. private Object newValue;
  23.  
  24. /**
  25. * Create a TableCellListener.
  26. *
  27. * @param table the table to be monitored for data changes
  28. * @param action the Action to invoke when cell data is changed
  29. */
  30.  
  31. public TableCellListener(JTable table, Action action)
  32. {
  33. this.table = table;
  34. this.action = action;
  35. this.table.addPropertyChangeListener( this );
  36. }
  37.  
  38. /**
  39. * Create a TableCellListener with a copy of all the data relevant to
  40. * the change of data for a given cell.
  41. *
  42. * @param row the row of the changed cell
  43. * @param column the column of the changed cell
  44. * @param oldValue the old data of the changed cell
  45. * @param newValue the new data of the changed cell
  46. */
  47. private TableCellListener(JTable table, int row, int column, Object oldValue, Object newValue)
  48. {
  49. this.table = table;
  50. this.row = row;
  51. this.column = column;
  52. this.oldValue = oldValue;
  53. this.newValue = newValue;
  54. }
  55.  
  56. /**
  57. * Get the column that was last edited
  58. *
  59. * @return the column that was edited
  60. */
  61. public int getColumn()
  62. {
  63. return column;
  64. }
  65.  
  66. /**
  67. * Get the new value in the cell
  68. *
  69. * @return the new value in the cell
  70. */
  71. public Object getNewValue()
  72. {
  73. return newValue;
  74. }
  75.  
  76. /**
  77. * Get the old value of the cell
  78. *
  79. * @return the old value of the cell
  80. */
  81. public Object getOldValue()
  82. {
  83. return oldValue;
  84. }
  85.  
  86. /**
  87. * Get the row that was last edited
  88. *
  89. * @return the row that was edited
  90. */
  91. public int getRow()
  92. {
  93. return row;
  94. }
  95.  
  96. /**
  97. * Get the table of the cell that was changed
  98. *
  99. * @return the table of the cell that was changed
  100. */
  101. public JTable getTable()
  102. {
  103. return table;
  104. }
  105. //
  106. // Implement the PropertyChangeListener interface
  107. //
  108. @Override
  109. public void propertyChange(PropertyChangeEvent e)
  110. {
  111. // A cell has started/stopped editing
  112.  
  113. if ("tableCellEditor".equals(e.getPropertyName()))
  114. {
  115. if (table.isEditing()){
  116. //System.out.printf("tableCellEditor is editing..%n");
  117. processEditingStarted();
  118. }
  119. else{
  120. //System.out.printf("tableCellEditor editing stopped..%n");
  121. processEditingStopped();
  122. }
  123.  
  124. }
  125. }
  126.  
  127. /*
  128. * Save information of the cell about to be edited
  129. */
  130. private void processEditingStarted()
  131. {
  132. // The invokeLater is necessary because the editing row and editing
  133. // column of the table have not been set when the "tableCellEditor"
  134. // PropertyChangeEvent is fired.
  135. // This results in the "run" method being invoked
  136.  
  137. SwingUtilities.invokeLater( this );
  138. }
  139. /*
  140. * See above.
  141. */
  142. @Override
  143. public void run()
  144. {
  145. row = table.convertRowIndexToModel( table.getEditingRow() );
  146. column = table.convertColumnIndexToModel( table.getEditingColumn() );
  147. oldValue = table.getModel().getValueAt(row, column);
  148. //这里应对oldValue为null的情况做处理,否则将导致原值与新值均为空时仍被视为值改变
  149. if(oldValue == null)
  150. oldValue = "";
  151. newValue = null;
  152. }
  153.  
  154. /*
  155. * Update the Cell history when necessary
  156. */
  157. private void processEditingStopped()
  158. {
  159. newValue = table.getModel().getValueAt(row, column);
  160. //这里应对newValue为null的情况做处理,否则后面会抛出异常
  161. if(newValue == null)
  162. newValue = "";
  163. // The data has changed, invoke the supplied Action
  164. if (! newValue.equals(oldValue))
  165. {
  166. // Make a copy of the data in case another cell starts editing
  167. // while processing this change
  168.  
  169. TableCellListener tcl = new TableCellListener(
  170. getTable(), getRow(), getColumn(), getOldValue(), getNewValue());
  171.  
  172. ActionEvent event = new ActionEvent(
  173. tcl,
  174. ActionEvent.ACTION_PERFORMED,
  175. "");
  176. action.actionPerformed(event);
  177. }
  178. }
  179. }

ButtonEditor.java

  1. package JButtonTableExample;
  2.  
  3. import java.awt.event.ActionEvent;
  4. import java.awt.event.ActionListener;
  5. import javax.swing.DefaultCellEditor;
  6. import javax.swing.JButton;
  7. import javax.swing.JCheckBox;
  8. import javax.swing.JComponent;
  9. import javax.swing.JOptionPane;
  10. import javax.swing.JTable;
  11.  
  12. public class ButtonEditor extends DefaultCellEditor {
  13. protected JButton button;//represent the cellEditorComponent
  14. private String cellValue;//保存cellEditorValue
  15.  
  16. public ButtonEditor() {
  17. super(new JCheckBox());
  18. button = new JButton();
  19. button.setOpaque(true);
  20. button.addActionListener(new ActionListener() {
  21. public void actionPerformed(ActionEvent e) {
  22. JOptionPane.showMessageDialog(button, cellValue + ": Ouch!");
  23. //刷新渲染器
  24. fireEditingStopped();
  25. }
  26. });
  27. }
  28.  
  29. public JComponent getTableCellEditorComponent(JTable table, Object value,
  30. boolean isSelected, int row, int column) {
  31. //value 源于单元格数值
  32. cellValue = (value == null) ? "" : value.toString();
  33. return button;
  34. }
  35.  
  36. public Object getCellEditorValue() {
  37. return new String(cellValue);
  38. }
  39. }

ButtonRenderer.java

  1. package JButtonTableExample;
  2.  
  3. import java.awt.Color;
  4. import javax.swing.JButton;
  5. import javax.swing.JComponent;
  6. import javax.swing.JTable;
  7. import javax.swing.table.TableCellRenderer;
  8.  
  9. public class ButtonRenderer extends JButton implements TableCellRenderer {
  10.  
  11. public JComponent getTableCellRendererComponent(JTable table, Object value,
  12. boolean isSelected, boolean hasFocus, int row, int column) {
  13. //value 源于editor
  14. String text = (value == null) ? "" : value.toString();
  15. //按钮文字
  16. setText(text);
  17. //单元格提示
  18. setToolTipText(text);
  19. //背景色
  20. setBackground(Color.BLACK);
  21. //前景色
  22. setForeground(Color.green);
  23. return this;
  24. }
  25. }

运行效果如下:

JTable用法-实例的更多相关文章

  1. php中的curl使用入门教程和常见用法实例

    摘要: [目录] php中的curl使用入门教程和常见用法实例 一.curl的优势 二.curl的简单使用步骤 三.错误处理 四.获取curl请求的具体信息 五.使用curl发送post请求 六.文件 ...

  2. 上传文件及$_FILES的用法实例

    Session变量($_SESSION):�php的SESSION函数产生的数据,都以超全局变量的方式,存放在$_SESSION变量中.1.Session简介SESSION也称为会话期,其是存储在服务 ...

  3. C++语言中cin cin.getline cin.get getline gets getchar 的用法实例

    #include <iostream> #include <string> using namespace std; //关于cin cin.getline cin.get g ...

  4. Union all的用法实例sql

    ---Union all的用法实例sqlSELECT TOP (100) PERCENT ID, bid_user_id, UserName, amount, createtime, borrowTy ...

  5. 【转】javascript入门系列演示·三种弹出对话框的用法实例

    对话框有三种 1:只是提醒,不能对脚本产生任何改变: 2:一般用于确认,返回 true 或者 false ,所以可以轻松用于 if...else...判断 3: 一个带输入的对话框,可以返回用户填入的 ...

  6. php strpos 用法实例教程

    定义和用法该strpos ( )函数返回的立场,首次出现了一系列内部其他字串. 如果字符串是没有发现,此功能返回FALSE . 语法 strpos(string,find,start) Paramet ...

  7. 【JSP】三种弹出对话框的用法实例

    对话框有三种 1:只是提醒,不能对脚本产生任何改变: 2:一般用于确认,返回 true 或者 false ,所以可以轻松用于 if...else...判断 3: 一个带输入的对话框,可以返回用户填入的 ...

  8. python多线程threading.Lock锁用法实例

    本文实例讲述了python多线程threading.Lock锁的用法实例,分享给大家供大家参考.具体分析如下: python的锁可以独立提取出来 mutex = threading.Lock() #锁 ...

  9. jQuery中on()方法用法实例详解

    这篇文章主要介绍了jQuery中on()方法用法,实例分析了on()方法的功能及各种常见的使用技巧,并对比分析了与bind(),live(),delegate()等方法的区别,需要的朋友可以参考下 本 ...

随机推荐

  1. 一个普通的 Zepto 源码分析(二) - ajax 模块

    一个普通的 Zepto 源码分析(二) - ajax 模块 普通的路人,普通地瞧.分析时使用的是目前最新 1.2.0 版本. Zepto 可以由许多模块组成,默认包含的模块有 zepto 核心模块,以 ...

  2. pythonchallenge

    # _*_ coding:utf-8 _*_ translated = '' message = 'g fmnc wms bgblr rpylqjyrc gr zw fylb. rfyrq ufyr ...

  3. 微信小程序简单入门1

    参考文档:https://mp.weixin.qq.com/debug/wxadoc/dev/index.html 1  创建项目 开发者工具安装完成后,打开并使用微信扫码登录.选择创建"项 ...

  4. Mac 如何优雅的使用Microsoft office

    近期要使用文档编辑,但是发现mac下的pages实在不好用,或者说是不习惯,想安装个office  发现官方的office 都基本上要收费,网上的多数都要激活.实在没办法(没钱),看看WPS ,结果w ...

  5. Linux内存详解

    --Linux内存详解 -----------------2014/05/24 Linux的内存上表现的不像windows那么直观,本文准备详细的介绍一下Linux的内存. 请看这下有linux命令f ...

  6. mac corntab定期执行任务

    mac corntab定期执行任务 crontab中的每一行代表一个定期执行的任务,分为6个部分.前5个部分表示何时执行命令,最后一个部分表示执行的命令.每个部分以空格分隔,除了最后一个部分(命令)可 ...

  7. Redis数据结构底层知识总结

    Redis数据结构底层总结 本篇文章是基于作者黄建宏写的书Redis设计与实现而做的笔记 数据结构与对象 Redis中数据结构的底层实现包括以下对象: 对象 解释 简单动态字符串 字符串的底层实现 链 ...

  8. 用Redis作为缓存服务器,加快数据库操作速度

    https://zh.wikipedia.org/wiki/Redis http://www.jianshu.com/p/01b37cdb3f33

  9. 常用的Linux发行版

    Linux发行版百花齐放 [内容摘要] 如今,众多的Linux发行版百花齐放,linux的阵营日益壮大,每一款发行版都拥有一大批用户,开发者自愿为相关项目投入精力.Linux发行版可谓是形形色色,它们 ...

  10. 操作手册(1)JDK的安装与配置

    1 JDK的安装与配置 1.1 背景 JDK(Java SE Development Kit)是 Java 语言开发工具包的简称,是开发和运行 Java 程序的基础环境. 更多描述 | 百度百科: → ...