Java provides a rich set of methods for manipulating strings, making it easier to work with text data. String manipulation is essential in various programming scenarios, such as formatting user input, parsing data, or generating output. In this article, we will explore three diverse examples of Java String manipulation to illustrate different techniques and their use cases.
Reversing a string can be useful in applications such as palindrome checking or simply displaying text in reverse order.
public class StringManipulation {
public static String reverseString(String input) {
StringBuilder reversed = new StringBuilder(input);
return reversed.reverse().toString();
}
public static void main(String[] args) {
String original = "Hello, World!";
String reversed = reverseString(original);
System.out.println("Original: " + original);
System.out.println("Reversed: " + reversed);
}
}
StringBuilder
class is used here for efficient string manipulation.Counting the number of vowels in a string can be helpful in text analytics or while implementing features like text summarization.
public class StringManipulation {
public static int countVowels(String input) {
int count = 0;
String vowels = "AEIOUaeiou";
for (char c : input.toCharArray()) {
if (vowels.indexOf(c) != -1) {
count++;
}
}
return count;
}
public static void main(String[] args) {
String text = "Hello, World!";
int vowelCount = countVowels(text);
System.out.println("Number of vowels: " + vowelCount);
}
}
indexOf
method checks for the presence of each character in the vowels string.Tokenization is useful for breaking down a string into manageable parts, such as parsing command-line arguments or processing CSV data.
import java.util.StringTokenizer;
public class StringManipulation {
public static void main(String[] args) {
String data = "Java,Python,C++,JavaScript";
StringTokenizer tokenizer = new StringTokenizer(data, ",");
System.out.println("Languages:");
while (tokenizer.hasMoreTokens()) {
System.out.println(tokenizer.nextToken());
}
}
}
StringTokenizer
class is used to split the string into tokens based on a specified delimiter (in this case, a comma).String.split()
for more complex scenarios.By mastering these examples of Java String manipulation, you can enhance your programming skills and tackle a variety of text processing tasks effectively.