无法在ArrayList <string> </string>中找到匹配的字符串

时间:2014-08-14 21:08:35

标签: java string if-statement arraylist

这个想法很简单:

  1. 将文本文件加载到字符串中。
  2. 将此字符串拆分为段落。
  3. 将所有段落拆分为单词。
  4. 将每个单词添加到ArrayList。
  5. 结果是一个包含文本文件中所有单词的ArrayList。

    程序有效;它会加载ArrayList中的所有单词。

    但是,在ArrayList中查找特定项的任何“IF”语句都不起作用。

    除了:如果单词是换行符。

    public String loadText(String resourceName){
    
    
        // Load the contents of a text file into a string
        String text = "";
        InputStream stream = FileIO.class.getResourceAsStream(resourceName);
        BufferedReader reader = new BufferedReader(new InputStreamReader(stream));
        String str = "";
        try {
            while ((str = reader.readLine())!=null){
                text += str + "\n";
            }
        } catch (Exception e) {
            System.out.println("Unable to load text stream!");
        }
        return text;
    }
    
    public void test(){
    
        ArrayList<String> collectionOfWords = new ArrayList<String>();
        String text = loadText("/assets/text/intro.txt");
    
        // Split into paragraphs
        String paragraphs[] = text.split("\n");
        for (String paragraph: paragraphs){
    
            // Split into words
            String words[] = paragraph.split(" ");
    
            // Add each word to the collection
            for (String word: words){
                collectionOfWords.add(word);
            }
    
            // Add a new line to separate the paragraphs
            collectionOfWords.add("\n");
        }
    
        // Test the procedure using a manual iterator
        for (int i=0; i<collectionOfWords.size(); i++){
    
    
            // ===== WHY DOES THIS WORK?
            if (collectionOfWords.get(i)=="\n")
                System.out.println("Found it!");
    
            // ===== BUT THIS DOESN'T WORK???
            if (collectionOfWords.get(i)=="test")
                    System.out.println("Found it!");
    
            // NOTE: Same problem if a I use:
            // for (String word: collectionOfWords){
            //   if (word=="test")
            //     System.out.println("Found it!");
        }
    }
    

    文本文件示例: 快速布朗\ n 福克斯跳过\ n 测试懒狗\ n

    有什么想法吗?我只是抓住我的设计并尝试完全不同的东西......

1 个答案:

答案 0 :(得分:2)

简答:使用.equals而不是==比较字符串。

答案很长:

    // ===== WHY DOES THIS WORK?
    if (collectionOfWords.get(i)=="\n")
        System.out.println("Found it!");

这很有效,因为您的程序中有两个"\n"。 (一个在.add("\n")中,一个在你== "\n"。由于这两个字符串是程序中的文字,它们将引用同一个对象,即引用相等性检查(==)会很好。

    // ===== BUT THIS DOESN'T WORK???
    if (collectionOfWords.get(i)=="test")
            System.out.println("Found it!");

您在文本文件中查找的字词并不存在于您的程序代码中。 (它们不是文字。)这意味着从文件加载的字符串"test"和程序中的字符串文字"test"是两个不同的对象(尽管它们包含相同的值)。要测试两个不同的字符串是否包含相同的值,请将它们与equals:

进行比较
    if (collectionOfWords.get(i).equals("test"))
            System.out.println("Found it!");