Wednesday, December 30, 2009

string manipulation in java part 1: reverse a string

In these series, I'll try to provide code fragments for daily problems in string manipulation. First, we will see how to reverse a string. Note that there are -naturally- more than one way to do this.

01public class StringUtils {
02 public static String reverseString(String string){
03/*
04Check if the string is not null and empty
05*/
06 
07  if(string != null && !string.isEmpty()){
08 
09/*
10Create a StringBuilder from the string in hand
11*/
12 
13   StringBuilder str = new StringBuilder(string);
14 
15/*
16Reverse the StringBuilder content and return it as a String
17*/
18 
19   return str.reverse().toString();
20  }
21  return null;
22 }
23  
24 public static void main(String[] args){
25  System.out.println(StringUtils.reverseString("I am your father"));
26 }
27}


Output is "rehtaf ruoy ma I".
It is possible to use StringBuffer instead of StringBuilder. As I don't need thread safety I'll pick StringBuilder which's faster. Quite easy to reverse a string, right?

No comments:

Post a Comment