a) Many GUI applications have metres that indicate the progress made so far towards completing an activity as a percentage of the anticipated total activity. Write a program to display a progress metre as follows. The metre consists of a window with a column of 11 labels. The first 10 labels indicate progress steps of 10% and are initially red. The bottom label shows the amount of activity remaining as a textual percentage, and is initially set to “0%”.用java帮我实现
时间: 2024-02-16 08:03:56 浏览: 73
能显示百分比的进度条
好的,下面是一个简单的Java程序实现您的要求:
```java
import javax.swing.*;
import java.awt.*;
public class ProgressBar extends JFrame {
private JLabel[] labels = new JLabel[10];
private JLabel remainingLabel = new JLabel("0%");
public ProgressBar() {
setTitle("Progress Meter");
setSize(200, 300);
setLocationRelativeTo(null);
setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
JPanel panel = new JPanel(new GridLayout(11, 1));
for (int i = 0; i < 10; i++) {
labels[i] = new JLabel(i * 10 + "%");
labels[i].setForeground(Color.RED);
panel.add(labels[i]);
}
panel.add(remainingLabel);
add(panel);
setVisible(true);
}
public void setProgress(int percentage) {
int step = percentage / 10;
for (int i = 0; i < step; i++) {
labels[i].setForeground(Color.GREEN);
}
labels[step].setForeground(Color.YELLOW);
remainingLabel.setText((100 - percentage) + "%");
}
public static void main(String[] args) {
ProgressBar progressBar = new ProgressBar();
for (int i = 0; i <= 100; i += 10) {
progressBar.setProgress(i);
try {
Thread.sleep(500); // 等待0.5秒钟
} catch (InterruptedException e) {
e.printStackTrace();
}
}
System.exit(0);
}
}
```
在这个程序中,我们使用了Java的Swing库来创建一个窗口。我们创建了一个JPanel,将10个标签和一个底部标签添加到其中。在底部标签中,我们显示了剩余的百分比,以反映完成进度。
我们还定义了一个`setProgress`方法,该方法接受一个百分比参数并更新窗口中的标签以反映完成进度。在`setProgress`方法中,我们首先计算完成步骤,并将前面的标签颜色设置为绿色,当前标签颜色设置为黄色。然后,我们更新底部标签以显示剩余的百分比。
在`main`方法中,我们创建了一个`ProgressBar`对象,并通过循环模拟了进度。每次循环,我们将进度百分比传递给`setProgress`方法,并等待0.5秒钟,以使程序更容易观察到界面的变化。最后,我们调用`System.exit(0)`来退出程序。
希望这个程序能够满足您的需求。
阅读全文