在 Java 中,有多种遍历字符串的方法。以下是几种常见的遍历字符串的方法,并附有示例代码
1. 使用 for
循环
这是最常见和基础的遍历方法,通过索引访问每个字符。
public class StringTraversal {public static void main(String[] args) {String str = "Hello World";// 使用 for 循环System.out.println("Using for loop:");for (int i = 0; i < str.length(); i++) {char ch = str.charAt(i);System.out.println(ch);}
2. 使用增强型 for
循环
通过将字符串转换为字符数组,然后使用增强型 for
循环遍历。
// 使用增强型 for 循环System.out.println("Using enhanced for loop:");for (char ch : str.toCharArray()) {System.out.println(ch);}
3. 使用 while
循环
通过索引和 while
循环遍历字符串。
// 使用 while 循环System.out.println("Using while loop:");int i = 0;while (i < str.length()) {char ch = str.charAt(i);System.out.println(ch);i++;}
4. 使用 split 方法
基于分隔符分割字符串,按单词遍历。
// 使用 split 方法System.out.println("Using split method:");String[] tokens = str.split(" ");for (String token : tokens) {System.out.println(token);}
5. 使用 Stream API
通过 Java 8 引入的 Stream API
可以方便地进行各种操作,包括遍历字符串。
// 使用 Stream APISystem.out.println("Using Stream API:");//str.chars(),返回一个 IntStream,其中包含字符串 str 中每个字符的 Unicode 代码点。IntStream stream = str.chars();stream.forEach(ch -> System.out.println((char) ch));
6. 使用迭代器(Iterable
接口)
虽然字符串本身不是直接 Iterable
的,但可以通过一些转换方式来实现迭代。
public class Main {public static void main(String[] args) {String str = "Hello World";Iterable<Character> iterable = () -> str.chars().mapToObj(c -> (char)c).iterator();for (char ch : iterable) {System.out.println(ch);}}
}