145k views
5 votes
Write a java program to accept a sentence in mixed case.Find the frequency of vowels in each word and print the words along with their frequencies i separate lines.

User Ennui
by
7.9k points

1 Answer

7 votes

Final answer:

The subject is to write a Java program to find the frequency of vowels in each word of a sentence. The student is asked to identify vowels, use Java to write code, and print results by word.

Step-by-step explanation:

Java Program to Find Vowel Frequency in Each Word of a Sentence

A Java program can be written to accept a mixed-case sentence from the user. The program will then process each word in the sentence to find the frequency of vowels. For a more comprehensive understanding, let's walk through the basic steps to achieve this:

  1. The program accepts a sentence from the user.
  2. It splits the sentence into words using a space delimiter.
  3. For each word, it counts the number of vowels (a, e, i, o, u, A, E, I, O, U) present in the word.
  4. The word and the frequency of vowels in that word are printed on separate lines.

Below is an example of how the Java program code might look:


import java.util.Scanner;
public class VowelCounter {
public static void main(String[] args) {
Scanner scanner = new Scanner(System.in);
System.out.println("Enter a sentence:");
String sentence = scanner.nextLine();
String[] words = sentence.split(" ");
for (String word : words) {
int vowelCount = 0;
for (char letter : word.toCharArray()) {
if ("aeiouAEIOU".indexOf(letter) != -1) {
vowelCount++;
}
}
System.out.println(word + ": " + vowelCount);
}
scanner.close();
}
}
User EscapeNetscape
by
8.7k points