String
Convert String to char array
In this example we shall show you how to convert a String to char array. The String class represents character strings. All string literals in Java programs, such as "abc"
, are implemented as instances of this class. To convert a String to char array one should perform the following steps:
- Create a new String.
- Use
toCharArray()
API method of String. This method converts this string to a new character array. It returns a newly allocated character array whose length is the length of this string and whose contents are initialized to contain the character sequence represented by this string,
as described in the code snippet below.
package com.javacodegeeks.snippets.core; public class ConvertStringToCharArray { public static void main(String[] args) { String s = "Java Code Geeks"; char[] array = s.toCharArray(); System.out.println(array); for(int i=0; i < array.length; i++) { System.out.print(array[i]); } } }
Output:
Java Code Geeks
Java Code Geeks
This was an example of how to convert a String to char array in Java.