Reputation: 65
I'm having trouble writing down the code for this function.
Replacing the consonants
/** Return a string that is s but with all lowercase consonants (letters of
* the English alphabet other than the vowels a, e, i, o, u) replaced with
* _, and all uppercase consonants replaced with ^.
*
* Examples: For s = "Minecraft" return "^i_e__a__".
* For s = "Alan Turing" return "A_a_ ^u_i__".
This is what I have done so far:
String consonants = "bcdfghjklmnpqrstvwxyz";
for(int j = 0; j < consonants.length(); j++ ){
int start = 0;
if s.charAt(start) == consonants( I am unsure to tell it to look through the string I made)
s.charAt(start).replace(s.substring(start,1), ("_"));
if s.charAt(start) == s.substring(start,start+1).ToUpperCase(){
s.charAt(start) = "'";
}
}
}
Upvotes: 1
Views: 3375
Reputation: 613
String myName = "domanokz";
myName.charAt(4) = 'x';
If that's not what you're looking for:
String myName = "domanokz";
String newName = myName.substring(0,4)+'x'+myName.substring(5);
Or you can use a StringBuilder:
StringBuilder myName = new StringBuilder("domanokz");
myName.setCharAt(4, 'x');
System.out.println(myName);
Upvotes: -2
Reputation: 174776
You could use negative lookahead based regex or you need to manually write all the consonants.
String s = "Minecraft";
String m = s.replaceAll("(?![aeiouAEIOU])[a-z]", "_").replaceAll("(?![aeiouAEIOU])[A-Z]", "^");
System.out.println(m);
Output:
^i_e__a__
Upvotes: 3