Ruby – 将段落中每个句子的首字母大写

使用Ruby语言,我希望将每个句子的第一个字母大写,并在每个句子结尾处的句号之前删除任何空格。 别的什么都不应该改变。

Input = "this is the First Sentence . this is the Second Sentence ." Output = "This is the First Sentence. This is the Second Sentence." 

谢谢大家。

使用正则表达式( String#gsub ):

 Input = "this is the First Sentence . this is the Second Sentence ." Input.gsub(/[az][^.?!]*/) { |match| match[0].upcase + match[1..-1].rstrip } # => "This is the First Sentence. This is the Second Sentence." Input.gsub(/([az])([^.?!]*)/) { $1.upcase + $2.rstrip } # Using capturing group # => "This is the First Sentence. This is the Second Sentence." 

我假设结束了.?!

UPDATE

 input = "TESTest me is agreat. testme 5 is awesome" input.gsub(/([az])((?:[^.?!]|\.(?=[az]))*)/i) { $1.upcase + $2.rstrip } # => "TESTest me is agreat. Testme 5 is awesome" input = "I'm headed to stackoverflow.com" input.gsub(/([az])((?:[^.?!]|\.(?=[az]))*)/i) { $1.upcase + $2.rstrip } # => "I'm headed to stackoverflow.com" 
 Input.split('.').map(&:strip).map { |s| s[0].upcase + s[1..-1] + '.' }.join(' ') => "This is the First Sentence. This is the Second Sentence." 

我的第二种方法是更清洁但产生略有不同的输出:

 Input.split('.').map(&:strip).map(&:capitalize).join('. ') + '.' => "This is the first sentence. This is the second sentence." 

我不确定你是不是很好。