如下图所示,在JPanel(500X500)上绘制了AttributedString。
如跟踪输出所示,该AttributedString的FontMetrics.getStringBounds()
宽度为164.0。
java.awt.geom.Rectangle2D$Float[x=0.0,y=-12.064453,w=164.0,h=15.09375]
但是,图片显示宽度应为300-400(因为面板的宽度为500)。
您能否评论原因和解决方法?
MyJFrame.java
import javax.swing.*;
import java.awt.*;
import java.awt.font.TextAttribute;
import java.text.AttributedString;
class MyJPanel extends JPanel {
MyJPanel() {
setPreferredSize(new Dimension(500,500));
}
@Override
public void paintComponent(Graphics gold) {
super.paintComponent(gold);
Graphics2D g = (Graphics2D)gold;
//
AttributedString text = new AttributedString("Bunny rabits and flying ponies");
text.addAttribute(TextAttribute.FONT, new Font("Arial", Font.BOLD, 24), 0, "Bunny rabits".length());
text.addAttribute(TextAttribute.FOREGROUND, Color.RED, 0, "Bunny rabits".length());
text.addAttribute(TextAttribute.FONT, new Font("Arial", Font.BOLD & Font.ITALIC, 32), 17, 17 + "flying ponies".length());
text.addAttribute(TextAttribute.FOREGROUND, Color.BLUE, 17, 17 + "flying ponies".length());
FontMetrics fm = g.getFontMetrics();
System.out.println(fm.getStringBounds(text.getIterator(), 0, text.getIterator().getEndIndex(), g));
g.drawString(text.getIterator(), 50, 50);
//
g.dispose();
}
}
public class MyJFrame extends JFrame {
public static void main(String[] args) {
MyJFrame frame = new MyJFrame();
frame.setContentPane(new MyJPanel());
frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
frame.pack();
frame.setVisible(true);
}
}
最佳答案
FontMetrics fontMetrics = graphics.getFontMetrics()
根据当前在FontMetrics
对象上设置的单个字体返回graphics
对象。您没有显式更改graphics
使用的字体,因此它使用当前L&F为JPanel
指定的默认字体。
与范围计算有关的FontMetrics
方法接受“简单” CharacterIterator
(不提供字体信息),而不是AttributedCharacterIterator
(确实)。因此,fontMetrics.getStringBounds()
仅基于相同大小的单个字体计算文本边界。
当将java.awt.font.TextLayout
用于不同的字体和字体大小时,需要使用AttributedCharacterIterator
来确定适当的边界:
TextLayout textLayout = new TextLayout(
text.getIterator(),
g.getFontRenderContext()
);
Rectangle2D.Float textBounds = ( Rectangle2D.Float ) textLayout.getBounds();
g.drawString( text.getIterator(), 50, 50 );
// lets draw a bounding rect exactly around our text
// to be sure we calculated it properly
g.draw( new Rectangle2D.Float(
50 + textBounds.x, 50 + textBounds.y,
textBounds.width, textBounds.height
) );
关于java - AttributedString的FontMetrics.getStringBounds给出错误的结果?,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/23975076/