mirror of
https://github.com/TheAlgorithms/Java.git
synced 2025-07-25 05:22:39 +08:00
34 lines
992 B
Java
34 lines
992 B
Java
package com.thealgorithms.strings;
|
|
|
|
import java.util.Arrays;
|
|
import java.util.HashSet;
|
|
import java.util.Set;
|
|
|
|
/**
|
|
* Vowel Count is a system whereby character strings are placed in order based
|
|
* on the position of the characters in the conventional ordering of an
|
|
* alphabet. Wikipedia: https://en.wikipedia.org/wiki/Alphabetical_order
|
|
*/
|
|
public class CheckVowels {
|
|
private static final Set<Character> VOWELS = new HashSet<>(Arrays.asList('a', 'e', 'i', 'o', 'u'));
|
|
|
|
/**
|
|
* Check if a string is has vowels or not
|
|
*
|
|
* @param input a string
|
|
* @return {@code true} if given string has vowels, otherwise {@code false}
|
|
*/
|
|
public static boolean hasVowels(String input) {
|
|
if (input == null) {
|
|
return false;
|
|
}
|
|
input = input.toLowerCase();
|
|
for (int i = 0; i < input.length(); i++) {
|
|
if (VOWELS.contains(input.charAt(i))) {
|
|
return true;
|
|
}
|
|
}
|
|
return false;
|
|
}
|
|
}
|