How do i render wrapped text on an image in java
Asked Answered
N

5

10

Using Java, is there any built-in way to render text so that its limited to a rectangle on a graphics2D object?

I know I can use Graphics2D.drawString but it only draws a sinlge line of text.

I also know that I can use

FontMetrics fm= graphics.getFontMetrics(font);
Rectangle2D rect=fm.getStringBounds("Some Text",graphics);

to get the information about the bounds of a string when rendered using some Font font on some Graphics2D graphics object.

So I could start looping, breaking my string and so on to force it to fit inside some rectangle.

But I would much prefer not to have to write those...

Is there any ready made function that will do this for me?

Namecalling answered 26/8, 2012 at 11:13 Comment(4)
I personally like the example proved by Andrew as it's relatively quick to achieve. I ave, however, used this approach in the past java.sun.com/developer/onlineTraining/Media/2DText/…Nailbrush
Any Pros and Cons on the two alternatives ?Namecalling
I'd say Andrew's solution is easier, IMHONailbrush
Possible duplicate of Write multi line text on an image using JavaManila
A
5

Use temporary JTextArea to do perfect line wrapping with ~10 lines of code:

static void drawWrappedText(Graphics g, String text, int x, int y, int w, int h) {
    JTextArea ta = new JTextArea(text);
    ta.setLineWrap(true);
    ta.setWrapStyleWord(true);
    ta.setBounds(0, 0, w, h);
    ta.setForeground(g.getColor());
    ta.setFont(g.getFont());
    Graphics g2 = g.create(x, y, w, h); // Use new graphics to leave original graphics state unchanged
    ta.paint(g2);
}
Aloysius answered 4/2, 2021 at 7:31 Comment(2)
Its nice to see that someone still cares about answering a Q i asked 8.5 years ago. I do appreciate the effort. I have no idea why I asked thise nor why I did not accept any answer in the past (I try not to leave open Q's). I also have no environment to test your answer (nor time to do so) - however, seeing that its short, recent and at least seems to do what I asked so much time ago, I will accept your answer and let the community vote on it...Namecalling
Works great for me! Just tested it. Thanks Adam!Cuneiform
C
8

I wrote a small function that can help. 447 is width available which you can get from your required width to render text on.

private void drawTextUgly(String text, FontMetrics textMetrics, Graphics2D g2)
{
    // Ugly code to wrap text
    int lineHeight = textMetrics.getHeight();
    String textToDraw = text;
    String[] arr = textToDraw.split(" ");
    int nIndex = 0;
    int startX = 319;
    int startY = 113;
    while ( nIndex < arr.length )
    {
        String line = arr[nIndex++];
        while ( ( nIndex < arr.length ) && (textMetrics.stringWidth(line + " " + arr[nIndex]) < 447) )
        {
            line = line + " " + arr[nIndex];
            nIndex++;
        }
        GraphicsUtility.drawString(g2, line, startX, startY);
        startY = startY + lineHeight;
    }
}
Charcoal answered 19/11, 2012 at 6:10 Comment(0)
B
7

This here might be what you are looking for:

StringUtils.java:

import java.awt.FontMetrics;
import java.util.ArrayList;
import java.util.Collection;
import java.util.Iterator;
import java.util.List;

/**
 * Globally available utility classes, mostly for string manipulation.
 * 
 * @author Jim Menard, <a href="mailto:[email protected]">[email protected]</a>
 */
public class StringUtils {
  /**
   * Returns an array of strings, one for each line in the string after it has
   * been wrapped to fit lines of <var>maxWidth</var>. Lines end with any of
   * cr, lf, or cr lf. A line ending at the end of the string will not output a
   * further, empty string.
   * <p>
   * This code assumes <var>str</var> is not <code>null</code>.
   * 
   * @param str
   *          the string to split
   * @param fm
   *          needed for string width calculations
   * @param maxWidth
   *          the max line width, in points
   * @return a non-empty list of strings
   */
  public static List wrap(String str, FontMetrics fm, int maxWidth) {
    List lines = splitIntoLines(str);
    if (lines.size() == 0)
      return lines;

    ArrayList strings = new ArrayList();
    for (Iterator iter = lines.iterator(); iter.hasNext();)
      wrapLineInto((String) iter.next(), strings, fm, maxWidth);
    return strings;
  }

  /**
   * Given a line of text and font metrics information, wrap the line and add
   * the new line(s) to <var>list</var>.
   * 
   * @param line
   *          a line of text
   * @param list
   *          an output list of strings
   * @param fm
   *          font metrics
   * @param maxWidth
   *          maximum width of the line(s)
   */
  public static void wrapLineInto(String line, List list, FontMetrics fm, int maxWidth) {
    int len = line.length();
    int width;
    while (len > 0 && (width = fm.stringWidth(line)) > maxWidth) {
      // Guess where to split the line. Look for the next space before
      // or after the guess.
      int guess = len * maxWidth / width;
      String before = line.substring(0, guess).trim();

      width = fm.stringWidth(before);
      int pos;
      if (width > maxWidth) // Too long
        pos = findBreakBefore(line, guess);
      else { // Too short or possibly just right
        pos = findBreakAfter(line, guess);
        if (pos != -1) { // Make sure this doesn't make us too long
          before = line.substring(0, pos).trim();
          if (fm.stringWidth(before) > maxWidth)
            pos = findBreakBefore(line, guess);
        }
      }
      if (pos == -1)
        pos = guess; // Split in the middle of the word

      list.add(line.substring(0, pos).trim());
      line = line.substring(pos).trim();
      len = line.length();
    }
    if (len > 0)
      list.add(line);
  }

  /**
   * Returns the index of the first whitespace character or '-' in <var>line</var>
   * that is at or before <var>start</var>. Returns -1 if no such character is
   * found.
   * 
   * @param line
   *          a string
   * @param start
   *          where to star looking
   */
  public static int findBreakBefore(String line, int start) {
    for (int i = start; i >= 0; --i) {
      char c = line.charAt(i);
      if (Character.isWhitespace(c) || c == '-')
        return i;
    }
    return -1;
  }

  /**
   * Returns the index of the first whitespace character or '-' in <var>line</var>
   * that is at or after <var>start</var>. Returns -1 if no such character is
   * found.
   * 
   * @param line
   *          a string
   * @param start
   *          where to star looking
   */
  public static int findBreakAfter(String line, int start) {
    int len = line.length();
    for (int i = start; i < len; ++i) {
      char c = line.charAt(i);
      if (Character.isWhitespace(c) || c == '-')
        return i;
    }
    return -1;
  }
  /**
   * Returns an array of strings, one for each line in the string. Lines end
   * with any of cr, lf, or cr lf. A line ending at the end of the string will
   * not output a further, empty string.
   * <p>
   * This code assumes <var>str</var> is not <code>null</code>.
   * 
   * @param str
   *          the string to split
   * @return a non-empty list of strings
   */
  public static List splitIntoLines(String str) {
    ArrayList strings = new ArrayList();

    int len = str.length();
    if (len == 0) {
      strings.add("");
      return strings;
    }

    int lineStart = 0;

    for (int i = 0; i < len; ++i) {
      char c = str.charAt(i);
      if (c == '\r') {
        int newlineLength = 1;
        if ((i + 1) < len && str.charAt(i + 1) == '\n')
          newlineLength = 2;
        strings.add(str.substring(lineStart, i));
        lineStart = i + newlineLength;
        if (newlineLength == 2) // skip \n next time through loop
          ++i;
      } else if (c == '\n') {
        strings.add(str.substring(lineStart, i));
        lineStart = i + 1;
      }
    }
    if (lineStart < len)
      strings.add(str.substring(lineStart));

    return strings;
  }

}

you'd put this in its own class, then simply using what you had:

FontMetrics fm= graphics.getFontMetrics(font);
Rectangle2D rect=fm.getStringBounds("Some Text",graphics);

call wrap(String str, FontMetrics fm, int maxWidth) which will return a List of Strings that have been wrapped accordingly to your maxWidth which will be the width of the Rectangle2D the text will be put into:

String text="Some Text";
FontMetrics fm= graphics.getFontMetrics(font);
Rectangle2D rect=fm.getStringBounds(text,graphics);
List<String> textList=StringUtils.wrap(text, fm, int maxWidth);

Reference:

Brittain answered 26/8, 2012 at 11:28 Comment(0)
A
5

Use temporary JTextArea to do perfect line wrapping with ~10 lines of code:

static void drawWrappedText(Graphics g, String text, int x, int y, int w, int h) {
    JTextArea ta = new JTextArea(text);
    ta.setLineWrap(true);
    ta.setWrapStyleWord(true);
    ta.setBounds(0, 0, w, h);
    ta.setForeground(g.getColor());
    ta.setFont(g.getFont());
    Graphics g2 = g.create(x, y, w, h); // Use new graphics to leave original graphics state unchanged
    ta.paint(g2);
}
Aloysius answered 4/2, 2021 at 7:31 Comment(2)
Its nice to see that someone still cares about answering a Q i asked 8.5 years ago. I do appreciate the effort. I have no idea why I asked thise nor why I did not accept any answer in the past (I try not to leave open Q's). I also have no environment to test your answer (nor time to do so) - however, seeing that its short, recent and at least seems to do what I asked so much time ago, I will accept your answer and let the community vote on it...Namecalling
Works great for me! Just tested it. Thanks Adam!Cuneiform
I
4

See the LabelRenderTest source in this answer. It uses HTML/CSS, with the body width set using CSS, and thereby makes line wrap automatic.

Irina answered 26/8, 2012 at 11:32 Comment(0)
B
2
 private List<String> wrap(String txt, FontMetrics fm, int maxWidth){
    StringTokenizer st =  new  StringTokenizer(txt)  ;

    List<String> list = new ArrayList<String>();
    String line = "";
    String lineBeforeAppend = "";
    while (st.hasMoreTokens()){
       String seg = st.nextToken();
       lineBeforeAppend = line;
       line += seg + " ";
       int width = fm.stringWidth(line);
       if(width  < maxWidth){
           continue;
       }else { //new Line.
           list.add(lineBeforeAppend);
           line = seg + " ";
       }
    }
    //the remaining part.
    if(line.length() > 0){
        list.add(line);
    }
    return list;
}
Boatright answered 22/1, 2016 at 23:36 Comment(0)

© 2022 - 2024 — McMap. All rights reserved.