Strings in Java

Conceptually, Java strings are sequences of Unicode characters. For example, the string “Java\u2122” consists of the five Unicode characters J, a, v, a, and ™. Java does not have a built-in string type. Instead, the standard Java library contains a predefined class called, naturally enough, String. Each quoted string is an instance of the String class:

String e = “”; // an empty string

String greeting = “Hello”;

1. Substrings

You can extract a substring from a larger string with the substring method of the String class. For example,

String greeting = “Hello”;

String s = greeting.substring(0, 3);

creates a string consisting of the characters “Hel”.

The second parameter of substring is the first position that you do not want to copy. In our case, we want to copy positions 0, 1, and 2 (from position 0 to position 2 inclusive). As substring counts it, this means from position 0 inclusive to position 3 exclusive.

There is one advantage to the way substring works: Computing the length of the substring is easy. The string s.substring(a, b) always has length b – a. For example, the substring “Hel” has length 3 – 0 = 3.

2. Concatenation

Java, like most programming languages, allows you to use + to join (concatenate) two strings.

String expletive = “Expletive”;

String PG13 = “deleted”;

String message = expletive + PG13;

The preceding code sets the variable message to the string “Expletivedeleted“. (Note the lack of a space between the words: The + operator joins two strings in the order received, exactly as they are given.)

When you concatenate a string with a value that is not a string, the latter is converted to a string. (As you will see in Chapter 5, every Java object can be converted to a string.) For example,

int age = 13;

String rating = “PG” + age;

sets rating to the string “PG13”.

This feature is commonly used in output statements. For example,

System.out.println(“The answer is ” + answer);

is perfectly acceptable and prints what you would expect (and with correct spacing because of the space after the word is).

If you need to put multiple strings together, separated by a delimiter, use the static join method:

String all = String.join(” / “, “S”, “M”, “L”, “XL”);

// all is the string “S / M / L / XL”

As of Java 11, there is a repeat method:

String repeated = “Java”.repeat(3); // repeated is “JavaJavaJava”

3. Strings Are Immutable

The String class gives no methods that let you change a character in an existing string. If you want to turn greeting into “Help!”, you cannot directly change the last positions of greeting into ‘p’ and ‘!’. If you are a C programmer, this can make you feel pretty helpless. How are we going to modify the string? In Java, it is quite easy: Concatenate the substring that you want to keep with the characters that you want to replace.

greeting = greeting.substring(0, 3) + “p!”;

This declaration changes the current value of the greeting variable to “Help!”.

Since you cannot change the individual characters in a Java string, the docu­mentation refers to the objects of the String class as immutable. Just as the number 3 is always 3, the string “Hello” will always contain the code-unit se­quence for the characters H, e, l, l, o. You cannot change these values. Yet you can, as you just saw, change the contents of the string variable greeting and make it refer to a different string, just as you can make a numeric variable currently holding the value 3 hold the value 4.

Isn’t that a lot less efficient? It would seem simpler to change the code units than to build up a whole new string from scratch. Well, yes and no. Indeed, it isn’t efficient to generate a new string that holds the concatenation of “Hel” and “p!”. But immutable strings have one great advantage: The compiler can arrange that strings are shared.

To understand how this works, think of the various strings as sitting in a common pool. String variables then point to locations in the pool. If you copy a string variable, both the original and the copy share the same characters.

Overall, the designers of Java decided that the efficiency of sharing outweighs the inefficiency of string editing by extracting substrings and concatenating. Look at your own programs; we suspect that most of the time, you don’t change strings—you just compare them. (There is one common exception— assembling strings from individual characters or from shorter strings that come from the keyboard or a file. For these situations, Java provides a separate class that we describe in Section 3.6.9, “Building Strings,” on p. 74.)

4. Testing Strings for Equality

To test whether two strings are equal, use the equals method. The expression

s.equats(t)

returns true if the strings s and t are equal, false otherwise. Note that s and t can be string variables or string literals. For example, the expression

“Hello”.equals(greeting)

is perfectly legal. To test whether two strings are identical except for the upper/lowercase letter distinction, use the equalsIgnoreCase method.

“Hello”.equalsIgnoreCase(“hello”)

Do not use the == operator to test whether two strings are equal! It only deter­mines whether or not the strings are stored in the same location. Sure, if strings are in the same location, they must be equal. But it is entirely possible to store multiple copies of identical strings in different places.

String greeting = “Hello”; // initialize greeting to a string

if (greeting == “Hello”) . . .

// probably true

if (greeting.substring(0, 3) == “Hel”) . . .

// probably false

If the virtual machine always arranges for equal strings to be shared, then you could use the == operator for testing equality. But only string literals are shared, not strings that are the result of operations like + or substring. Therefore, never use == to compare strings lest you end up with a program with the worst kind of bug—an intermittent one that seems to occur randomly.

5. Empty and Null Strings

The empty string “” is a string of length 0. You can test whether a string is empty by calling

if (str.length() == 0)

or

if (str.equals(“”))

An empty string is a Java object which holds the string length (namely, 0) and an empty contents. However, a String variable can also hold a special value, called null, that indicates that no object is currently associated with the variable. (See Chapter 4 for more information about null.) To test whether a string is null, use

if (str == null)

Sometimes, you need to test that a string is neither null nor empty. Then use

if (str != null && str.length() != 0)

You need to test that str is not null first. As you will see in Chapter 4, it is an error to invoke a method on a null value.

6. Code Points and Code Units

Java strings are sequences of char values. As we discussed in Section 3.3.3, “The char Type,” on p. 46, the char data type is a code unit for representing Unicode code points in the UTF-16 encoding. The most commonly used Unicode characters can be represented with a single code unit. The supplementary characters require a pair of code units.

The length method yields the number of code units required for a given string in the UTF-16 encoding. For example:

String greeting = “Hello”;

int n = greeting.length(); // is 5

To get the true length—that is, the number of code points—call

int cpCount = greeting.codePointCount(0, greeting.length());

The call s.charAt(n) returns the code unit at position n, where n is between 0 and s.length() – 1. For example:

char first = greeting.charAt(0); // first is ‘H’

char last = greeting.charAt(4); // last is ‘o’

To get at the ith code point, use the statements

int index = greeting.offsetByCodePoints(0, i);

int cp = greeting.codePointAt(index);

Why are we making a fuss about code units? Consider the sentence

O is the set of octonions.

The character 0 (U+1D546) requires two code units in the UTF-16 encoding. Calling

char ch = sentence.charAt(1)

doesn’t return a space but the second code unit of O. To avoid this problem, you should not use the char type. It is too low-level.

If your code traverses a string, and you want to look at each code point in turn, you can use these statements:

int cp = sentence.codePointAt(i);

if (Character.isSupplementaryCodePoint(cp)) i += 2;

else i++;

You can move backwards with the following statements:

i–;

if (Character.isSurrogate(sentence.charAt(i))) i–;

int cp = sentence.codePointAt(i);

Obviously, that is quite painful. An easier way is to use the codePoints method that yields a “stream” of int values, one for each code point. (We will discuss streams in Chapter 2 of Volume II.) You can just turn the stream into an array (see Section 3.10, “Arrays,” on p. 108) and traverse that.

int[] codePoints = str.codePoints().toArray();

Conversely, to turn an array of code points to a string, use a constructor. (We discuss constructors and the new operator in detail in Chapter 4.)

String str = new String(codePoints, 0, codePoints.tength);

7. The String API

The String class in Java contains more than 50 methods. A surprisingly large number of them are sufficiently useful that we can imagine using them fre­quently. The following API note summarizes the ones we found most useful.

These API notes, found throughout the book, will help you understand the Java Application Programming Interface (API). Each API note starts with the name of a class, such as java.tang.String. (The significance of the so-called package name java.tang is explained in Chapter 4.) The class name is followed by the names, explanations, and parameter descriptions of one or more methods.

We typically do not list all methods of a particular class but select those that are most commonly used and describe them in a concise form. For a full listing, consult the online documentation (see Section 3.6.8, “Reading the Online API Documentation,” on p. 71).

We also list the version number in which a particular class was introduced. If a method has been added later, it has a separate version number.

8. Reading the Online API Documentation

As you just saw, the String class has lots of methods. Furthermore, there are thousands of classes in the standard libraries, with many more methods. It is plainly impossible to remember all useful classes and methods. Therefore, it is essential that you become familiar with the online API documentation that lets you look up all classes and methods in the standard library. You can download the API documentation from Oracle and save it locally, or you can point your browser to https://docs.oracte.con/en/java/javase/11/docs/api.

As of Java 9, the API documentation has a search box (see Figure 3.2). Older versions have frames with lists of packages and classes. You can still get those lists by clicking on the Frames menu item. For example, to get more informa­tion on the methods of the String class, type “String” into the search box and select the type java.tang.String, or locate the link in the frame with class names and click it. You get the class description, as shown in Figure 3.3.

When you scroll down, you reach a summary of all methods, sorted in alpha­betical order (see Figure 3.4). Click on any method name for a detailed de­scription of that method (see Figure 3.5). For example, if you click on the compareToIgnoreCase link, you’ll get the description of the compareToIgnoreCase method.

9. Building Strings

Occasionally, you need to build up strings from shorter strings, such as keystrokes or words from a file. It would be inefficient to use string concate­nation for this purpose. Every time you concatenate strings, a new String object is constructed. This is time consuming and wastes memory. Using the StringBuitder class avoids this problem.

Follow these steps if you need to build a string from many small pieces. First, construct an empty string builder:

StringBuitder builder = new StringBuitder();

Each time you need to add another part, call the append method.

builder.append(ch); // appends a single character

builder.append(str); // appends a string

When you are done building the string, call the toString method. You will get a String object with the character sequence contained in the builder.

String completedString = builder.toString();

The following API notes contain the most important methods for the StringBuilder class.

Source: Horstmann Cay S. (2019), Core Java. Volume I – Fundamentals, Pearson; 11th edition.

Leave a Reply

Your email address will not be published. Required fields are marked *