有没有办法让我的拼写检查器正常工作

Is there a way for my spellchecker to properly work

问题出在我正在尝试制作的拼写检查器上。我有一个字典文件,其中包含大量单词以与用户输入进行比较,因此它可以检测任何可能的拼写错误。我的问题是,无论您键入什么,它总是会说拼写不正确,而实际上却不正确。是否有任何解决方案或更好的方法来检测用户输入的销售错误。

import java.util.Scanner;
import java.io.File;
import java.io.FileNotFoundException;


public class SpellChecker2 {

public static void main(String[] args) throws FileNotFoundException
{

    Scanner input = new Scanner(System.in);
    System.out.println("Please enter a String"); 
    String userWord = input.nextLine();

    final String theDictionary = "dictionary.txt";

    String[] words = dictionary(theDictionary);
    boolean correctSpelling = checking(words, userWord);

if (!correctSpelling)
    {
    System.out.println("Incorrect spelling");
    }
else 
    {
    System.out.println("The spelling is correct");
    }

}

public static String[] dictionary(String filename) throws FileNotFoundException
{
    final String fileName = "dictionary.txt";

    Scanner dictionary = new Scanner(new File(fileName));
    int dictionaryLength =0;
    while (dictionary.hasNext())
    {
        ++dictionaryLength;
        dictionary.nextLine();
    }


    String [] theWords = new String[dictionaryLength];
        for ( int x = 0; x < theWords.length ; x++)


        dictionary.close();
    return theWords;
}


public static boolean checking(String[] dictionary, String userWord)
{
boolean correctSpelling = false;

    for ( int i =0; i < dictionary.length; i++)
    {
        if (userWord.equals(dictionary[i]))
        {
            correctSpelling = true;
        }
        else 
            correctSpelling = false;
    }
    return correctSpelling;
}


}

我得到的结果是:

           Please enter a String
           hello
           Incorrect spelling

如您所见,尽管我的拼写是正确的,但它给出了拼写错误的错误。任何帮助都将非常有用,在此先感谢您。

是的。 Return 来自 checking true。正如您现在所拥有的,只有最后一个单词匹配时它才为真。喜欢,

public static boolean checking(String[] dictionary, String userWord) {
    for ( int i =0; i < dictionary.length; i++) {
        if (userWord.equals(dictionary[i])) {
            return true;
        }
    }
    return false;
}

此外,您需要通过向数组中添加单词来填充 dictionary。 而且,我更喜欢 try-with-resources 而不是明确的 close() 调用。像,

public static String[] dictionary(String filename) throws FileNotFoundException {
    final String fileName = "dictionary.txt";
    int dictionaryLength = 0, i = 0;

    try (Scanner dictionary = new Scanner(new File(fileName))) {
        while (dictionary.hasNextLine()) {
            ++dictionaryLength;
            dictionary.nextLine();
        }
    }
    String[] theWords = new String[dictionaryLength];
    try (Scanner dictionary = new Scanner(new File(fileName))) {
        while (dictionary.hasNextLine()) {
            theWords[i] = dictionary.nextLine();
            i++;
        }
    }
    return theWords;
}