Jak porównać jeden znak z łańcucha z innym ciągiem [duplikat]

Możliwy duplikat:
Jak porównać ciągi w Javie?

Jestem dość nowy w Javie i do praktyki próbuję utworzyć konwerter liczb szesnastkowych na dziesiętne, ponieważ udało mi się zrobić konwerter binarny na dziesiętny.

Problem, który mam, polega na porównaniu danego znaku w łańcuchu z innym łańcuchem. W ten sposób definiuję aktualną postać, którą należy porównać:

String current = String.valueOf(hex.charAt(i));

W ten sposób próbuję porównać postać:

else if (current == "b") 
   dec += 10 * (int)Math.pow(16, power);

Kiedy próbuję uruchomić kod, wprowadzając tylko liczby, np. 12, działa, ale kiedy próbuję użyć „b”, pojawia się dziwny błąd. Oto cały wynik uruchomienia programu:

run:
Hello! Please enter a hexadecimal number.
2b
For input string: "b" // this is the weird error I don't understand
BUILD SUCCESSFUL (total time: 1 second)

Oto przykład pomyślnego uruchomienia programu za pomocą konwersji liczby:

run:
Hello! Please enter a hexadecimal number.
22
22 in decimal: 34 // works fine
BUILD SUCCESSFUL (total time: 3 seconds)

Każda pomoc w tym zakresie byłaby doceniana, dzięki.

Edytować: Myślę, że będzie to przydatne, jeśli zastosuję całą metodę tutaj.

Edytuj 2: ROZWIĄZANE! Nie wiem, na kogo odpowiedzieć, ponieważ wszystkie były tak dobre i pomocne. Tak skonfliktowany.

for (int i = hex.length() - 1; i >= 0; i--) {
        String lowercaseHex = hex.toLowerCase();
        char currentChar = lowercaseHex.charAt(i);

        // if numbers, multiply them by 16^current power
        if (currentChar == '0' || 
                currentChar == '1' || 
                currentChar == '2' || 
                currentChar == '3' || 
                currentChar == '4' || 
                currentChar == '5' || 
                currentChar == '6' || 
                currentChar == '7' || 
                currentChar == '8' || 
                currentChar == '9')
            // turn each number into a string then an integer, then multiply it by
            // 16 to the current power.
            dec += Integer.valueOf(String.valueOf((currentChar))) * (int)Math.pow(16, power);

        // check for letters and multiply their values by 16^current power
        else if (currentChar == 'a') 
            dec += 10 * (int)Math.pow(16, power);
        else if (currentChar == 'b') 
            dec += 11 * (int)Math.pow(16, power);
        else if (currentChar == 'c') 
            dec += 12 * (int)Math.pow(16, power);
        else if (currentChar == 'd') 
            dec += 13 * (int)Math.pow(16, power);
        else if (currentChar == 'e') 
            dec += 14 * (int)Math.pow(16, power);
        else if (currentChar == 'f') 
            dec += 15 * (int)Math.pow(16, power);
        else
            return 0;
        power++; // increment the power
    }

    return dec; // return decimal form
}

questionAnswers(6)

yourAnswerToTheQuestion