paintComponent:每次延迟后绘制不同的几何形状

时间:2012-01-24 17:41:17

标签: java swing animation graphics2d

我希望paintComponent方法在每次延迟后绘制不同的几何对象。

我已经看到System.currentTimeMillis()函数的答案我想使用Timer类。你能救我吗?

1 个答案:

答案 0 :(得分:1)

您可以开始学习java中的线程。在这里,我刚刚修改了(通过添加Animator)到sun tutorials

的样本

诀窍是现在线程(下面Animator)每0.5秒更新一次画家的变量,并调用面板重新绘制。

以下是完整的样本:

package com.swing.examples;

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

import com.swing.examples.BullsEyePanel.Animator;

/*
 ***************************************************************
 * 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);
            }
        });
        BullsEyePanel panel = new BullsEyePanel();
        panel.add(new JLabel("BullsEye!", SwingConstants.CENTER), BorderLayout.CENTER);
        f.getContentPane().add(panel, BorderLayout.CENTER);
        f.pack();
        f.show();
        Animator animator = panel.new Animator(panel);
        animator.start();
    }
}

/**
 * A Swing container that renders a bullseye background
 * where the area around the bullseye is transparent.
 */
class BullsEyePanel extends JPanel {
    private int i = 0;
    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) {
        Dimension size = getSize();
        int x = 0;
        int y = 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++;
        }
    }
    class Animator extends Thread{
        private BullsEyePanel painter;
        private int sleepTime = 500; //half a second
        public Animator(BullsEyePanel painter){
            this.painter = painter;
        }
        public void run(){
            while(true){
                painter.i++;
                painter.repaint();
                try{
                    Thread.sleep(sleepTime);
                }
                catch(InterruptedException e){
                    e.printStackTrace();
                }
            }       
        }
    }
}