Example 1: Convert char to String
fun main(args: Array<String>) {
val ch = 'c'
val st = Character.toString(ch)
// Alternatively
// st = String.valueOf(ch);
println("The string is: $st")
}
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:
fun main(args: Array<String>) {
val ch = charArrayOf('a', 'e', 'i', 'o', 'u')
val st = String(ch)
val st2 = String(ch)
println(st)
println(st2)
}
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().
import java.util.Arrays
fun main(args: Array<String>) {
val st = "This is great"
val chars = st.toCharArray()
println(Arrays.toString(chars))
}
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.
Here's the equivalent Java code: Java program to convert char to string and vice-versa