当前位置 : 主页 > 编程语言 > ruby >

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

来源:互联网 收集:自由互联 发布时间:2021-06-23
使用 Ruby语言,我想将每个句子的第一个字母大写,并在每个句子结尾处的句号之前删除任何空格.别的什么都不应该改变. Input = "this is the First Sentence . this is the Second Sentence ." Output = "This
使用 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(/[a-z][^.?!]*/) { |match| match[0].upcase + match[1..-1].rstrip }
# => "This is the First Sentence. This is the Second Sentence."

Input.gsub(/([a-z])([^.?!]*)/) { $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(/([a-z])((?:[^.?!]|\.(?=[a-z]))*)/i) { $1.upcase + $2.rstrip }
# => "TESTest me is agreat. Testme 5 is awesome"

input = "I'm headed to stackoverflow.com"
input.gsub(/([a-z])((?:[^.?!]|\.(?=[a-z]))*)/i) { $1.upcase + $2.rstrip }
# => "I'm headed to stackoverflow.com"
网友评论