Java 中的音節計數器
Hiten Kanwar
2023年1月30日
2021年7月3日
音節是任何具有母音的單詞發音的基本單位。本教程中音節的規範是每個相鄰的母音算作一個音節。
例如,在單詞 real
中,ea
構成一個音節。但是對於 regal
這個詞,會有兩個音節:e
和 a
。但是,單詞末尾的 e
不會算作一個音節。此外,無論前面提到的規則如何,每個單詞都至少有一個音節。
本教程將討論如何使用 Java 建立具有上述規範的音節計數器。
在 Java 中使用使用者定義的函式建立音節計數器
我們可以建立自己的方法 SyllableCount()
,根據提供的規範對音節進行計數。首先,我們使用 toLowerCase()
函式並將所需的字串轉換為小寫。我們遍歷字串並單獨檢查每個字元,是否是母音,以及前一個字元。
我們在下面的程式碼中實現了這一點。
import java.util.*;
public class Main {
static public int SyllableCount(String s) {
int count = 0;
s = s.toLowerCase();
for (int i = 0; i < s.length(); i++) { // traversing till length of string
if (s.charAt(i) == '\"' || s.charAt(i) == '\'' || s.charAt(i) == '-' || s.charAt(i) == ',' || s.charAt(i) == ')' || s.charAt(i) == '(') {
// if at any point, we encounter any such expression, we substring the string from start till that point and further.
s = s.substring(0,i) + s.substring(i+1, s.length());
}
}
boolean isPrevVowel = false;
for (int j = 0; j < s.length(); j++) {
if (s.contains("a") || s.contains("e") || s.contains("i") || s.contains("o") || s.contains("u")) {
// checking if character is a vowel and if the last letter of the word is 'e' or not
if (isVowel(s.charAt(j)) && !((s.charAt(j) == 'e') && (j == s.length()-1))) {
if (isPrevVowel == false) {
count++;
isPrevVowel = true;
}
} else {
isPrevVowel = false;
}
} else {
count++;
break;
}
}
return count;
}
static public boolean isVowel(char c) {
if (c == 'a' || c == 'e' || c == 'i' || c == 'o' || c == 'u') {
return true;
} else {
return false;
}
}
public static void main(String []args){
String ans = "Regal";
String ans1 = "Real";
System.out.println("syllables for string " + ans + " is " + SyllableCount(ans));
System.out.println("syllables for string " + ans1 + " is " + SyllableCount(ans1));
}
}
輸出:
syllables for string Regal is 2
syllables for string Real is 1
在上面的方法中,我們將問題拆分,閱讀這些行,將它們拆分為單詞,然後計算每個單詞的音節。之後,我們為每一行計數。
在 Java 中使用正規表示式建立音節計數器
我們也可以使用正規表示式。我們可以使用 Matcher.find()
函式使用給定字串的模式查詢音節。
請記住匯入 java.util.regex
包以使用正規表示式。
請參考下面的程式碼。
import java.util.regex.Pattern;
import java.util.regex.Matcher;
import java.util.*;
public class Main {
static public int countSyllables(String s) {
int counter = 0;
s = s.toLowerCase(); // converting all string to lowercase
if(s.contains("the ")){
counter++;
}
String[] split = s.split("e!$|e[?]$|e,|e |e[),]|e$");
ArrayList<String> al = new ArrayList<String>();
Pattern tokSplitter = Pattern.compile("[aeiouy]+");
for (int i = 0; i < split.length; i++) {
String s1 = split[i];
Matcher m = tokSplitter.matcher(s1);
while (m.find()) {
al.add(m.group());
}
}
counter += al.size();
return counter;
}
public static void main(String []args){
String ans = "Regal";
System.out.println("syllables for string " + ans + " is " + countSyllables(ans));
}
}
輸出:
syllables for string Regal is 2