Java编程挑战:创建类似GUI计算器的界面



这可能是一个基本问题。然而,我已经读完了《Java编程的绝对初学者》的第7章,并接近了挑战部分。在挑战题中,我不能很好地使用清除按钮。

问题问:

创建一个数字键盘,该键盘通过将单击的数字附加到当前数字的末尾来更新不可编辑的TextField。使用边框布局。在BorderLayout。北面,放置TextField。在中心,创建一个面板,使用GridLayout在一个3乘3的网格中布局按钮1到9。在BorderLayout。南,创建另一个面板,该面板具有零键和"清除"键,用于删除TextField中的当前数字。

我认为我的主要问题是在TextArea追加方法。我知道我应该使用TextField,但是根据我所做的研究,在TextField内追加似乎是不可能的。

这个问题的答案可能会帮助许多新的Java程序员理解基本的GUI和事件处理。

import java.awt.*;
import java.awt.event.*;
public class CalcFacade extends GUIFrame
                                    implements ActionListener, TextListener {
TextField tf;
TextArea ta;
Panel p1, p2;
Label clear;
Button b1, b2, b3, b4, b5, b6, b7, b8, b9, c, b0;
public CalcFacade() {
    super("Calculator Facade");
    setLayout(new BorderLayout());
Button b1 = new Button("1");
b1.addActionListener(this);
Button b2 = new Button("2");
b2.addActionListener(this);
Button b3 = new Button("3");
b3.addActionListener(this);
Button b4 = new Button("4");
b4.addActionListener(this);
Button b5 = new Button("5");
b5.addActionListener(this);
Button b6 = new Button("6");
b6.addActionListener(this);
Button b7 = new Button("7");
b7.addActionListener(this);
Button b8 = new Button("8");
b8.addActionListener(this);
Button b9 = new Button("9");
b9.addActionListener(this);
Button b0 = new Button("0");
b0.addActionListener(this);
Button c = new Button("Clear");
c.addActionListener(new ActionListener() {
    public void actionPerformed(ActionEvent e) {
    clear.setText("");
}
});
    tf = new TextField(100);
add(tf);
tf.setEnabled(false);
tf.addActionListener(this);
tf.addTextListener(this);
setVisible(false);
ta = new TextArea("", 10, 30);
    add(ta);
    ta.setEnabled(true);
    setVisible(true);

Panel p1 = new Panel();
p1.setLayout(new GridLayout(3, 3));
p1.setBackground(Color.gray);
p1.add(b1);
p1.add(b2);
p1.add(b3);
p1.add(b4);
p1.add(b5);
p1.add(b6);
p1.add(b7);
p1.add(b8);
p1.add(b9);
Panel p2 = new Panel();
p2.setBackground(Color.gray);
p2.add(b0);
p2.add(c);
add(ta, BorderLayout.NORTH);
add(p1, BorderLayout.CENTER);
add(p2, BorderLayout.SOUTH);
pack();
setSize(400, 300);
setVisible(true);
}
public static void main(String args[]) {
    CalcFacade cf = new CalcFacade();
}
public void actionPerformed(ActionEvent e) {
   tf.setText(""
    +((Button)e.getSource()).getLabel());
}
public void textValueChanged(TextEvent e) {
    ta.append(tf.getText());
}
}
我提前非常感谢你的所有帮助。

TextField不需要监听事件,只需要监听按钮。

要在末尾添加数字,只需将文本设置为TextField中已经存在的内容加上按钮标签。

只有一个ActionListener和一个actionPerformed方法;识别按钮并适当设置TextField,即c.d addactionlistener (this);

public void actionPerformed(ActionEvent e)
{
    Button b = (Button) e.getSource();
    if (b.getLabel().equals("Clear"))
    {
        tf.setText("");
    }
    else
    {
        tf.setText(tf.getText() + b.getLabel());
    }
}

看起来像你的"Clear"按钮的ActionListenerLabel clear上调用setText(""),当我猜你想在TextField tf上调用它。

相关内容

  • 没有找到相关文章

最新更新