Capitalize the first letter
data:image/s3,"s3://crabby-images/d2fc5/d2fc5a0006a2e5999b147d8a387fc166e518ab25" 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/743f3/743f3dbb386337a5d541a187e7ead160df37d709" 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/d9a1c/d9a1c4c472cf9b09c3f1fe12e32d397149bc7100" alt=""
Full Source Code
data:image/s3,"s3://crabby-images/09071/09071c3a3b9480be68658d2cb379f533a1ed757c" alt=""
Output: “This is a test”
Capitalize the first character of all words
data:image/s3,"s3://crabby-images/aa1f0/aa1f07eb657bc55f72ad9f4a034757d2b2ea5ad3" 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”