import javax.swing.*;
import java.awt.*;
import java.awt.event.*;

public class Background {
  JFrame frame = new JFrame();
  JMenuBar menubar;
  JTextArea field;
  JMenuItem black, white;

  Background(){

    frame.setLayout(new GridLayout(1,2));
    frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
    frame.setSize(new Dimension(600,200));

    JPanel jp1 = new JPanel();
    jp1.setBackground(Color.BLACK);

    field = new JTextArea();
    field.setLayout(new BoxLayout(field, BoxLayout.Y_AXIS));
    for(String m : message){
        field.add(new JLabel(m));
    }

    menubar = new JMenuBar();
    frame.setJMenuBar(menubar);
    JMenu changecolor = new JMenu("change color");
    menubar.add(changecolor);
    black = new JMenuItem("black");
    white = new JMenuItem("black");

    black.addActionListener(new FarbListener(frame, Color.WHITE));


    changecolor.add(black);
    changecolor.add(white);

    frame.add(field);
    frame.add(jp1);
    frame.setVisible(true);
   }

   class FarbListener implements ActionListener{
      private final JFrame frameToWorkOn;
      private final Color colorToSet;

      FarbListener(JFrame frameToWorkOn, Color colorToSet){
        this.frameToWorkOn = frameToWorkOn;
        this.colorToSet = colorToSet;
     }

     public void actionPerformed(ActionEvent e) {
       frameToWorkOn.setBackground(colorToSet);
     }
  }

  public static void main(String[]args){
    new Background();
  }


}

我需要创建一个GUI并将ActionListener添加到JMenuItems中。

GUI工作正常,但是我无法使ActionListener正常工作。

给出的代码无法更改(它需要实现ActionListener,而我需要编写一个构造函数)。

当我按下MenuItem的“黑色”时,它确实变成了背景色。

最佳答案

针对您的特定问题;我会说:只需将这些东西传递给您的监听器,就像这样:

class FarbListener implements ActionListener{
  private final JFrame frameToWorkOn;
  private final Color colorToSet;

  FarbListener(JFrame frameToWorkOn, Color colorToSet){
    this.frameToWorkOn = frameToWorkOn;
    this.colorToSet = colorToSet;
 }

 public void actionPerformed(ActionEvent e) {
   frameToWorkOn.setBackground(colorToSet);
 }


}

您可以通过将局部变量转换为Background类的字段来简化整体工作,例如:

public class Background {
  private final JFrame frame = new JFrame();

  public Background() {
    frame.setVisible();


等等……直到现在;您不需要再传递框架对象,因为您的内部类只需知道它即可。

09-11 18:43