Riassumi le altre risposte e ciò che conosco in tutti i modi per farlo utilizzando un one-liner:
String testString = "a.b.c.d";
1) Utilizzo di Apache Commons
int apache = StringUtils.countMatches(testString, ".");
System.out.println("apache = " + apache);
2) Utilizzo di Spring Framework
int spring = org.springframework.util.StringUtils.countOccurrencesOf(testString, ".");
System.out.println("spring = " + spring);
3) Utilizzo di sostituire
int replace = testString.length() - testString.replace(".", "").length();
System.out.println("replace = " + replace);
4) Utilizzo di ReplaceAll (caso 1)
int replaceAll = testString.replaceAll("[^.]", "").length();
System.out.println("replaceAll = " + replaceAll);
5) Utilizzo di ReplaceAll (caso 2)
int replaceAllCase2 = testString.length() - testString.replaceAll("\\.", "").length();
System.out.println("replaceAll (second case) = " + replaceAllCase2);
6) Utilizzo della divisione
int split = testString.split("\\.",-1).length-1;
System.out.println("split = " + split);
7) Utilizzo di Java8 (caso 1)
long java8 = testString.chars().filter(ch -> ch =='.').count();
System.out.println("java8 = " + java8);
8) L'uso di Java8 (caso 2) potrebbe essere migliore per Unicode rispetto al caso 1
long java8Case2 = testString.codePoints().filter(ch -> ch =='.').count();
System.out.println("java8 (second case) = " + java8Case2);
9) Utilizzo di StringTokenizer
int stringTokenizer = new StringTokenizer(" " +testString + " ", ".").countTokens()-1;
System.out.println("stringTokenizer = " + stringTokenizer);
Dal commento : fai attenzione a StringTokenizer, per abcd funzionerà ma per un ... bc ... d o ... abcd o un .... b ...... c ..... d ... o ecc. non funzionerà. Conterà solo per. tra i personaggi solo una volta
Maggiori informazioni in github
Test delle prestazioni (usando JMH , mode = AverageTime, punteggio 0.010
migliore allora 0.351
):
Benchmark Mode Cnt Score Error Units
1. countMatches avgt 5 0.010 ± 0.001 us/op
2. countOccurrencesOf avgt 5 0.010 ± 0.001 us/op
3. stringTokenizer avgt 5 0.028 ± 0.002 us/op
4. java8_1 avgt 5 0.077 ± 0.005 us/op
5. java8_2 avgt 5 0.078 ± 0.003 us/op
6. split avgt 5 0.137 ± 0.009 us/op
7. replaceAll_2 avgt 5 0.302 ± 0.047 us/op
8. replace avgt 5 0.303 ± 0.034 us/op
9. replaceAll_1 avgt 5 0.351 ± 0.045 us/op