> Java > java지도 시간 > Swing에서 이중 버퍼링된 애니메이션 JPanel을 통해 JTextField를 추가하고 초점을 맞추면 Java 1.6이 설치된 Mac OS X 10.5에서 깜박임 문제가 발생하는 이유는 무엇입니까?

Swing에서 이중 버퍼링된 애니메이션 JPanel을 통해 JTextField를 추가하고 초점을 맞추면 Java 1.6이 설치된 Mac OS X 10.5에서 깜박임 문제가 발생하는 이유는 무엇입니까?

Mary-Kate Olsen
풀어 주다: 2024-12-28 05:52:10
원래의
208명이 탐색했습니다.

Why does adding and focusing on a JTextField over a double-buffered animated JPanel in Swing cause flickering issues on Mac OS X 10.5 with Java 1.6?

JPanel의 활성 드로잉 위에 있는 JTextField, 스레딩 문제

Swing을 사용하여 상단에 적절한 멀티 버퍼 렌더링 환경을 만들 수 있습니다. 그 중 Swing 사용자 인터페이스 요소를 추가할 수 있습니다. 이 경우 배경에 애니메이션 빨간색 직사각형이 그려져 있습니다. 배경은 프레임마다 업데이트할 필요가 없으므로 이를 BufferedImage에 렌더링하고 직사각형의 이전 위치를 지우는 데 필요한 부분만 다시 그립니다.

지금까지는 괜찮습니다. 부드러운 애니메이션, 낮은 CPU 사용량, 깜박임 없음. 그런 다음 JPanel에 JTextField를 추가하고(화면의 아무 위치나 클릭하여) 텍스트 상자 내부를 클릭하여 초점을 맞춥니다. 이제 커서가 깜박일 때마다 이전 직사각형 위치 지우기가 실패합니다. 아래 이미지를 참조하세요.

왜 이런 일이 발생할 수 있는지 아는 사람이 있는지 궁금합니다. (스윙이 스레드로부터 안전하지 않습니까? 그려지는 이미지입니다. 비동기식으로?) 그리고 가능한 솔루션을 어떤 방향으로 찾을 것인가.

이것은 Mac OS 10.5, Java 1.6입니다.

NewTest JPanel을 확장합니다. 하지만 PaintComponent()를 호출할 때마다 모든 픽셀을 그리는 것이 아니기 때문에 슈퍼 클래스의 메서드를 호출하고 이전 그림을 지워야 합니다.

@Override
protected void paintComponent(Graphics g) {
    super.paintComponent(g);
    int width = this.getWidth();
    int height = this.getHeight();
    g.setColor(Color.black);
    g.fillRect(0, 0, width, height);
    ...
}
로그인 후 복사

추가: 언급한 대로 배경 설정 생성자의 색상을 사용하면 PaintComponent()에서 패널을 채울 필요가 없지만 super.paintComponent()를 사용하면 텍스트 필드가 올바르게 작동할 수 있습니다. 관찰한 바와 같이 제안된 해결 방법은 취약합니다. 대신, 코드를 단순화하고 보증된 대로 최적화하십시오. 예를 들어 복잡한 삽입, 추가 버퍼 및 구성 요소 리스너가 필요하지 않을 수 있습니다.

부록 2: super.paintComponent()는 UI 대리자의 update() 메서드를 호출하여 "지정된 구성 요소를 채웁니다." 배경색으로 변경합니다(불투명 속성이 true인 경우)." setOpaque(false)를 사용하면 이를 방지할 수 있습니다.

몇 가지 추가 기능과 최적화가 포함된 더욱 향상된 코드 버전:

import java.awt.Color;
import java.awt.Dimension;
import java.awt.EventQueue;
import java.awt.Graphics;
import java.awt.Graphics2D;
import java.awt.GraphicsConfiguration;
import java.awt.GraphicsEnvironment;
import java.awt.Rectangle;
import java.awt.Transparency;
import java.awt.event.ActionEvent;
import java.awt.event.ActionListener;
import java.awt.event.ComponentAdapter;
import java.awt.event.ComponentEvent;
import java.awt.event.MouseAdapter;
import java.awt.event.MouseEvent;
import java.awt.image.BufferedImage;
import java.util.Random;
import javax.swing.JFrame;
import javax.swing.JPanel;
import javax.swing.JTextField;
import javax.swing.Timer;

/** @see http://stackoverflow.com/questions/3256941 */
public class AnimationTest extends JPanel implements ActionListener {

    private static final int WIDE = 640;
    private static final int HIGH = 480;
    private static final int RADIUS = 25;
    private static final int FRAMES = 24;
    private final Timer timer = new Timer(20, this);
    private final Rectangle rect = new Rectangle();
    private BufferedImage background;
    private int index;
    private long totalTime;
    private long averageTime;
    private int frameCount;

    public static void main(String[] args) {
        EventQueue.invokeLater(new Runnable() {

            @Override
            public void run() {
                new AnimationTest().create();
            }
        });
    }

    private void create() {
        JFrame f = new JFrame("AnimationTest");
        f.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
        f.add(this);
        f.pack();
        f.setLocationRelativeTo(null);
        f.setVisible(true);
        timer.start();
    }

    public AnimationTest() {
        super(true);
        this.setOpaque(false);
        this.setPreferredSize(new Dimension(WIDE, HIGH));
        this.addMouseListener(new MouseHandler());
        this.addComponentListener(new ComponentHandler());
    }

    @Override
    protected void paintComponent(Graphics g) {
        long start = System.nanoTime();
        super.paintComponent(g);
        int w = this.getWidth();
        int h = this.getHeight();
        g.drawImage(background, 0, 0, this);
        double theta = 2 * Math.PI * index++ / 64;
        g.setColor(Color.blue);
        rect.setRect(
            (int) (Math.sin(theta) * w / 3 + w / 2 - RADIUS),
            (int) (Math.cos(theta) * h / 3 + h / 2 - RADIUS),
            2 * RADIUS, 2 * RADIUS);
        g.fillOval(rect.x, rect.y, rect.width, rect.height);
        g.setColor(Color.white);
        if (frameCount == FRAMES) {
            averageTime = totalTime / FRAMES;
            totalTime = 0; frameCount = 0;
        } else {
            totalTime += System.nanoTime() - start;
            frameCount++;
        }
        String s = String.format("%1.3f", averageTime / 1000000d);
        g.drawString(s, 5, 16);
    }

    @Override
    public void actionPerformed(ActionEvent e) {
        this.repaint();
    }

    private class MouseHandler extends MouseAdapter {

        @Override
        public void mousePressed(MouseEvent e) {
            super.mousePressed(e);
            JTextField field = new JTextField("test");
            Dimension d = field.getPreferredSize();
            field.setBounds(e.getX(), e.getY(), d.width, d.height);
            add(field);
        }
    }

    private class ComponentHandler extends ComponentAdapter {

        private final GraphicsEnvironment ge =
            GraphicsEnvironment.getLocalGraphicsEnvironment();
        private final GraphicsConfiguration gc =
            ge.getDefaultScreenDevice().getDefaultConfiguration();
        private final Random r = new Random();

        @Override
        public void componentResized(ComponentEvent e) {
            super.componentResized(e);
            int w = getWidth();
            int h = getHeight();
            background = gc.createCompatibleImage(w, h, Transparency.OPAQUE);
            Graphics2D g = background.createGraphics();
            g.clearRect(0, 0, w, h);
            g.setColor(Color.green.darker());
            for (int i = 0; i < 128; i++) {
                g.drawLine(w / 2, h / 2, r.nextInt(w), r.nextInt(h));
            }
            g.dispose();
            System.out.println("Resized to " + w + " x " + h);
        }
    }
}
로그인 후 복사

위 내용은 Swing에서 이중 버퍼링된 애니메이션 JPanel을 통해 JTextField를 추가하고 초점을 맞추면 Java 1.6이 설치된 Mac OS X 10.5에서 깜박임 문제가 발생하는 이유는 무엇입니까?의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!

원천:php.cn
본 웹사이트의 성명
본 글의 내용은 네티즌들의 자발적인 기여로 작성되었으며, 저작권은 원저작자에게 있습니다. 본 사이트는 이에 상응하는 법적 책임을 지지 않습니다. 표절이나 침해가 의심되는 콘텐츠를 발견한 경우 admin@php.cn으로 문의하세요.
저자별 최신 기사
인기 튜토리얼
더>
최신 다운로드
더>
웹 효과
웹사이트 소스 코드
웹사이트 자료
프론트엔드 템플릿