本節介紹一個計算 Java 原始檔中關鍵字數量的應用程式。對於Java來源檔案中的每個單字,我們需要判斷該單字是否為關鍵字。為了有效地處理這個問題,請將所有關鍵字儲存在 HashSet 中,並使用 contains 方法來測試某個單字是否在關鍵字集中。下面的程式碼給出了這個程式。
package demo; import java.util.*; import java.io.*; public class CountKeywords { public static void main(String[] args) { Scanner input = new Scanner(System.in); System.out.print("Enter a Java source file: "); String filename = input.nextLine(); File file = new File(filename); if(file.exists()) { try { System.out.println("The number of keywords in " + filename + " is " + countKeywords(file)); } catch (Exception e) { System.out.println("An error occurred while counting keywords: " + e.getMessage()); } } else { System.out.println("File " + filename + " does not exist"); } } public static int countKeywords(File file) throws Exception { // Array of all Java keywords + true, false and null String[] keywordString = {"abstract", "assert", "boolean", "break", "byte", "case", "catch", "char", "class", "const", "continue", "default", "do", "double", "else", "enum", "extends", "for", "final", "finally", "float", "goto", "if", "implements", "import", "instanceof", "int", "interface", "long", "native", "new", "package", "private", "protected", "public", "return", "short", "static", "strictfp", "super", "switch", "synchronized", "this", "throw", "throws", "transient", "try", "void", "volatile", "while", "true", "false", "null"}; Set<String> keywordSet = new HashSet<>(Arrays.asList(keywordString)); int count = 0; Scanner input = new Scanner(file); while(input.hasNext()) { String word = input.next(); if(keywordSet.contains(word)) count++; } return count; } }
輸入Java來源檔:c:Welcome.java
c:Welcome.java 中的關鍵字數量為 5
輸入Java來源檔:c:TTT.java
文件 c:TTT.java 不存在
程式提示使用者輸入 Java 原始檔名(第 9 行)並讀取檔名(第 10 行)。如果檔案存在,則呼叫 countKeywords 方法來統計檔案中的關鍵字(第 15 行)。
countKeywords 方法為關鍵字建立字串陣列(第 26 行),並根據該陣列建立一個雜湊集(第 28 行)。然後它從檔案中讀取每個單字並測試該單字是否在集合中(第 35 行)。如果是這樣,程式將計數加 1(第 36 行)。
您可以重寫程式以使用 LinkedHashSet、TreeSet、ArrayList 或 LinkedList 來儲存關鍵字。然而,使用 HashSet 對於這個程式來說是最有效的。
以上是案例研究:計算關鍵字的詳細內容。更多資訊請關注PHP中文網其他相關文章!