クラスに多くのことを要求しているため、GUI クラスをリスナー クラスにもしないでください。代わりに、匿名内部リスナー クラスまたはプライベート内部クラスの使用を検討してください。ちなみに、ボタンにリスナーを追加している場所がわかりません。また、私のお金のために、Swing ははるかに堅牢で柔軟であるため、AWT GUI ではなく Swing GUI を作成します。
また、上記の例では、実際にはすべてのボタン オブジェクトに同じアクション リスナーを与えることに注意してください。Swing を使用している場合は、単純に ActionEvent オブジェクトの actionCommand を取得できます。これは、関心のある数値 String になります。10 if ブロックや switch ブロックは必要ありません。
たとえば、これは JTextField に数値を表示する非常に単純なロジックを示していますが、計算ロジックはありません。
import java.awt.BorderLayout;
import java.awt.GridLayout;
import java.awt.event.ActionEvent;
import javax.swing.*;
public class CalcEg {
private static final float BTN_FONT_SIZE = 18f;
private static final String[][] BTN_LABELS = {
{"7", "8", "9", "-"},
{"4", "5", "6", "+"},
{"1", "2", "3", "/"},
{"0", ".", "=", "*"}
};
private JPanel mainPanel = new JPanel();
private JTextField textField = new JTextField(10);
public CalcEg() {
int rows = BTN_LABELS.length;
int cols = BTN_LABELS[0].length;
int gap = 4;
JPanel buttonPanel = new JPanel(new GridLayout(rows, cols, gap, gap));
for (String[] btnLabelRow : BTN_LABELS) {
for (String btnLabel : btnLabelRow) {
JButton btn = createButton(btnLabel);
if ("0123456789.".contains(btnLabel)) {
btn.setAction(new NumberListener(btnLabel));
}
buttonPanel.add(btn);
}
}
textField.setFont(textField.getFont().deriveFont(BTN_FONT_SIZE));
mainPanel.setLayout(new BorderLayout(gap, gap));
mainPanel.setBorder(BorderFactory.createEmptyBorder(gap, gap, gap, gap));
mainPanel.add(textField, BorderLayout.PAGE_START);
mainPanel.add(buttonPanel, BorderLayout.CENTER);
}
private JButton createButton(String btnLabel) {
JButton button = new JButton(btnLabel);
button.setFont(button.getFont().deriveFont(BTN_FONT_SIZE));
return button;
}
public JComponent getMainComponent() {
return mainPanel;
}
private class NumberListener extends AbstractAction {
NumberListener(String actionCommand) {
super(actionCommand);
}
@Override
public void actionPerformed(ActionEvent e) {
String actionCommand = e.getActionCommand();
textField.setText(textField.getText() + actionCommand);
}
}
private static void createAndShowGui() {
CalcEg mainPanel = new CalcEg();
JFrame frame = new JFrame("CalcEg");
frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
frame.getContentPane().add(mainPanel.getMainComponent());
frame.pack();
frame.setLocationByPlatform(true);
frame.setVisible(true);
}
public static void main(String[] args) {
SwingUtilities.invokeLater(new Runnable() {
public void run() {
createAndShowGui();
}
});
}
}