foreachループ(ref)で動作する回避策メソッドを追加すると思いますが、Java 8に移動すると、Java 8の新しいString#codePointsメソッドに簡単に変換できます。
次のようにforeachで使用できます。
for(int codePoint : codePoints(myString)) {
....
}
これがヘルパーmthodです。
public static Iterable<Integer> codePoints(final String string) {
return new Iterable<Integer>() {
public Iterator<Integer> iterator() {
return new Iterator<Integer>() {
int nextIndex = 0;
public boolean hasNext() {
return nextIndex < string.length();
}
public Integer next() {
int result = string.codePointAt(nextIndex);
nextIndex += Character.charCount(result);
return result;
}
public void remove() {
throw new UnsupportedOperationException();
}
};
}
};
}
または、文字列をintの配列に変換するだけの場合(上記のアプローチよりも多くのRAMを使用する可能性があります):
public static List<Integer> stringToCodePoints(String in) {
if( in == null)
throw new NullPointerException("got null");
List<Integer> out = new ArrayList<Integer>();
final int length = in.length();
for (int offset = 0; offset < length; ) {
final int codepoint = in.codePointAt(offset);
out.add(codepoint);
offset += Character.charCount(codepoint);
}
return out;
}
ありがたいことに "codePoints"を使用して、UTF-16(Javaの内部文字列表現)のサロゲートペアネスを安全に処理します。