2

我有一个行为如下的 JTree:

  • 根有一个类型为的用户对象RootObject;它使用纯文本标签,并且在树的整个生命周期内都是静态的。
  • 每个孩子都有一个类型为 的用户对象ChildObject,它可能处于以下三种状态之一:未运行、正在运行或已完成。
  • ChildObject未运行时,它是一个明文标签。
  • 运行时ChildObject,它使用图标资源并切换到 HTML 呈现,因此文本为斜体。
  • 完成ChildObject后,它使用不同的图标资源并使用 HTML 呈现以粗体显示文本。

目前,我的代码如下所示:

public class TaskTreeCellRenderer extends DefaultTreeCellRenderer {
    private JLabel label;

    public TaskTreeCellRenderer() {
        label = new JLabel();
    }

    public Component getTreeCellRendererComponent(JTree tree,
           Object value, boolean selected, boolean expanded, boolean leaf, int row, boolean hasFocus) {
        Object nodeValue = ((DefaultMutableTreeNode) value).getUserObject();

        if (nodeValue instanceof RootObject) {
            label.setIcon(null);
            label.setText(((RootObject) nodeValue).getTitle());
        } else if (nodeValue instanceof ChildObject) {
            ChildObject thisChild = (ChildObject) nodeValue;

            if (thisChild.isRunning()) {
                label.setIcon(new ImageIcon(getClass().getResource("arrow.png")));
                label.setText("<html><nobr><b>" + thisChild.getName() + "</b></nobr></html>");
            } else if (thisChild.isComplete()) {
                label.setIcon(new ImageIcon(getClass().getResource("check.png")));
                label.setText("<html><nobr><i>" + thisChild.getName() + "</i></nobr></html>");
            } else {
                label.setIcon(null);
                label.setText(thisChild.getName());
            }
        }

        return label;
    }
}

在大多数情况下,这很好。使用纯文本的标签可以很好地呈现初始树。问题是一旦ChildObject实例开始改变状态,JLabels 就会更新以使用 HTML 呈现,但不会调整大小以补偿文本或图标。例如:

初始状态:http:
//imageshack.us/a/img14/3636/psxi.png

进行中:http:
//imageshack.us/a/img36/7426/bl8.png

完成:http:
//imageshack.us/a/img12/4117/u34l.png

有什么想法我哪里出错了吗?提前致谢!

4

1 回答 1

2

所以你需要告诉树模型内容发生了变化。每次如果您的 ChildObject 的状态发生更改,您必须执行以下操作:

((DefaultTreeModel)tree.getModel()).reload(node);

,其中包含更改后nodeDefaultMutableTreeNodeChildObject。

Don't forget to use SwingUtilities.invokeLater() if the Status of child object is changed outside of the Swing-Thread (EDT).

于 2013-10-16T17:32:25.533 回答