Java Programming/API/java.lang.String
From Wikibooks, the open-content textbooks collection
| Navigate Language Fundamentals topic: | 
| Contents | 
[edit] java.lang.String
String is a special class built into the Java language defined in the java.lang package.
The String class represents character strings. String literals in Java programs, such as "abc", are implemented as instances of this class. Strings are immutable; that is, they cannot be modified once created.
For example:
String str = "This is string literal";
On the right hand side a String object is created represented by the string literal. Its object reference is assigned to the str variable.
The Java language provides special support for the string concatenation operator ( + ), and for conversion of other objects to strings. For example:
Stringstr = "First part" + " second part"; // --- Is the same as:Stringstr = "First part second part";
Integers will also be converted to String after the ( + ) operator:
String str = "Age=" + 25;
Each Java object has the String toString() inherited from the Object class. This method provides a way to convert objects into Strings. Most classes override the default behavior to provide more specific (and more useful) data in the returned String.
The String class provides a nice set of methods for string manipulation. Since String objects are immutable, all methods return a new String object. For example:
name = name.trim();
The trim() method returns a copy of the string with leading and trailing whitespace removed. Note that the following would do nothing useful:
name.trim(); // wrong!
This would create a new trimmed string and then throw it away. Study the String class and its methods carefully. Strings are ubiquitous in Java; it will serve you well to know how to manipulate them skillfully.
[edit] Using StringBuffer/StringBuilder to concatenate Strings
Remember that String objects are immutable objects. Once a String is created, it can not be modified, takes up memory until garbage collected. Be careful of writing a method like this :
publicStringconvertToString( Collection coll ) {Stringstr = ""; Iterator iter = coll.iterator();while( iter.hasNext() ) // loops through every element in coll {StringoneElem = (String) iter.next(); str = str + oneElem + " "; } return str; }
On the ( + ) operation a new String object is created at each iteration. Suppose coll contains the elements ["Foo", "Bar", "Bam", "Baz"]. The method creates five Strings ("", "Foo ", "Foo Bar ", "Foo Bar Bam ", and "Foo Bar Bam Baz ") even though only last one is actually useful.
Instead use StringBuffer, see below, only one StringBuilder object is created:
To avoid unnecessary memory use like this, use the StringBuffer or StringBuilder class. They provide similar functionality to Strings, but store their data in a mutable way. Also because object creation is time consuming, using StringBuffer or StringBuilder produces much faster code.
publicStringconvertToString( Collection coll ) { StringBuilder buf = new StringBuilder(); Iterator iter = coll.iterator();while( iter.hasNext() ) // loops through every element in coll {StringoneElem = (String) iter.next(); buf.append( oneElem ); buf.append( " " ); }returnbuf.toString(); }
StringBuilder was introduced in Java 5. Unlike StringBuffer, StringBuilder isn't thread safe, so you can't use it in more than one thread (see the chapter on Concurrency). However, because it doesn't have to worry about synchronization, StringBuilders are faster.
[edit] Comparing Strings
Comparing strings is not as easy as it may first seem. We cannot just use a simple equality statement such as:
   if(myString == "Hello World!")       \\Can't Use this.
   {
       System.out.println("Match Found");
   }
To test for equality, use the equals(Object) method inherited by every class and defined by String to return true if and only if the object passed in is a String containing the exact same data.
String greeting = "Hello World!";
if(greeting.equals("Hello World!")) { //true
    // ...
}
if(greeting.equals("hello world!")) { //false
    // ...
}
To order String objects, use the compareTo() method, which can be accessed wherever we use a String datatype. Let's take a look at an example:
   String myString = "Hello World!";
   ...
   if(myString.compareTo("Hello World!") == 0 )
   {
       System.out.println("Match Found");
   }
This snippet of code is comparing the String variable myString to "Hello World". The compareTo method returns a negative, zero, or positive number if the parameter is less than, equal to, or greater than the object on which it is called. If myString was to be different, even in the slightest manner we will get a value above or below 0 depending on the exact difference. The result is negative if this String object lexicographically precedes the argument string. The result is a positive integer if this String object lexicographically follows the argument string. Take a look at the Java API for more details.
[edit] Splitting a String
Sometimes it is useful to split a string into separate strings, based on a regular expression. (For more information on regular expressions, see Regex.) The String class has a split() method, since Java 1.4, that will return a String array.
See the following example:
Stringperson = "Brown, John:100 Yonge Street, Toronto:(416)777-9999"; ...String[] personData = person.split( ":" ); ...Stringname = personData[0];Stringaddress = personData[1];Stringphone = personData[2];
An other usefull application could be to 'split' the String text based on the 'new line' character, so you could process the text line by line.
[edit] Creating substrings
It may also be sometimes useful to create substrings, or strings using the order of letters from an existing string. This can be done in two methods.
The first method involves creating a substring out of the characters of a string from a given index to the end.
For example:
Stringstr = "coffee";Stringsubstr = str.substring(3);
In this example, substr would return "fee". As previously discussed, the index of the first character in a string is 0. By counting from there, it is apparent that the character in index 3 is the second "f" in "coffee". This is known as the beginIndex. All characters from the beginIndex until the end of the string will be copied into the new substring.
The second method involves a user-defined beginIndex and endIndex. For example:
Stringstr = "supporting";Stringsubstr = str.substring(3,7);
The string returned by substr would be "port". Please note that the endIndex is not inclusive. This means that the last character will be of the index endIndex-1. Therefore, in this example, every character from index 3 to index 6, inclusive, was copied into the substring.
Note: "Substring" is considered to be one word. This is why the method name does not seem to follow the common syntax of Java. It is easy to mistake the method substr() for subStr() (which does not exist and would return with a syntax error on compilation). Just remember that this style only applies to methods or other elements that are made up of more than one word.
[edit] Modifying String cases
The String Class also allows for the modification of cases. The two methods that make this possible are toLowerCase() and toUpperCase(). These methods are useful, for example, in the typical programming classroom assignment of evaluating whether or not a string is a palindrome.
Stringa = "WIKIBOOKS";Stringb = "wikipedia";
In this example, a call to a.toLowerCase() would return a result of "wikibooks", and b.toUpperCase() would return "WIKIPEDIA".




