Learning Java at the moment, having difficulty with this fairly basic RLE program. I think the error is to do with when the character count is being reset? It seems to be outputting the previous values that should have been moved on from.
Please help! I feel so dumb that I can't figure out how to fix it haha
e.g. for formatting: AABCEDDDGHIIIII would be converted to A2B1C1E1D3G1H1I5
import java.util.Scanner;
class Main {
public static void main(String[] args) {
Scanner input = new Scanner(System.in);
System.out.println("Enter string for encoding: ");
String uString = input.next();
int count = 1;
String eString = "";
for (int i = 0; i < uString.length(); i++){
if ((i != 0) && (uString.charAt(i) == uString.charAt(i-1))){
count++;
}else if(i!= 0){
eString = eString + uString.charAt(i) + String.valueOf(count);
count = 1;
}
System.out.println(String.valueOf(uString.charAt(i)) + String.valueOf(i) + String.valueOf(count)); //just to see what's happening in my code
}System.out.println("Unencoded string's length: " + uString.length() + "\nEncoded string:" + eString + ", encoded string's length: " + eString.length());
}
}```
The main error in the logic is that this code is missing current character for each
count
is incremented.So, in the line
eString = eString + uString.charAt(i) + String.valueOf(count);
the next character is added to the result string.The logic may be fixed by adding the first character before the loop, starting the loop from index 1, and adding the counter after the loop.
Conditions
if (i != 0)
may be removed altogether then:Another approach could be to use an empty nested loop (and a
StringBuilder
to concatenate the characters and counter more efficiently):