1

在我的 customJFileChooser中,我想获得 Open 按钮,所以我使用以下代码:

private static JButton getOpenButton(Container c) {
  Validator.checkNull(c);

  int len = c.getComponentCount();
  JButton button = null;
  for (int index = 0; index < len; index++) {
    if (button != null) {
      break;
    }
    Component comp = c.getComponent(index);
    if (comp instanceof JButton) {
      JButton b = (JButton) comp;

      if ("Open".equals(b.getText())) {
        return b;
      }
    }
    else if (comp instanceof Container) {
      button = getOpenButton((Container) comp);
    }
  }
  return button;
}

这段代码的问题是它效率低下(因为递归)并且如果使用本地化也可能被破坏(因为“Open”这个词是硬编码的)。

我还想获得JTextField用户可以在其中输入文件的名称和路径的信息。我正在使用此代码来获取此组件:

private static JTextField getTextField(Container c) {
  Validator.checkNull(c);

  int len = c.getComponentCount();
  JTextField textField = null;
  for (int index = 0; index < len; index++) {
    if (textField != null) {
      break;
    }
    Component comp = c.getComponent(index);
    if (comp instanceof JTextField) {
      return (JTextField) comp;
    }
    else if (comp instanceof Container) {
      textField = getTextField((Container) comp);
    }
  }
  return textField;
}

有没有更好的方法可以获得打开按钮和JTextField

4

1 回答 1

1

在我的自定义文件选择器的构造函数中,我调用了该setApproveButtonText方法并传入了一个自定义字符串以用于“打开”按钮。在使用以下方法获得“打开”按钮之前,我调用了此方法getOpenButton。这样,无论 JVM 使用什么语言环境,我都可以保证在任何操作系统平台上都能获得打开按钮。

private final String title;

public CustomFileChooser(String title) {
  this.title = title;
  setApproveButtonText(title);
  this.button = getOpenButton(this);
}

private JButton getOpenButton(Container c) {
  Validator.checkNull(c);

  int len = c.getComponentCount();
  JButton button = null;
  for (int index = 0; index < len; index++) {
    if (button != null) {
      break;
    }
    Component comp = c.getComponent(index);
    if (comp instanceof JButton) {
      JButton b = (JButton) comp;

      if (this.title.equals(b.getText())) {
        return b;
      }
    }
    else if (comp instanceof Container) {
      button = getOpenButton((Container) comp);
    }
  }
  return button;
}
于 2013-01-11T20:51:34.763 回答