• title: JTableのソート tags: [JTable, JTableHeader] author: aterai pubdate: 2004-01-05 description: JTableのヘッダカラムをクリックすることで、行表示を降順、昇順にソートします。

概要

JTableのヘッダカラムをクリックすることで、行表示を降順、昇順にソートします。以下のサンプルは、SortableTableExampleを参考にして作成しています。

サンプルコード

class SortableTableModel extends DefaultTableModel {
  public SortableTableModel(String[] str, int row) {
    super(str, row);
  }
  public void sortByColumn(int column, boolean isAscent) {
    Collections.sort(getDataVector(), new ColumnComparator(column, isAscent));
    fireTableDataChanged();
  }
}
class ColumnComparator implements Comparator {
  final protected int index;
  final protected boolean ascending;
  public ColumnComparator(int index, boolean ascending) {
    this.index = index;
    this.ascending = ascending;
  }
  public int compare(Object one, Object two) {
    if (one instanceof Vector && two instanceof Vector) {
      Object oOne = ((Vector) one).elementAt(index);
      Object oTwo = ((Vector) two).elementAt(index);
      if (oOne == null && oTwo == null) {
        return 0;
      } else if (oOne == null) {
        return ascending ? -1 :  1;
      } else if (oTwo == null) {
        return ascending ?  1 : -1;
      } else if (oOne instanceof Comparable && oTwo instanceof Comparable) {
        Comparable cOne = (Comparable) oOne;
        Comparable cTwo = (Comparable) oTwo;
        return ascending ? cOne.compareTo(cTwo) : cTwo.compareTo(cOne);
      }
    }
    return 1;
  }
  public int compare(Number o1, Number o2) {
    double n1 = o1.doubleValue();
    double n2 = o2.doubleValue();
    if (n1 < n2) {
      return -1;
    } else if (n1 > n2) {
      return 1;
    } else {
      return 0;
    }
  }
}
View in GitHub: Java, Kotlin

解説

上記のサンプルでは、カラムヘッダをクリックすることでソートできます。右クリックからポップアップメニューで、行を追加、削除したり、セルをダブルクリックして中身を色々編集するなどしてソートを試してみてください。

複数の列をキーにしてソートしたい場合や、ヘッダがボタンになるのがいやな場合は、TableSorterでJTableをソートを参照してください。

JDK 1.6.0では、JTable標準で簡単にソート機能を追加できるようになっています(参考:TableRowSorterでJTableのソート)。

参考リンク

コメント