Capitalize the first letter
data:image/s3,"s3://crabby-images/0b288/0b288995d5f7174771d42e6fb434bc518a75e511" alt=""
It is so easy to capitalize the first word of a string in Javascript. The following Javascript function will change the first word of a string to capitalize.
function titleCase(string) {
return string.charAt(0).toUpperCase() + string.slice(1);
}
Full Source
<html>
<body>
<script type="text/javascript">
var str = "this is a test";
document.write( titleCase(str) );
function titleCase(string) {
return string.charAt(0).toUpperCase() + string.slice(1);
}
</script>
</body>
</html>
Output: “This is a test”
Uppercase first letter in a string usinf RegEx
data:image/s3,"s3://crabby-images/1cbb6/1cbb6f04f2c0b76e3bef1ee3c689ed60be09f0c1" alt=""
You can capitalize the first letter of a string by using RegEx also. The following program shows how to change the first letter of a string to upper case using RegEx. The following function change the first letter to capital using RegEx
data:image/s3,"s3://crabby-images/07f21/07f2140af220b3c2784098d3654ba7d4119be492" alt=""
Full Source Code
data:image/s3,"s3://crabby-images/41696/41696745efe1a62ff038e0c128d432b3a12802e5" alt=""
Output: “This is a test”
Capitalize the first character of all words
data:image/s3,"s3://crabby-images/5c402/5c4028ea0c4bd3aa11017d31f7f3547f8fbdf6ea" alt=""
In some situations we have to capitalize the first character of all words in string. The following function change first character to capital letter to all words in string.
function allTitleCase(inStr)
{
return inStr.replace(/\w\S*/g, function(tStr)
{
return tStr.charAt(0).toUpperCase() + tStr.substr(1).toLowerCase();
});
}
Full Source
<html>
<body>
<script type="text/javascript">
var str = "this is a test";
document.write( allTitleCase(str) );
function allTitleCase(inStr)
{
return inStr.replace(/\w\S*/g, function(tStr)
{
return tStr.charAt(0).toUpperCase() + tStr.substr(1).toLowerCase();
});
}
</script>
</body>
</html>
Output: “This Is A Test”