Is there an easy way of locking the aspect ratio of a GridLayout component in Java Swing ? Or should this be done on the JPanel containing that layout ?
How to lock aspect ratio of a gridLayout in Java?
Asked Answered
GridLayout
effectively ignores a component's preferred size, but you can control the aspect ratio of whatever is drawn in paintComponent()
, as shown in this example. The rendered shape remains circular (1:1 aspect), while (nearly) filling the container in the narrowest dimension. Resize the frame to see the effect.
Addendum: For example, I added N * N
instances of CirclePanel
to a GridLayout
below.
import java.awt.*;
import java.awt.event.*;
import java.util.Random;
import javax.swing.*;
/**
* @see https://mcmap.net/q/753948/-how-to-lock-aspect-ratio-of-a-gridlayout-in-java
* @see https://mcmap.net/q/753036/-painted-content-invisible-while-resizing-in-java
*/
public class SwingPaint {
private static final int N = 4;
public static void main(String[] args) {
EventQueue.invokeLater(new Runnable() {
@Override
public void run() {
JFrame frame = new JFrame();
frame.setLayout(new GridLayout(N, N));
for (int i = 0; i < N * N; i++) {
frame.add(new CirclePanel());
}
frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
frame.pack();
frame.setVisible(true);
}
});
}
private static class CirclePanel extends JPanel {
private static final Random r = new Random();
public CirclePanel() {
this.setPreferredSize(new Dimension(80, 80));
this.setForeground(new Color(r.nextInt()));
this.addMouseListener(new MouseAdapter() {
@Override
public void mousePressed(MouseEvent e) {
CirclePanel.this.update();
}
});
}
public void update() {
this.setForeground(new Color(r.nextInt()));
}
@Override
public void paintComponent(Graphics g) {
super.paintComponent(g);
Dimension size = this.getSize();
int d = Math.min(size.width, size.height) - 10;
int x = (size.width - d) / 2;
int y = (size.height - d) / 2;
g.fillOval(x, y, d, d);
g.setColor(Color.blue);
g.drawOval(x, y, d, d);
}
}
}
There has to be something for which you don't have any example, I wonder !!!! :-) –
Antidepressant
OK, so stuff should be done in paintComponent. Been playing around, still havent solved the issue. At the moment, I am looking at putting my grid in an intermediary JPanel (JPanel -> intermediary JPanel -> GridLayout). Im trying to control the size of this intermediary JPanel in the paintComponent of the root JPanel. How do you feel about that ? Havent had it work yet... –
Interpolate
I've expanded the example above. –
Cherycherye
See also Should I avoid the use of set(Preferred|Maximum|Minimum)Size methods in Java Swing? –
Cherycherye
© 2022 - 2024 — McMap. All rights reserved.