JAVA 实现一个简单的计算器,前面是一个文本框(操作数1),后面是标签(操作符),再后面是一个文本框(操作数2),然后是一个"="按钮(JButton),最后是一个文本框(结果) (1)实现按钮ActionEvent事件的处理,点击等号获取计算结果,并显示在最后一个文本框; (2)实现第二个文本框的ActionEvent事件处理,在第二个文本框按回车,直接获得计算结果,并显示在最后一个文本框。(事件源为第二个文本框) (3)实现运算符标签的MouseEvent事件的处理,点击标签,可以更换标签的运算符,比如:将加号改成减号,从而实现减法功能,点击等号按钮,实现减法运算,并将结果显示在第三个文本框中。(具体实现:实现mouseClicked()时,判断鼠标单击次数是否为除4余0、余1、余2、余3,比如余为1,则将运算符标签上的字符修改为”-”,从而实现减法运算)
时间: 2023-12-06 19:02:17 浏览: 83
下面是一个简单的Java计算器程序的示例代码,其中实现了上述三个功能:
```java
import java.awt.*;
import java.awt.event.*;
import javax.swing.*;
public class Calculator extends JFrame implements ActionListener, MouseListener {
private JTextField input1, input2, result;
private JLabel operator;
private JButton equalBtn;
private int operatorIndex = 0;
private String[] operators = {"+", "-", "*", "/"};
public Calculator() {
setTitle("Calculator");
setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
setSize(300, 150);
JPanel panel = new JPanel(new GridLayout(1, 5));
input1 = new JTextField();
operator = new JLabel(operators[operatorIndex], JLabel.CENTER);
input2 = new JTextField();
equalBtn = new JButton("=");
result = new JTextField();
input2.addActionListener(this);
equalBtn.addActionListener(this);
operator.addMouseListener(this);
panel.add(input1);
panel.add(operator);
panel.add(input2);
panel.add(equalBtn);
panel.add(result);
setContentPane(panel);
setVisible(true);
}
public void actionPerformed(ActionEvent e) {
if (e.getSource() == equalBtn || e.getSource() == input2) {
double num1 = Double.parseDouble(input1.getText());
double num2 = Double.parseDouble(input2.getText());
double res = 0;
switch (operatorIndex) {
case 0:
res = num1 + num2;
break;
case 1:
res = num1 - num2;
break;
case 2:
res = num1 * num2;
break;
case 3:
res = num1 / num2;
break;
}
result.setText(Double.toString(res));
}
}
public void mouseClicked(MouseEvent e) {
if (e.getClickCount() % 4 == 1) {
operatorIndex = (operatorIndex + 1) % 4;
operator.setText(operators[operatorIndex]);
}
}
public void mousePressed(MouseEvent e) {}
public void mouseReleased(MouseEvent e) {}
public void mouseEntered(MouseEvent e) {}
public void mouseExited(MouseEvent e) {}
public static void main(String[] args) {
Calculator calc = new Calculator();
}
}
```
在这个程序中,我们首先创建了一个 `JFrame` 窗口,并添加了一个包含文本框、标签、按钮的 `JPanel` 面板。在 `JTextField` 和 `JButton` 上添加了 `ActionListener` 监听器,以便在用户按下回车或点击按钮时触发事件。在标签上添加了 `MouseListener` 监听器,以便在用户点击标签时切换运算符。
在 `actionPerformed()` 方法中,我们首先判断事件源是等号按钮还是第二个文本框,然后根据当前的运算符计算结果并显示在结果文本框中。
在 `mouseClicked()` 方法中,我们通过判断鼠标单击次数的余数来切换运算符。例如,如果余数为1,则将运算符标签上的文本改为“-”,并将运算符索引设置为1,从而实现减法运算。
运行这个程序,你将会看到一个简单的计算器界面,可以进行加、减、乘、除四种基本运算。你可以尝试点击标签切换运算符,或者按下回车键直接获得计算结果。
阅读全文