Given a Byte value in Java, the task is to convert this byte value to string type.
Examples:
Input: 1 Output: "1" Input: 3 Output: "3"
Approach 1: (Using + operator)
One method is to create a string variable and then append the byte value to the string variable with the help of + operator. This will directly convert the byte value to a string and add it in the string variable.
Below is the implementation of the above approach:
Example 1:
// Java Program to convert // byte value to String value class GFG { // Function to convert // byte value to String value public static String convertByteToString( byte byteValue) { // Convert byte value to String value // using + operator method String stringValue = "" + byteValue; return (stringValue); } // Driver code public static void main(String[] args) { // The byte value byte byteValue = 1 ; // The expected string value String stringValue; // Convert byte to string stringValue = convertByteToString(byteValue); // Print the expected string value System.out.println( byteValue + " after converting into string = " + stringValue); } } |
1 after converting into string = 1
Approach 2: (Using String.valueOf() method)
The simplest way to do so is using valueOf() method of String class in java.lang package. This method takes the byte value to be parsed and returns the value in String type from it.
Syntax:
String.valueOf(byteValue);
Below is the implementation of the above approach:
Example 1:
// Java Program to convert // byte value to String value class GFG { // Function to convert // byte value to String value public static String convertByteToString( byte byteValue) { // Convert byte value to String value // using valueOf() method return String.valueOf(byteValue); } // Driver code public static void main(String[] args) { // The byte value byte byteValue = 1 ; // The expected string value String stringValue; // Convert byte to string stringValue = convertByteToString(byteValue); // Print the expected string value System.out.println( byteValue + " after converting into string = " + stringValue); } } |
1 after converting into string = 1