Java Program to Convert Character to String and Vice-Versa

To understand this example, you should have the knowledge of the following Java programming topics:


Example 1: Convert char to String

public class CharString {

    public static void main(String[] args) {
        char ch = 'c';
        String st = Character.toString(ch);
        // Alternatively
        // st = String.valueOf(ch);

        System.out.println("The string is: " + st);
    }
}

Output

The string is: c

In the above program, we have a character stored in the variable ch. We use the Character class's toString() method to convert character to the string st.

Alternatively, we can also use String's valueOf() method for conversion. However, both internally are the same.


Example 2: Convert char array to String

If you have a char array instead of just a char, we can easily convert it to String using String methods as follows:

public class CharString {

    public static void main(String[] args) {
        char[] ch = {'a', 'e', 'i', 'o', 'u'};

        String st = String.valueOf(ch);
        String st2 = new String(ch);

        System.out.println(st);
        System.out.println(st2);
    }
}

Output

aeiou
aeiou

In the above program, we have a char array ch containing vowels. We use String's valueOf() method again to convert the character array to String.

We can also use the String constructor which takes character array ch as the parameter for conversion.


Example 3: Convert String to char array

We can also convert a string to char array (but not char) using String's method toCharArray().

import java.util.Arrays;

public class StringChar {

    public static void main(String[] args) {
        String st = "This is great";

        char[] chars = st.toCharArray();
        System.out.println(Arrays.toString(chars));
    }
}

Output

[T, h, i, s,  , i, s,  , g, r, e, a, t]

In the above program, we have a string stored in the variable st. We use String's toCharArray() method to convert the string to an array of characters stored in chars.

We then, use Arrays's toString() method to print the elements of chars in an array-like form.

Did you find this article helpful?