Write a JavaScript Program to Convert the First Letter of a String into UpperCase

In JavaScript, it’s easy to convert the first letter of a string into uppercase.

This can be achieved using the charAt and toUpperCase methods. Let’s dive into the code to see how it’s done:

function capitalizeFirstLetter(string) {
return string.charAt(0).toUpperCase() + string.slice(1);
}

This function takes a string as its parameter and returns the same string with its first letter converted to uppercase.

Here’s how it works:

  • The charAt(0) method returns the first character of the string.
  • The toUpperCase() method converts the first character to uppercase.
  • The slice(1) method returns the rest of the string, starting from the second character.

We then concatenate the capitalized first letter and the rest of the string using the + operator and return the result.

Here’s an example of how to use this function:

const originalString = 'hello world';
const capitalizedString = capitalizeFirstLetter(originalString);
console.log(capitalizedString); // Output: 'Hello world'

In this example, we pass the string ‘hello world’ to the capitalizeFirstLetter function, which returns a new string with the first letter capitalized. We then log the result to the console, which outputs ‘Hello world’.

In summary, converting the first letter of a string to uppercase in JavaScript is a simple task that can be accomplished using the charAt and toUpperCase methods.

This is a useful technique to have in your JavaScript toolbox for manipulating and formatting strings.