Amazing Subarrays
You are given a string S, and you have to find all the amazing substrings of S.
Amazing Substring is one that starts with a vowel (a, e, i, o, u, A, E, I, O, U).
Input
Only argument given is string S.Output
Return a single integer X mod 10003, here X is number of Amazing Substrings in given string.Constraints
1 <= length(S) <= 1e6
S can have special charactersExample
Input
    ABEC
Output
    6
Explanation
	Amazing substrings of given string are :
	1. A
	2. AB
	3. ABE
	4. ABEC
	5. E
	6. EC
	here number of substrings are 6 and 6 % 10003 = 6.public class Solution {
    int mod = 10003;
    public boolean isVowel(char c) {
        if (c == 'a' || c == 'e' || c == 'i' || c == 'o' || c == 'u') {
            return true;
        }
        return false;
    }
    public int solve(String A) {
        A = A.toLowerCase();
        int count = 0;
        for (int i = 0; i < A.length(); i++)
            if (isVowel(A.charAt(i)))
                count += (A.length() - i);
        return count % mod;
    }
}Last updated