是否可以在JTree的节点行之间添加一些空格?我为节点图标使用了自定义图像,并且我猜图像比标准节点图标大,因此节点图标靠得很近。如果有一些分离,看起来会更好。

最佳答案

要在树节点之间添加实际实际间隔,您将必须修改UI并返回适当的AbstractLayoutCache后续类(默认情况下,JTree使用两个类,具体取决于行高值:FixedHeightLayoutCache或VariableHeightLayoutCache)。

在节点之间添加一些间距的最简单方法是修改渲染器,因此它将具有一些额外的边框,例如:

public static void main ( String[] args )
{
    JFrame frame = new JFrame ();

    JTree tree = new JTree ();
    tree.setCellRenderer ( new DefaultTreeCellRenderer ()
    {
        private Border border = BorderFactory.createEmptyBorder ( 4, 4, 4, 4 );

        public Component getTreeCellRendererComponent ( JTree tree, Object value, boolean sel,
                                                        boolean expanded, boolean leaf, int row,
                                                        boolean hasFocus )
        {
            JLabel label = ( JLabel ) super
                    .getTreeCellRendererComponent ( tree, value, sel, expanded, leaf, row,
                            hasFocus );
            label.setBorder ( border );
            return label;
        }
    } );
    frame.add ( tree );

    frame.pack ();
    frame.setLocationRelativeTo ( null );
    frame.setDefaultCloseOperation ( JFrame.EXIT_ON_CLOSE );
    frame.setVisible ( true );
}

这仍然比仅设置静态行高(如Subs在注释中向您提供)要难一些,但是由于各种操作系统上可能的字体大小和样式不同,它会更好。因此,您在任何地方都不会遇到尺寸问题。

顺便说一句,您还可以按照自己喜欢的方式更改节点选择表示,这样您甚至可以在视觉上伪造间距。

09-11 18:06