我使用drawString()
方法使用Graphics绘制字符串,但我想将文本放在矩形中心。我该怎么做?
答案 0 :(得分:29)
我用它来将文字放在JPanel
上 Graphics2D g2d = (Graphics2D) g;
FontMetrics fm = g2d.getFontMetrics();
Rectangle2D r = fm.getStringBounds(stringTime, g2d);
int x = (this.getWidth() - (int) r.getWidth()) / 2;
int y = (this.getHeight() - (int) r.getHeight()) / 2 + fm.getAscent();
g.drawString(stringTime, x, y);
答案 1 :(得分:17)
居中文本有很多“选项”。你是绝对居中还是基于基线?
就个人而言,我更喜欢绝对的中心位置,但这取决于你在做什么......
public class CenterText {
public static void main(String[] args) {
new CenterText();
}
public CenterText() {
EventQueue.invokeLater(new Runnable() {
@Override
public void run() {
try {
UIManager.setLookAndFeel(UIManager.getSystemLookAndFeelClassName());
} catch (ClassNotFoundException | InstantiationException | IllegalAccessException | UnsupportedLookAndFeelException ex) {
}
JFrame frame = new JFrame("Test");
frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
frame.setLayout(new BorderLayout());
frame.add(new TestPane());
frame.pack();
frame.setLocationRelativeTo(null);
frame.setVisible(true);
}
});
}
public class TestPane extends JPanel {
@Override
public Dimension getPreferredSize() {
return new Dimension(200, 200);
}
@Override
protected void paintComponent(Graphics g) {
super.paintComponent(g);
int height = getHeight();
String text = "This is a test xyx";
g.setColor(Color.RED);
g.drawLine(0, height / 2, getWidth(), height / 2);
FontMetrics fm = g.getFontMetrics();
int totalWidth = (fm.stringWidth(text) * 2) + 4;
// Baseline
int x = (getWidth() - totalWidth) / 2;
int y = (getHeight() - fm.getHeight()) / 2;
g.setColor(Color.BLACK);
g.drawString(text, x, y + ((fm.getDescent() + fm.getAscent()) / 2));
// Absolute...
x += fm.stringWidth(text) + 2;
y = ((getHeight() - fm.getHeight()) / 2) + fm.getAscent();
g.drawString(text, x, y);
}
}
}