Java Program to Convert Character to String and Vice-Versa

In this program, you’ll learn to convert a character (char) to a string and vice-versa in Java.

Example 1: Convert char to String

  1. public class CharString {
  2. public static void main(String[] args) {
  3. char ch = 'c';
  4. String st = Character.toString(ch);
  5. // Alternatively
  6. // st = String.valueOf(ch);
  7. System.out.println("The string is: " + st);
  8. }
  9. }

When you run the program, the output will be:

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:

  1. public class CharString {
  2. public static void main(String[] args) {
  3. char[] ch = {'a', 'e', 'i', 'o', 'u'};
  4. String st = String.valueOf(ch);
  5. String st2 = new String(ch);
  6. System.out.println(st);
  7. System.out.println(st2);
  8. }
  9. }

When you run the program, the output will be:

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 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().

  1. import java.util.Arrays;
  2. public class StringChar {
  3. public static void main(String[] args) {
  4. String st = "This is great";
  5. char[] chars = st.toCharArray();
  6. System.out.println(Arrays.toString(chars));
  7. }
  8. }

When you run the program, the output will be:

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

In the above program, we’ve 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.