Позиция JPanel выбита BufferStrategy - PullRequest
0 голосов
/ 01 ноября 2018

У меня есть JFrame, к которому я добавляю JPanel. Я делаю анимацию, поэтому я реализую BufferStrategy для рендеринга. У меня также есть цикл рендеринга, чтобы сохранить его рендеринг во время работы.

Если я запускаю программу как обычно, JPanel рендерится правильно. Конечно, тогда нет анимации. Если я запускаю его с циклом и BufferedStrategy, JPanel распространяется на полный размер приложения и под строкой заголовка JFrame. Я не могу найти вескую причину для этого, но это расстраивает, потому что мне нужно сделать какой-то точный рисунок, и некоторые из них не могут быть скрыты под строкой заголовка.

Я предполагаю, что это потому, что я не звоню super.paintComponent(), но я действительно не должен вызывать это в любом случае, так как я выполняю рендеринг самостоятельно, а не в обычном конвейере Swing.

Нужно ли выполнить какой-либо вызов API, чтобы правильно позиционировать JPanel в моем вызове рендеринга?

import java.awt.Graphics;
import java.awt.image.BufferStrategy;
import javax.swing.JFrame;

public class MainFrame extends JFrame implements Runnable {

    private static final long serialVersionUID = 2190062312369662956L;

    protected ViewPanel _viewPanel = null;

    public MainFrame() {
        setDefaultCloseOperation( JFrame.EXIT_ON_CLOSE );

        createGui();
    }

    protected void createGui() {

        setSize( 600, 400 );
        setTitle( "Exact Positioning" );
        setVisible( true );
        setResizable( false );

        _viewPanel = new ViewPanel();
        _viewPanel.init();

        // the layout type shouldn't matter since this is the only component in the frame
        add( _viewPanel );
    }

    @Override
    public void run() {

        // setup
        this.createBufferStrategy( 2 );
        BufferStrategy buffStrategy = this.getBufferStrategy();

        // render loop
        while( true ) {

            Graphics g = null;
            try {
                g = buffStrategy.getDrawGraphics();
                _viewPanel.render( g );
            } finally {
                g.dispose();
            }
            buffStrategy.show();

            // pause a tad
            try {
                Thread.sleep( 500 );
            } catch (InterruptedException e) {
                // Required catch block
                e.printStackTrace();
            } catch (Exception e) {
                System.out.println( "Sorry, don't know what happened: " + e.toString() );
                e.printStackTrace();
            }
        }
    }


    public static void main(String[] args) {

        Thread t1 = new Thread(new MainFrame()); 
        t1.start();
        // if I start the app this way, the JPanel draws correctly
//      MainFrame a = new MainFrame(); 
    }
}

JPanel:

import java.awt.Color;
import java.awt.Graphics;
import java.util.Random;

import javax.swing.JPanel;

public class ViewPanel extends JPanel {

    private static int APP_WIDTH = 600;
    private static int APP_HEIGHT = 400;

    private static final long serialVersionUID = -8019663913250286271L;

    public ViewPanel() {
        setBackground(Color.GRAY);
    }

    public void init() {
    }

    @Override
    protected void paintComponent(Graphics g) {

        super.paintComponent( g );

        render( g );
    }

    // Where I do the drawing. It's called from the rendering loop in the JFrame
    public void render( Graphics g ) {

        // refresh the background since we're not relying on paintComponent all the time
        Color bgc = getBackground();
        g.setColor( bgc );
        g.fillRect( 0, 0, APP_WIDTH, APP_HEIGHT );

        // just paint a moving box
        drawBox( g );

        // draw a line to prove correctness. In the loop, you can see part of this line is hidden
        // underneath the title bar
        g.setColor( Color.red );
        g.drawLine(0, 0, APP_WIDTH, APP_HEIGHT);
    }

    protected void drawBox( Graphics g ) {

        // get a random color
        Random ran = new Random();
        int red = ran.nextInt( 255 );
        int grn = ran.nextInt( 255 );
        int ble = ran.nextInt( 255 );
        Color colour = new Color( red, grn, ble );
        g.setColor( colour );

        // get a random position        
        int x = ran.nextInt( APP_WIDTH - 50);
        int y = ran.nextInt( APP_HEIGHT - 50);

        // draw it
        g.fillRect( x, y, 50, 50 );
    }
}

1 Ответ

0 голосов
/ 01 ноября 2018

Swing использует собственный движок рендеринга, который является пассивной реализацией. Вы пытаетесь обойти это с помощью своего собственного, активного движка рендеринга, и они оба будут бодаться.

Поскольку BufferStrategy принадлежит JFrame, он создан в его пределах, поэтому 0x0 будет верхней левой позицией JFrame, а не JPanel.

Движок Swing сделает этот перевод автоматически за вас.

У вас есть два основных варианта выбора.

  1. Не основывайте рендеринг на JPanel, а просто используйте класс «рендеринга», который делает это независимо (и используйте Canvas вместо JFrame в качестве основы для BufferStrategy)
  2. Используйте Swing Timer в качестве основного движка рендеринга

Swing Timer пример на основе ...

import java.awt.Color;
import java.awt.Dimension;
import java.awt.EventQueue;
import java.awt.Graphics;
import java.awt.event.ActionEvent;
import java.awt.event.ActionListener;
import java.util.Random;
import javax.swing.JFrame;
import javax.swing.JPanel;
import javax.swing.Timer;

public class Test {

    public static void main(String[] args) {
        new Test();
    }

    public Test() {
        EventQueue.invokeLater(new Runnable() {
            @Override
            public void run() {
                JFrame frame = new JFrame();
                frame.add(new ViewPanel());
                frame.pack();
                frame.setLocationRelativeTo(null);
                frame.setVisible(true);
            }
        });
    }

    public static class ViewPanel extends JPanel {

        private static int APP_WIDTH = 600;
        private static int APP_HEIGHT = 400;

        private static final long serialVersionUID = -8019663913250286271L;

        public ViewPanel() {
            setBackground(Color.GRAY);
            Timer timer = new Timer(5, new ActionListener() {
                @Override
                public void actionPerformed(ActionEvent e) {
                    repaint();
                }
            });
            timer.start();
        }

        public void init() {
        }

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

        @Override
        protected void paintComponent(Graphics g) {
            super.paintComponent(g);
            render(g);
        }

        // Where I do the drawing. It's called from the rendering loop in the JFrame
        public void render(Graphics g) {

            // refresh the background since we're not relying on paintComponent all the time
            Color bgc = getBackground();
            g.setColor(bgc);
            g.fillRect(0, 0, APP_WIDTH, APP_HEIGHT);

            // just paint a moving box
            drawBox(g);

            // draw a line to prove correctness. In the loop, you can see part of this line is hidden
            // underneath the title bar
            g.setColor(Color.red);
            g.drawLine(0, 0, APP_WIDTH, APP_HEIGHT);
        }

        protected void drawBox(Graphics g) {

            // get a random color
            Random ran = new Random();
            int red = ran.nextInt(255);
            int grn = ran.nextInt(255);
            int ble = ran.nextInt(255);
            Color colour = new Color(red, grn, ble);
            g.setColor(colour);

            // get a random position        
            int x = ran.nextInt(APP_WIDTH - 50);
            int y = ran.nextInt(APP_HEIGHT - 50);

            // draw it
            g.fillRect(x, y, 50, 50);
        }
    }
}
...