添加到向量后从for循环中断

时间:2014-04-19 17:44:01

标签: java loops vector user-input reverse

我的程序的目标是要求用户输入一个句子,然后在使用向量时反转该句子中的单词。

import java.io.*;
import java.util.*;

public class ReverseVector {

public static void main(String []args){

   Scanner scan = new Scanner(System.in);
   Vector<String> vec =new Vector<String>();
   String word = "";          

       System.out.print("Enter a sentence  :");

       for(int i=0;i<=vec.size();i++){          
               word=scan.next();                   
               vec.add(word); //adding each word to an element.              
       }

      Collections.reverse(vec);
      System.out.println(vec);                    
  }
}  

我正在寻找有关如何在将所有单词添加到向量后从 for循环中断的建议。我的想法是某种 if语句,表明如果没有更多的单词要添加到vector然后中断。

该计划应该做到以下几点:

Enter a sentence: The bird flew high

输出:

high flew bird The

1 个答案:

答案 0 :(得分:2)

这样做的一种方法是使用scan.nextLine()来读取整行;这基本上使用&#34;换行符&#34;表示句子的结尾。

现在你有String包含整个句子。然后你可以将字符串拆分成单词,例如String.split()

String sentence = scan.nextLine();
String[] words = sentence.split("\\s+"); // <= sequence of one or more whitespace

for (String word : words)
    vec.add(word);

如果您希望远离Scanner的{​​{3}},您还可以使用第二个String.split()来读取句子字符串中的字词,例如:< / p>

String sentence = scan.nextLine();
Scanner sentenceScan = new Scanner(sentence);

while (sentenceScan.hasNext())
    vec.add(sentenceScan.next());

密钥有hasNext()。您可能很想在原始扫描仪上使用scan.hasNext()但不幸的是,这将无法完成工作,因为hasNext()将继续返回true,直到文件结束为止到达输入(并且换行输入不是文件结尾)。

顺便提一下,请注意原始代码:

for(int i=0;i<=vec.size();i++)

这里,vec.size()最初为0,所以这个循环永远不会执行。在数组上使用动态大小的容器(例如Vector)的一个优点是可以根据需要向它们添加元素。因此,不是循环到vec.size(),而这不能提前知道(你不知道将输入多少个单词),而是循环遍历所有输入单词而只是{{1他们到矢量。


尝试按照注释中的请求分解第二个示例中的while循环。这个while循环:

add()

基本上这是英语句子的直接翻译:&#34;虽然有更多的单词,但请填写下一个单词并将其添加到vec。&#34;当您的代码明确反映您的意图时,它总是很好,但我们可以将其分解一下,看看它是如何工作的:

我们知道以下内容:

  • regular expressions循环,而条件 true
  • while (condition)如果可以从句子中获取另一个单词,则返回while (sentenceScan.hasNext()) vec.add(sentenceScan.next()); ,如果,则返回true如果到达句子结尾符号。)
  • sentenceScan.hasNext()将读取句子字符串中的下一个单词并将其返回。在内部,扫描仪在读取时会移过该单词(它会跟踪其在幕后的句子中的当前位置)。因此,每次调用false时,它都会有效地从字符串中抓取下一个单词,并且&#34;消耗&#34;这个词,所以下次你拨打next()时,它会得到以下字样。如果您尝试在没有更多单词时调用next(),则会引发异常(请参阅链接文档)。
  • sentenceScan.next()当然会在next()
  • 的末尾添加任何内容

所以让我们像这样展开:

Vector

为简洁起见,我们可以跳过一些步骤,例如,我们并不需要 那个while (true) { // loop "forever", since we don't know when we'll stop if (!sentenceScan.hasNext()) // if there are no more words... break; // ...get the heck out of this loop! String word = sentenceScan.next(); // get next word from scanner vec.add(word); // add that word to the vector } 变量,因为我们只在一个地方使用它,所以:

word

由于我们断开循环的条件很简单,在循环开始时,基于布尔值,我们可以使它成为实际的循环条件:

while (true) { // loop "forever", since we don't know when we'll stop
    if (!sentenceScan.hasNext()) // if there are no more words... 
        break; // ...get the heck out of this loop!
    // get next word from scanner and add it to vector, in one fell swoop:
    vec.add(sentenceScan.next());
}

所以我们从第二个例子开始循环。希望这是有道理的!