Capitalize The First Letter After A Punctuation
Solution 1:
This one is better solution
x = "hello. my name is Jess. what is your name?"
print( '. '.join(map(lambda s: s.strip().capitalize(), x.split('.'))))
output:
Hello. My name is jess. What is your name?
Solution 2:
You can construct your string first, following the same procedure, and the showing the string, except the last two values (you also need to remove the last space):
def main():
result = ""
name = input('Enter your sentence: ')
name = name.split('. ')
for item in name:
result += item[0].upper() + item[1:] + '. '
print result[:-2]
Solution 3:
As an alternative (and may be as an over complication also), you can use nltk
's Sentence Segmentation. Relying on @J.F. Sebastian's answer:
>>>import nltk.data>>>>>>sent_tokenizer = nltk.data.load('tokenizers/punkt/english.pickle')>>>>>>text = "hello. my name is Jess. what is your name?">>>>>>sentences = sent_tokenizer.tokenize(text)>>>sentences = [sent.capitalize() for sent in sentences]>>>print(' '.join(sentences))
Hello. My name is jess. What is your name?
Why it is not as simple as splitting a string by .
? Generally speaking, the problem with .
is that it is not only serving as a sentence delimiter. It also can be a part of an acronym or mark abbreviations inside a sentence (think also about all of the Mr.
, Mrs.
, Dr.
etc):
Sentence segmentation is difficult because period is used to mark abbreviations, and some periods simultaneously mark an abbreviation and terminate a sentence, as often happens with acronyms like U.S.A.
Solution 4:
Am I overlooking the obvious or can you just right strip?
Ie before you output your string:
finalstring = string.rstrip('.')
Solution 5:
I have written a solution to similar question, you can read how the following codes works here: https://stackoverflow.com/a/48688182/5265414
original_data = raw_input("Enter text: ")
list = original_data.split(".")
if original_data.endswith('.'):
list.remove('')
for w in list:
stripper= w.strip().capitalize() +"."print stripper,
Post a Comment for "Capitalize The First Letter After A Punctuation"