选中时 JCheckBox 不更新

JCheckBox not updating when selected

我正在使用 JCheckBox 查找客户想要购买的商品,如果选择了 JCheckBox(hat),则总计 += hatprice,但它不会更新总计。 我的代码:

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

public class NgaFillimi extends JFrame implements ActionListener{

    private JCheckBox hat;
    private JLabel thetotal;
    private int total = 0;

    public NgaFillimi() {

        Container c = getContentPane();
        c.setLayout(new FlowLayout());
        hat = new JCheckBox("hat");
        thetotal = new JLabel("The total is " + total);

        hat.addActionListener(this);

        c.add(thetotal);
        c.add(hat);
    }

    @Override
    public void actionPerformed(ActionEvent evt) {
        if (hat.isSelected()) {
            total += 50;
        }
    }

    public static void main(String[] args) {
        NgaFillimi gui = new NgaFillimi();
        gui.setSize(300,200);
        gui.setVisible(true);
        gui.setDefaultCloseOperation(EXIT_ON_CLOSE);
        gui.setTitle("GUI");
    }

}

您正在遭受 "magical thinking" 的困扰。是的,total 变量 改变了,但是 JLabel 的文本不会仅仅因为全部改变而自行神奇地改变。 编码人员必须在总计更改后通过在您的 actionPerformed 方法中重新调用 thetotal.setText(...) 自己更改它。

为什么您的代码不起作用?因为 JLabel 只知道它的文本被设置为 String 一次,仅此而已。它显示的字符串对象永远不会改变(也不会因为字符串是不可变的)。同样,JLabel 更改其显示的唯一方法是显式调用其 setText 方法。

此外,如果您修复了代码,以便每次选择 JCheckBox 时 JLabel 都会适当更新,那么它的行为将不会很好,因为每次取消选择 JCheckBox 然后重新选择,总数再次增加,这似乎不对。最好在未选中 JCheckBox 时删除 50,然后在选中时再添加 50。


I'm trying to what you said now that I fixed it, but it's getting negative, since I have a bunch of other JCheckBoxes

然后不要 add/subtract,而是考虑为您的 gui 提供一个方法,比如称为 sumAllCheckBoxes() 并让所有 JCheckBox 侦听器调用此方法,无论它们是否被选中。该方法会将总数归零 - total = 0;,然后遍历所有 JCheckBox,如果选中 JCheckBox,则会增加成本,例如:

public void sumAllCheckBoxes() {
    total = 0;
    if (someCheckBox.isSelected()) {
        total += someValue;
    }
    if (someOtherCheckBox.isSelected()) {
        total += someOtherValue;
    }

    // .... etc...

    // then set the text for theTotal here

}

最后它设置了 JLabel。关键是在程序的每一步都仔细考虑您希望代码做什么。

您还没有更新实际 JLabel。相反,您更新了 total 变量。要更新 JLabel,您需要显示 thetotal.setText("The total is " + total).

的代码