程序要读入一行文本,其中以空格分隔为若干个单词,以‘.’结束。要输出这行文本中每个单词的长度。这里的单词与语言无关,可以包括各种符号,比如“it's”算一个单词,长度为4。注意,行中可能出现连续的空格。
输入格式:输入在一行中给出一行文本,以‘.’结束,结尾的句号不能计算在最后一个单词的长度内。
输出格式:在一行中输出这行文本对应的单词的长度,每个长度之间以空格隔开,行末没有最后的空格。
输入样例:
It's great to see you here.
输出样例:
4 5 2 3 3 4
慕粉1225596794
浏览 2671回答 3
3回答
ziom
package test;
public class Test {
public static void main(String[] args) {
printEachWordLength("It's great to see you here.");
System.out.println("\n---------------");
printEachWordLength("It's great to see you here.");
}
public static void printEachWordLength(String str) {
if (str == null) return;
if ("".equals(str.trim())) return;
String[] words = str.split(" ");
for (String word : words) {
if ("".equals(word.trim())) continue;
int length = word.length();
if (word.endsWith(".")) length--;
System.out.print(length+" ");
}
}
}没有考虑末尾句点前有空格的情况,如果有必要,你自己补充一下
package 作业1;public class 作业6 { public static void main(String[] args) { printEachWordLength("It's great to see you here."); System.out.println("\n---------------"); printEachWordLength("It's great to see you here."); } public static void printEachWordLength(String str) { if (str == null) return; if ("".equals(str.trim())) return; String[] words = str.split(" "); for (String word : words) { if ("".equals(word.trim())) continue; int length = word.length(); if (word.endsWith(".")) length--; System.out.print(length+" "); } }}