Welcome to the Treehouse Community
The Treehouse Community is a meeting place for developers, designers, and programmers of all backgrounds and skill levels to get support. Collaborate here on code errors or bugs that you need feedback on, or asking for an extra set of eyes on your latest project. Join thousands of Treehouse students and alumni in the community today. (Note: Only Treehouse students can comment or ask questions, but non-students are welcome to browse our conversations.)
Looking to learn something new?
Treehouse offers a seven day free trial for new students. Get access to thousands of hours of content and a supportive community. Start your free trial today.

Victoria Holland
6,159 Points"Bad initializer for for-loop" error
I'm struggling with the Counting Scrabble Tiles exercise (getCountOfLetter method). Here is my code. I get a compiler error saying "Bad initializer for for-loop".
public class ScrabblePlayer {
// A String representing all of the tiles that this player has
private String tiles;
public ScrabblePlayer() {
tiles = "";
}
public String getTiles() {
return tiles;
}
public void addTile(char tile) {
tiles += tile;
}
public boolean hasTile(char tile) {
return tiles.indexOf(tile) != -1;
}
public int getCountOfLetter(char letter) {
int count = 0;
int i = 0;
for (letter : tiles) {
if (letter == tiles.charAt(i)) {
count ++;
}
i++;
}
return count;
}
}
2 Answers

Shlomi Bittan
6,718 PointsWell...i see to mistakes.
- In the loop you need to perform the equality check against the letter variable passed to the method. The code now check equality against a char at a given index of the tile string.
- The for each loop requires that the object on which to loop implement the Iterable interface. So you need to provide that object. The string object has a method that returns an array of char objects.
someString.toCharArray()
So the for loop actualy should look like this:
for (char currentChar : tiles.toCharArray()) {
if (currentChar == letter) {
count ++;
}
i++;
}
By the way, you don't need the i variable.

Shlomi Bittan
6,718 PointsHi Victoria, Your for loop does NOT declare a type for the 'letter' variable. Also, you can't use the same variable name as the one passes to the method. I suggest this fix:
public int getCountOfLetter(char letter) {
int count = 0;
int i = 0;
for (char currentChar : tiles) {
if (currentChar == tiles.charAt(i)) {
count ++;
}
i++;
}
return count;
}

Victoria Holland
6,159 PointsThanks, but unfortunately I still can't get past this section. I tried your code but now it gives a compiler error saying "for-each not applicable to expression type".
Victoria Holland
6,159 PointsVictoria Holland
6,159 PointsThanks!