私が理解していることについては、Swing はいつ再描画する必要があるかを決定しpaintComponent()
ます。しかし、16 ミリ秒スリープし、再描画し、16 ミリ秒スリープし、再描画し、16 ミリ秒スリープするなどのアプリケーションを作成しました。
while(true)
{
frame.repaint();
try{Thread.sleep(16)}catch(Exception e){}
}
60fpsで動作するはずです。ただし、FPS 測定プログラム (FRAPS など) は、アプリケーションが 120fps で実行されることを示しています。したがって、基本的に、アプリケーションが行っていることは次のとおりです: フレームを描画し、フレームを描画し、フレームを描画し、フレームを描画し、フレームを描画し、スリープします...repaint()
呼び出しごとに 1 つのフレームを描画するように swing に指示するにはどうすればよいでしょうか? (ああ、Timer
代わりにa を使用してみましsleep()
たが、結果は同じです)。
たとえば、Oracle チュートリアルで見つかった SwingPaintDemo を次に示します。16ms ごとに再描画する while ループを追加しました。undecorated も true に設定しました (FRAPS が 1 秒あたりの実際のフレーム数を表示する唯一の方法です)。
import java.awt.*;
import java.awt.event.*;
import javax.swing.*;
/*
***************************************************************
* Silly Sample program which demonstrates the basic paint
* mechanism for Swing components.
***************************************************************
*/
public class SwingPaintDemo {
public static void main(String[] args) {
JFrame f = new JFrame("Aim For the Center");
f.addWindowListener(new WindowAdapter() {
public void windowClosing(WindowEvent e) {
System.exit(0);
}
});
Container panel = new BullsEyePanel();
panel.add(new JLabel("BullsEye!", SwingConstants.CENTER), BorderLayout.CENTER);
f.setUndecorated(true);
f.setSize(200, 200);
f.getContentPane().add(panel, BorderLayout.CENTER);
f.show();
while(true)
{
f.repaint();
try{Thread.sleep(16);}catch(Exception e){}
}
}
}
/**
* A Swing container that renders a bullseye background
* where the area around the bullseye is transparent.
*/
class BullsEyePanel extends JPanel {
public BullsEyePanel() {
super();
setOpaque(false); // we don't paint all our bits
setLayout(new BorderLayout());
setBorder(BorderFactory.createLineBorder(Color.black));
}
public Dimension getPreferredSize() {
// Figure out what the layout manager needs and
// then add 100 to the largest of the dimensions
// in order to enforce a 'round' bullseye
Dimension layoutSize = super.getPreferredSize();
int max = Math.max(layoutSize.width,layoutSize.height);
return new Dimension(max+100,max+100);
}
protected void paintComponent(Graphics g) {
super.paintComponent(g);
Dimension size = getSize();
int x = 0;
int y = 0;
int i = 0;
while(x < size.width && y < size.height) {
g.setColor(i%2==0? Color.red : Color.white);
g.fillOval(x,y,size.width-(2*x),size.height-(2*y));
x+=10; y+=10; i++;
}
}
}