|
|
Working with Text |
Applications that format text or perform line wrapping must locate potential line breaks. You can find these line breaks, or boundaries, with aBreakIteratorthat has been created with thegetLineInstancemethod:ThisBreakIterator lineIterator = BreakIterator.getLineInstance(currentLocale);BreakIteratordetermines the positions in a string where text can break to continue on the next line. The positions detected by theBreakIteratorare potential line breaks. The actual line breaks displayed on the screen may not be the same.The two examples that follow use the
markBoundariesmethod ofBreakIteratorDemo.javato show the line boundaries detected by aBreakIterator. ThemarkBoundariesmethod indicates line boundaries by printing carets ('^') beneath the target string.According to a
BreakIterator, a line boundary occurs after the end of a sequence of whitespace characters (space, tab, newline). In the following example, note that you can break the line at any of the boundaries detected:She stopped. She said, "Hello there," and then went on. ^ ^ ^ ^ ^ ^ ^ ^ ^ ^ ^Potential line breaks also occur immediately after a hyphen:
The next example breaks a long string of text into fixed length lines with a method calledThere are twenty-four hours in a day. ^ ^ ^ ^ ^ ^ ^ ^ ^formatLines. This method uses aBreakIteratorto locate the potential line breaks. TheformatLinesmethod is short, simple, and thanks to theBreakIterator, locale-independent. Here is the source code:Thestatic void formatLines(String target, int maxLength, Locale currentLocale) { BreakIterator boundary = BreakIterator.getLineInstance(currentLocale); boundary.setText(target); int start = boundary.first(); int end = boundary.next(); int lineLength = 0; while (end != BreakIterator.DONE) { String word = target.substring(start,end); lineLength = lineLength + word.length(); if (lineLength >= maxLength) { System.out.println(); lineLength = word.length(); } System.out.print(word); start = end; end = boundary.next(); } }BreakIteratorDemoprogram invokes theformatLinesmethod as follows:The output from this call toString moreText = "She said, \"Hello there,\" and then " + "went on down the street. When she stopped " + "to look at the fur coats in a shop window, " + "her dog growled. \"Sorry Jake,\" she said. " + " \"I didn't know you would take it personally.\""; formatLines(moreText, 30, currentLocale);formatLinesis:She said, "Hello there," and then went on down the street. When she stopped to look at the fur coats in a shop window, her dog growled. "Sorry Jake," she said. "I didn't know you would take it personally."
|
|
Working with Text |