web-dev-qa-db-ja.com

repaint()in Java

可能性のある複製:
Java GUI repaint()problem?

Javaコードを記述しますが、GUIの問題に問題があります。JFrameオブジェクトにコンポーネントを追加するとき、GUIを更新するためにrepaint()メソッドを呼び出しますが、しかし、このフレームを最小化またはサイズ変更すると、GUIが更新されます。

ここに私のコードがあります:

public static void main(String[] args)
{
    JFrame frame = new JFrame();

    frame.setSize(460, 500);
    frame.setTitle("Circles generator");
    frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);

    frame.setVisible(true);

    String input = JOptionPane.showInputDialog("Enter n:");
    int n = Integer.parseInt(input);

    CircleComponent component = new CircleComponent(n);
    frame.add(component);
    component.repaint();
}
9
user1141672

JComponentを既に表示されているコンテナに追加した場合、

frame.getContentPane().validate();
frame.getContentPane().repaint();

例えば

import Java.awt.Color;
import Java.awt.Dimension;
import Java.awt.Graphics;
import javax.swing.JFrame;
import javax.swing.JLabel;
import javax.swing.JOptionPane;

public class Main {

    public static void main(String[] args) {
        JFrame frame = new JFrame();
        frame.setSize(460, 500);
        frame.setTitle("Circles generator");
        frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);

        SwingUtilities.invokeLater(new Runnable() {
            public void run() {
              frame.setVisible(true);
           }
        });

        String input = JOptionPane.showInputDialog("Enter n:");
        CustomComponents0 component = new CustomComponents0();
        frame.add(component);
        frame.getContentPane().validate();
        frame.getContentPane().repaint();
    }

    static class CustomComponents0 extends JLabel {

        private static final long serialVersionUID = 1L;

        @Override
        public Dimension getMinimumSize() {
            return new Dimension(200, 100);
        }

        @Override
        public Dimension getPreferredSize() {
            return new Dimension(300, 200);
        }

        @Override
        public void paintComponent(Graphics g) {
            int margin = 10;
            Dimension dim = getSize();
            super.paintComponent(g);
            g.setColor(Color.red);
            g.fillRect(margin, margin, dim.width - margin * 2, dim.height - margin * 2);
        }
    }
}
15
mKorbel

単に書く:

frame.validate();
frame.repaint();

それはするでしょう。

よろしく

4
nIcE cOw

あなたは間違った順序で物事をやっています。

最初にall JComponentsをJFrameに追加してから、JFrameでpack()を呼び出してからsetVisible(true)を呼び出す必要があります。

後でGUIのサイズを変更できるJComponentsを追加した場合は、pack()を再度呼び出し、その後、JFrameでrepaint()を呼び出す必要があります。

フレームを実際に再描画させるには、frame.repaint()も呼び出す必要があります。コンポーネントを再ペイントしようとする前に問題が発生しましたが、親のrepaint()メソッドが呼び出されるまで表示内容が更新されませんでした。

1
aoi222