Open In App

How to Convert Char to String in JavaScript ?

Last Updated : 31 Aug, 2023
Improve
Improve
Like Article
Like
Save
Share
Report

In the article, we are going to learn about conversion Char to a string by using JavaScript, Converting a character to a string in JavaScript involves treating the character as a string, a character is a single symbol or letter, while a string is a sequence of characters. Strings can contain multiple characters, forming words or sentences.

There are several methods that can be used to Convert Char to String in JavaScript, which are listed below:

  • Using Concatenation
  • Using String fromCharCode() Method
  • Using Join() Method

We will explore all the above methods along with their basic implementation with the help of examples.

Approach 1: Using Concatenation

In this approach, we are using concatenation, converting a character to a string by appending it to an empty string (‘ ‘).

Syntax:

let result = char + ' ';

Example: In this example, we are using the above-explained approach.

Javascript




// Orignal object
let char = ['A', 'B', 'C'];
  
console.log(typeof char);
  
// After using Concatenation
let result = char + '';
  
console.log(result);
console.log(typeof result);


Output

object
A,B,C
string

Approach 2: Using String fromCharCode() Method

The JavaScript String.fromCharCode() method is used to create a string from the given sequence of UTF-16 code units. This method returns a string, not a string object.

Syntax:

String.fromCharCode( n1, n2, ..., nX )

Example: In this example we are using above-explained method to convert character into string.

Javascript




let charCode = 100;
console.log(typeof charCode)
  
//using form.CharCode
let result = String.fromCharCode(charCode);
console.log(typeof result);


Output

number
string

Approach 3: Using Join() Method

Using the join(”) method on an array of characters like [‘A’, ‘B’, ‘C’] creates a concatenated string result. The type changes from object to string.

Syntax:

array.join( separator )

Example: In this example we are using the above-explaine approach.

Javascript




let data = ['A', 'B', 'C'];
console.log(typeof data)
  
let result = data.join('');
console.log(result)
console.log(typeof result);


Output

object
ABC
string



Like Article
Suggest improvement
Share your thoughts in the comments

Similar Reads