Logo

Programming-Idioms

  • Java

Idiom #286 Iterate over characters of a string

Print a line "Char i is c" for each character c of the string s, where i is the character index of c in s (not the byte index).

Make sure that multi-byte characters are properly handled, and count for a single character.

import java.util.concurrent.atomic.AtomicInteger;
AtomicInteger i = new AtomicInteger(0);
s.chars().forEach(v -> {
  char c = (char)v;
  System.out.println("Char " + i.getAndIncrement() + " is " + c); 
});

chars() returns an IntStream
import static java.lang.System.out;
import static java.text.Normalizer.Form.NFKC;
import static java.text.Normalizer.normalize;
s = normalize(s, NFKC);
int i, n = s.length();
for (i = 0; i < n; ++i)
    out.printf("Char %s is %c%n", i, s.charAt(i));
import static java.util.stream.IntStream.range;
range(0, s.length())
    .forEach(i -> {
        out.printf("Char %s is %s%n", i, s.charAt(i));
    });
for(int i=0; i<s.length(); i++) {
  char c = s.charAt(i);
  System.out.println("Char " + i + " is " + c); 
}

Internally, each char is 16-bit
(dorun (map-indexed (fn [i c] (println "Char" i "is" c)) s))

In Clojure a string is a list of characters

New implementation...