1//capitalize only the first letter of the string.
2function capitalizeFirstLetter(string) {
3 return string.charAt(0).toUpperCase() + string.slice(1);
4}
5//capitalize all words of a string.
6function capitalizeWords(string) {
7 return string.replace(/(?:^|\s)\S/g, function(a) { return a.toUpperCase(); });
8};
1const name = 'flavio'
2const nameCapitalized = name.charAt(0).toUpperCase() + name.slice(1)
3
1const toCapitalCase = (string) => {
2 return string.charAt(0).toUpperCase() + string.slice(1);
3};
1function capitalizeFirstLetter(string) {
2 return string.charAt(0).toUpperCase() + string.slice(1);
3}
4
5console.log(capitalizeFirstLetter('foo')); // Foo
1function capitalizeName(name) {
2 return name.replace(/\b(\w)/g, s => s.toUpperCase());
3}
4
5