• category: swing folder: DragDropEndNewFrame title: JTabbedPaneのタブがフレーム外にドロップされたら新規JFrameを作成する tags: [JTabbedPane, DragAndDrop, JFrame] author: aterai pubdate: 2022-02-14T02:16:38+09:00 description: JTabbedPaneのタブをドラッグしてフレーム外にドロップされたら新規JFrameとそのタブを配置したJTabbedPaneを作成します。 image: https://drive.google.com/uc?id=1q7P74R90Zr4SF7HSk3SnhVhHaj5tap4P

概要

JTabbedPaneのタブをドラッグしてフレーム外にドロップされたら新規JFrameとそのタブを配置したJTabbedPaneを作成します。

サンプルコード

class TabDragSourceListener implements DragSourceListener {
  @Override public void dragEnter(DragSourceDragEvent e) {
    e.getDragSourceContext().setCursor(DragSource.DefaultMoveDrop);
  }

  @Override public void dragExit(DragSourceEvent e) {
    e.getDragSourceContext().setCursor(DragSource.DefaultMoveNoDrop);
  }

  @Override public void dragDropEnd(DragSourceDropEvent e) {
    Component c = e.getDragSourceContext().getComponent();
    JRootPane root = ((JComponent) c).getRootPane();
    Class<GhostGlassPane> clz = GhostGlassPane.class;
    Optional.ofNullable(root.getGlassPane())
        .filter(clz::isInstance).map(clz::cast)
        .ifPresent(p -> p.setVisible(false));
    boolean dropSuccess = e.getDropSuccess();
    Window w = SwingUtilities.getWindowAncestor(c);
    boolean outOfFrame = !w.getBounds().contains(e.getLocation());
    if (dropSuccess && outOfFrame && c instanceof DnDTabbedPane) {
      DnDTabbedPane src = (DnDTabbedPane) c;
      int index = src.dragTabIndex;
      final Component cmp = src.getComponentAt(index);
      final Component tab = src.getTabComponentAt(index);
      final String title = src.getTitleAt(index);
      final Icon icon = src.getIconAt(index);
      final String tip = src.getToolTipTextAt(index);
      src.remove(index);
      DnDTabbedPane tabs = new DnDTabbedPane();
      tabs.setTabLayoutPolicy(JTabbedPane.SCROLL_TAB_LAYOUT);
      tabs.addTab(title, icon, cmp, tip);
      tabs.setTabComponentAt(0, tab);
      JFrame frame = new JFrame();
      frame.getContentPane().add(tabs);
      frame.setSize(320, 240);
      frame.setLocation(e.getLocation());
      frame.setVisible(true);
    }
  }

  @Override public void dropActionChanged(DragSourceDragEvent e) {
    /* not needed */
  }

  @Override public void dragOver(DragSourceDragEvent e) {
    /* not needed */
  }
}
View in GitHub: Java, Kotlin

解説

  • DragSourceListener#dragDropEnd(DragSourceDropEvent e)をオーバーライドしてタブのドロップが終了したとき、その位置がJTabbedPaneの親JFrameの範囲外の場合新規にJFrameJTabbedPaneを作成しタブの中身を移動する
  • ESCキーやマウスの右クリックによるドロップのキャンセルに対応するため、MimeTypeDataFlavor.javaJVMLocalObjectMimeTypeDataFlavorだけではなくファイルリスト対応のDataFlavor.javaFileListFlavorもドロップ可能に設定し、親JFrameにタブがドロップされたら空ファイルリストをコピー(空なので実際は何もコピーしない)してドロップが成功したと見せかけている
    • 空ファイルリストをコピーでドロップが成功したら新規JFrameを作成してタブをコピーし、ドラッグ元からタブを削除
    • ドラッグ中にESCキーなどでドロップがキャンセルされたらDragSourceDropEvent#getDropSuccess()falseになるので、この場合は何もせずにドラッグ終了
  • タブのドロップ先のアプリケーションが空ファイルのドロップに対応している場合、そのアプリケーションが新規JFrameより手前に表示されることがある
  • ファイルのドロップが不可のアプリケーション上では新規JFrameを作成できない

参考リンク

コメント