Convert int to char in java

9    Asked by daniel_6526 in Java , Asked on Aug 18, 2025

How can you convert an int to a char in Java, and what are the different approaches available? This concept helps developers understand type casting and character encoding in Java, ensuring smooth data manipulation and output formatting.

Answered by Joel

Converting an int to a char in Java is a common task when working with characters, ASCII values, or Unicode. Since Java uses Unicode for character representation, an integer value can directly map to a character using type casting or built-in methods.

There are multiple ways to achieve this:

Using Type Casting:

 You can explicitly cast an integer to a character. For example:

 int num = 65;  
char ch = (char) num;
System.out.println(ch); // Output: A

 Here, the integer 65 corresponds to the ASCII value of 'A'.

Using Character.forDigit():

 If you want to convert a digit into a character, this method is useful. For example:

 char ch = Character.forDigit(5, 10);  
System.out.println(ch); // Output: 5

Using Integer.toString() and charAt():

 If the integer represents a single digit, you can first convert it to a string and then extract the character:

 int num = 7;  
char ch = Integer.toString(num).charAt(0);
System.out.println(ch); // Output: 7

Key Points:

  • Casting works well when you need to map an ASCII/Unicode value to a character.
  • Character.forDigit() is handy for digit conversions within specific radices (like base 10 or base 16).
  • Integer.toString() is safer when you need digit characters rather than ASCII equivalents.

In short, the approach depends on whether you’re converting numeric values to their ASCII/Unicode characters or simply representing digits as characters.



Your Answer

Interviews

Parent Categories