Swing/BitSetCheckBoxes のバックアップ(No.1)
- バックアップ一覧
- 差分 を表示
- 現在との差分 を表示
- 現在との差分 - Visual を表示
- ソース を表示
- Swing/BitSetCheckBoxes へ行く。
- category: swing folder: BitSetCheckBoxes title: JCheckBoxの選択状態をBitSetで管理する tags: [JCheckBox, BitSet, UndoManager, UndoableEditSupport] author: aterai pubdate: 2018-03-26T16:22:10+09:00 description: 複数のJCheckBoxの選択状態をBitSetを使用して管理します。 image: https://drive.google.com/uc?id=1u_RLXjvLSINB0mb0ar_COqlBq5jbVhPByg
概要
複数のJCheckBox
の選択状態をBitSet
を使用して管理します。
Screenshot
Advertisement
サンプルコード
// Long.MAX_VALUE
// 0b111_1111_1111_1111_1111_1111_1111_1111_1111_1111_1111_1111_1111_1111_1111_1111
// protected static final int BIT_LENGTH = 63;
protected static final int BIT_LENGTH = 72;
BitSet status = BitSet.valueOf(new long[] {Long.valueOf("111000111", 2)});
// ...
IntStream.range(0, BIT_LENGTH).forEach(i -> {
JCheckBox c = new JCheckBox(Integer.toString(i), status.get(i));
c.addActionListener(e -> {
JCheckBox cb = (JCheckBox) e.getSource();
BitSet newValue = status.get(0, BIT_LENGTH);
newValue.set(i, cb.isSelected());
undoSupport.postEdit(new StatusEdit(status, newValue));
status = newValue;
label.setText(print(status));
});
panel.add(c);
});
View in GitHub: Java, Kotlin解説
JCheckBox
の選択状態をBitSet
で管理UndoManager
を使用したアンドゥ・リドゥは、JCheckBoxの選択状態をBigIntegerで記憶し、UndoManagerを使用して元に戻したりやり直したりすると同じJCheckBox
がクリックされて値が変化した場合、BitSet
内のビットを2
進数の形で表示BitSet#toLongArray()
を使用しているので、Long.MAX_VALUE
より2
進数での桁数が大きくなる場合は注意が必要BitSet#toLongArray()
が返すlong
配列は、0
から63
ビットがインデックス0
、64
から127
ビットがインデックス1
と続くBitSet
内のビットが空の場合、bitSet.toLongArray().length
は0
となり、bitSet.toLongArray()[0]
はArrayIndexOutOfBoundsException
になる0
から63
ビットのすべてにフラグがある場合(0b1111_1111_1111_1111_1111_1111_1111_1111_1111_1111_1111_1111_1111_1111_1111_1111
)、Long.toString(..., 2)
は-1
になるので、Long.toUnsignedString(..., 2)
を使用する必要があるprivate static String print(BitSet l) { long[] la = l.toLongArray(); StringBuilder buf = new StringBuilder(); for (int i = la.length - 1; i >= 0; i--) { buf.append(Long.toUnsignedString(la[i], 2)); } String b = buf.toString(); int count = l.cardinality(); return "<html>0b" + ZEROPAD.substring(b.length()) + b + "<br/> count: " + count; }
参考リンク
- JCheckBoxの選択状態をBigIntegerで記憶し、UndoManagerを使用して元に戻したりやり直したりする
BigInteger
を使用する場合のサンプル
- java - BitSet toString() and valueOf() are difficult to understand - Stack Overflow