Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Format lowercased string to capitalize the begining of each sentence

I have a string like

FIRST SENTENCE. SECOND SENTENCE.

I want to lowercase the string in that way to capitalize the first letter of each sentence.

For example:

string = string.toLowerCase().capitalize();

only the first sentence is capitalized.

I have the

String.prototype.capitalize = function() { return this.charAt(0).toUpperCase() + this.slice(1); }

function

Does anyone know how to solve?

like image 563
zsola3075457 Avatar asked Dec 07 '13 13:12

zsola3075457


3 Answers

If you only want to capitalize the first word of each sentence (not every word), then use this function:

function applySentenceCase(str) {
    return str.replace(/.+?[\.\?\!](\s|$)/g, function (txt) {
        return txt.charAt(0).toUpperCase() + txt.substr(1).toLowerCase();
    });
}

JSFiddle here

If you want to keep the formatting of the rest of the sentence and just capitalize the first letters, change txt.substr(1).toLowerCase() to txt.substr(1)

like image 173
r3mainer Avatar answered Nov 13 '22 10:11

r3mainer


Try this

function toTitleCase(str) {
    return str.replace(/\w\S*/g, function (txt) {
        return txt.charAt(0).toUpperCase() + txt.substr(1).toLowerCase();
    });
}

alert(toTitleCase('FIRST SENTENCE. SECOND SENTENCE.'))

DEMO

With Reference

like image 24
Satpal Avatar answered Nov 13 '22 09:11

Satpal


This JS function will apply sentence case to the initial sentence and any sentences that follow a sentence that ends with . ? !

function applySentenceCase(str) {
    var txt = str.split(/(.+?[\.\?\!](\s|$))/g);
    for (i = 0; i < (txt.length-1); i++) {
        if (txt[i].length>1){
            txt[i]=txt[i].charAt(0).toUpperCase() + txt[i].substr(1).toLowerCase();
        } else if (txt[i].length==1) {
            txt[i]=txt[i].charAt(0).toUpperCase();
        }
    }
    txt = txt.join('').replace(/\s\s/g,' ');
    return txt;
}

alert(applySentenceCase("LOREM IPSUM DOLOR SIT AMET, CONSECTETUR ADIPISCING ELIT. sed congue hendrerit risus, ac viverra magna elementum in. InTeRdUm Et MaLeSuAdA fAmEs Ac AnTe IpSuM pRiMiS iN fAuCiBuS. phasellus EST purus, COMMODO vitae IMPERDIET eget, ORNARE quis ELIT."));
like image 35
John Avatar answered Nov 13 '22 09:11

John